首页 > 代码库 > Leetcode | Reverse Nodes in k-Group
Leetcode | Reverse Nodes in k-Group
Given a linked list, reverse the nodes of a linked list k at a time and return its modified 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 nodes, only nodes itself may be changed.
Only constant memory is allowed.
For example,
Given this linked list: 1->2->3->4->5
For k = 2, you should return: 2->1->4->3->5
For k = 3, you should return: 3->2->1->4->5
用了两个指针p1和p2,使得p1和p2相差k-1个位置。每次p1和p2区间reverse一下,然后再把同时更新p1和p2.
1 class Solution { 2 public: 3 4 void reverse(ListNode *start, ListNode *end) { 5 ListNode *pre = NULL, *tmp; 6 while (start != end) { 7 tmp = start->next; 8 if (pre) start->next = pre; 9 pre = start; 10 start = tmp; 11 } 12 end->next = pre; 13 } 14 ListNode *reverseKGroup(ListNode *head, int k) { 15 if (k <= 1) return head; 16 ListNode *p1 = head, *p2 = head, *pre = NULL, *tmp; 17 for (int i = 0; i < k - 1; ++i) { 18 if (p1 == NULL) return head; 19 p1 = p1->next; 20 } 21 if (p1 != NULL) head = p1; 22 23 while (p1 != NULL) { 24 tmp = p1->next; 25 if (pre) pre->next = p1; 26 reverse(p2, p1); 27 pre = p2; // the tail of previous k-list 28 p2 = p1 = tmp; // update p2 29 for (int i = 0; i < k - 1; ++i) { 30 if (p1 == NULL) { 31 break; 32 } 33 p1 = p1->next; 34 } 35 if (p1 == NULL) pre->next = tmp; // the left part is less than k 36 } 37 38 return head; 39 } 40 };
一开始想一遍走完,边走边reverse,但是太复杂了,所以还是这样吧。。。
声明:以上内容来自用户投稿及互联网公开渠道收集整理发布,本网站不拥有所有权,未作人工编辑处理,也不承担相关法律责任,若内容有误或涉及侵权可进行投诉: 投诉/举报 工作人员会在5个工作日内联系你,一经查实,本站将立刻删除涉嫌侵权内容。