[LeetCode] Reverse Nodes in k-Group

简介: Well, since the head pointer may also be modified, we create a new_head that points to it to facilitate the reverse process.

Well, since the head pointer may also be modified, we create a new_head that points to it to facilitate the reverse process.

For the example list 1 -> 2 -> 3 -> 4 -> 5 in the problem statement, it will become 0 -> 1 -> 2 -> 3 -> 4 -> 5 (we init new_head -> val to be 0). Then we set a pointer pre to new_head and another cur to head. Then we insert cur -> next after pre for k - 1 times if the current nodecur has at least k nodes after it (including itself). After reversing one k-group, we update pre to be cur and cur to be pre -> next to reverse the next k-group.

The code is as follows.

 1 class Solution { 
 2 public: 
 3     ListNode* reverseKGroup(ListNode* head, int k) {
 4         if (!hasKNodes(head, k)) return head;
 5         ListNode* new_head = new ListNode(0);
 6         new_head -> next = head;
 7         ListNode* pre = new_head;
 8         ListNode* cur = head;
 9         while (hasKNodes(cur, k)) {
10             for (int i = 0; i < k - 1; i++) {
11                 ListNode* temp = pre -> next;
12                 pre -> next = cur -> next;
13                 cur -> next = cur -> next -> next;
14                 pre -> next -> next = temp; 
15             }
16             pre = cur;
17             cur = pre -> next;
18         }
19         return new_head -> next;
20     }
21 private:
22     bool hasKNodes(ListNode* node, int k) {
23         int cnt = 0;
24         while (node) {
25             cnt++;
26             if (cnt >= k) return true;
27             node = node -> next;
28         }
29         return false;
30     }
31 };

 

目录
相关文章
Leetcode 24.Swap Nodes in Pairs
 给你一个链表,交换相邻两个节点,例如给你 1->2->3->4,输出2->1->4->3。   我代码里在head之前新增了一个节点newhead,其实是为了少写一些判断head的代码。
53 0
|
索引
LeetCode 345. Reverse Vowels of a String
编写一个函数,以字符串作为输入,反转该字符串中的元音字母。
111 0
LeetCode 345. Reverse Vowels of a String
|
机器学习/深度学习 NoSQL
LeetCode 344. Reverse String
编写一个函数,其作用是将输入的字符串反转过来。输入字符串以字符数组 char[] 的形式给出。 不要给另外的数组分配额外的空间,你必须原地修改输入数组、使用 O(1) 的额外空间解决这一问题。
105 0
LeetCode 344. Reverse String
LeetCode 190. Reverse Bits
颠倒给定的 32 位无符号整数的二进制位。
97 0
LeetCode 190. Reverse Bits
LeetCode 150. Evaluate Reverse Polish Notation
根据逆波兰表示法,求表达式的值。 有效的运算符包括 +, -, *, / 。每个运算对象可以是整数,也可以是另一个逆波兰表达式。
60 0
LeetCode 150. Evaluate Reverse Polish Notation
LeetCode 92. Reverse Linked List II
给定一个链表,反转指定的子序列.
84 0
LeetCode 92. Reverse Linked List II
|
机器学习/深度学习 NoSQL 算法
LeetCode 344. 反转字符串 Reverse String
LeetCode 344. 反转字符串 Reverse String
LeetCode 206. 反转链表 Reverse Linked List
LeetCode 206. 反转链表 Reverse Linked List
LeetCode之Reverse String II
LeetCode之Reverse String II
121 0
LeetCode之Reverse String
LeetCode之Reverse String
108 0