大家好,我是Ryan,今天来分享一下有关链表反转的终极问题:K个一组反转
题目:给你链表的头节点 head ,每 k 个节点一组进行翻转,请你返回修改后的链表。
k 是一个正整数,它的值小于或等于链表的长度。如果节点总数不是 k 的整数倍,那么请将最后剩余的节点保持原有顺序。
你不能只是单纯的改变节点内部的值,而是需要实际进行节点交换。
基本思路还是两个:头插法和穿针引线法。下面将分别介绍:
头插法
还是使用虚拟头节点,这里我们首先将整个链表遍历一遍,得到长度len,然后再得到组数n = len/K,
接下来给出代码:
public static ListNode reverseKGroup2(ListNode head, int k) {
ListNode dummy = new ListNode(-1);
dummy.next = head;
ListNode cur = head;
int len = 0;//先计算出链表的长度
while(cur != null) {
len++;
cur = cur.next;
}
int n = len/k;//计算出有几组
ListNode pre = dummy;
cur = head;
for(int i=0;i<n;i++) {
for(int j=0;j<k-1;j++) {
ListNode next = cur.next;
cur.next = cur.next.next;
next.next = pre.next;
pre.next = next;
}
pre = cur;
cur = cur.next;
}
return dummy.next;
}
穿针引线法
public static ListNode reverseKGroup(ListNode head, int k) {
ListNode dummy = new ListNode(0);
dummy.next = head;
ListNode pre = dummy;
ListNode end = dummy;
while (end.next != null) {
for (int i = 0; i < k && end != null; i++) {
end = end.next;
}
if (end == null)
break;
ListNode start = pre.next;
ListNode next = end.next;
end.next = null;
pre.next = reverse(start);
start.next = next;
pre = start;
end = pre;
}
return dummy.next;
}
private static ListNode reverse(ListNode head) {
ListNode pre = null;
ListNode curr = head;
while (curr != null) {
ListNode next = curr.next;
curr.next = pre;
pre = curr;
curr = next;
}
return pre;
}
这个方法就不再详细讨论了,理解了第一个这个也很容易,我们下篇再见。