g0001_0100.s0025_reverse_nodes_in_k_group.Solution Maven / Gradle / Ivy
Go to download
Show more of this group Show more artifacts with this name
Show all versions of leetcode-in-java21 Show documentation
Show all versions of leetcode-in-java21 Show documentation
Java-based LeetCode algorithm problem solutions, regularly updated
package g0001_0100.s0025_reverse_nodes_in_k_group;
// #Hard #Top_100_Liked_Questions #Linked_List #Recursion #Data_Structure_II_Day_13_Linked_List
// #Udemy_Linked_List #Big_O_Time_O(n)_Space_O(k)
// #2023_08_09_Time_0_ms_(100.00%)_Space_43_MB_(88.08%)
import com_github_leetcode.ListNode;
/*
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
/**
* 25 - Reverse Nodes in k-Group\.
*
* Hard
*
* Given a linked list, reverse the nodes of a linked list _k_ at a time and return its modified list.
*
* _k_ is a positive integer and is less than or equal to the length of the linked list. If the number of nodes is not a multiple of _k_ then left-out nodes, in the end, should remain as it is.
*
* You may not alter the values in the list's nodes, only nodes themselves may be changed.
*
* **Example 1:**
*
* ![](https://assets.leetcode.com/uploads/2020/10/03/reverse_ex1.jpg)
*
* **Input:** head = [1,2,3,4,5], k = 2
*
* **Output:** [2,1,4,3,5]
*
* **Example 2:**
*
* ![](https://assets.leetcode.com/uploads/2020/10/03/reverse_ex2.jpg)
*
* **Input:** head = [1,2,3,4,5], k = 3
*
* **Output:** [3,2,1,4,5]
*
* **Example 3:**
*
* **Input:** head = [1,2,3,4,5], k = 1
*
* **Output:** [1,2,3,4,5]
*
* **Example 4:**
*
* **Input:** head = [1], k = 1
*
* **Output:** [1]
*
* **Constraints:**
*
* * The number of nodes in the list is in the range `sz`.
* * `1 <= sz <= 5000`
* * `0 <= Node.val <= 1000`
* * `1 <= k <= sz`
*
* **Follow-up:** Can you solve the problem in O(1) extra memory space?
**/
public class Solution {
public ListNode reverseKGroup(ListNode head, int k) {
if (head == null || head.next == null || k == 1) {
return head;
}
int j = 0;
ListNode len = head;
// loop for checking the length of the linklist, if the linklist is less than k, then return
// as it is.
while (j < k) {
if (len == null) {
return head;
}
len = len.next;
j++;
}
// Reverse linked list logic applied here.
ListNode c = head;
ListNode n = null;
ListNode prev = null;
int i = 0;
// Traverse the while loop for K times to reverse the node in K groups.
while (i != k) {
n = c.next;
c.next = prev;
prev = c;
c = n;
i++;
}
// C1 is pointing to 1st node of K group, which is now going to point to the next K group
// linklist.
// recursion, for futher remaining linked list.
head.next = reverseKGroup(n, k);
return prev;
}
}
© 2015 - 2025 Weber Informatics LLC | Privacy Policy