题目:
给你链表的头节点 head ,每 k 个节点一组进行翻转,请你返回修改后的链表。
k 是一个正整数,它的值小于或等于链表的长度。如果节点总数不是 k 的整数倍,那么请将最后剩余的节点保持原有顺序。
你不能只是单纯的改变节点内部的值,而是需要实际进行节点交换。
输入:head = [1,2,3,4,5], k = 2
输出:[2,1,4,3,5]
思路:
- 构建一个伪节点
- 遍历链表,每 k个循环一次
- 找到这k个节点的首尾节点
- 反转链表
- 将反转后的链表拼接回原来的链表
代码:
public ListNode reverseKGroup(ListNode head, int k) {
//伪节点
ListNode fake = new ListNode(0);
fake.next = head;
ListNode pre = fake;
while (head != null) {
ListNode tail = pre;
// 查看剩余部分长度是否大于等于 k
for (int i = 0; i < k; ++i) {
tail = tail.next;
if (tail == null) {
return fake.next;
}
}
ListNode nex = tail.next;
//反转链表,返回链表的首尾节点
ListNode[] reverse = myReverse(head, tail);
head = reverse[0];
tail = reverse[1];
// 把子链表重新接回原链表
pre.next = head;
tail.next = nex;
pre = tail;
head = tail.next;
}
return fake.next;
}
/**
* 反转链表
*/
public ListNode[] myReverse(ListNode head, ListNode tail) {
ListNode prev = tail.next;
ListNode p = head;
while (prev != tail) {
ListNode nex = p.next;
p.next = prev;
prev = p;
p = nex;
}
return new ListNode[]{tail, head};
}
}
另一种解法:
这种解法,反转链表跟普通的反转链表一样。可以顺便练一下反转链表。
如果追求 通过率,用这种方式好些。
class Solution {
public ListNode reverseKGroup(ListNode head, int k) {
//k个一组反转链表
//创建一个虚拟节点
ListNode fake = new ListNode(0);
fake.next = head;
//pre 代表待翻转链表的前驱,end 代表待翻转链表的末尾
ListNode pre = fake;
ListNode end = fake;
while (end.next!=null) {
//检查下剩下的还有没有 k 个
for (int i=0;i<k && end!=null;i++) {
end = end.next;
}
//记录待翻转链表的后继 end,如果 end为 null,说明已经到达末尾了,不足k个。
if (end == null) {
break;
}
//先记下待翻转的首节点、尾节点
ListNode start = pre.next;
ListNode next = end.next;
//k个一组,先断开链表
end.next = null;
//翻转链表, pre.next指向翻转后的链表
pre.next = reverse(start);
//翻转之后,start变成了已翻转部分的末尾,需要跟未翻转部分连接。
start.next = next;
//重置变量,继续迭代
pre = start;
end = pre;
}
return fake.next;
}
/**
* 反转链表
*/
public ListNode reverse(ListNode head) {
//反转链表
if (head==null) {
return null;
}
ListNode pre = null;
ListNode curr = head;
//上一个节点,当前节点,下一个节点
//记住下一个节点
while (curr!=null) {
ListNode next = curr.next;
//当前节点指向上一个节点
curr.next = pre;
//向后迭代,当前节点变成上一个节点,下一个节点,变成当前节点
pre = curr;
curr = next;
}
return pre;
}
}
标签:head,ListNode,next,链表,tail,LeetCode25,节点,翻转
From: https://www.cnblogs.com/expiator/p/18679387