143.重拍链表
题目
给定一个单链表 L 的头节点 head ,单链表 L 表示为:
L0 → L1 → … → Ln - 1 → Ln
请将其重新排列后变为:
L0 → Ln → L1 → Ln - 1 → L2 → Ln - 2 → …
不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。
示例 1:
输入:head = [1,2,3,4]
输出:[1,4,2,3]
示例 2:
输入:head = [1,2,3,4,5]
输出:[1,5,2,4,3]
提示:
链表的长度范围为 [1, 5 * 104]
1 <= node.val <= 1000
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/reorder-list
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
题解
L0->Ln L1->Ln - 1
第一问题应该解决,怎么找到先找到Ln,再找到Ln - 1,也就是逆序访问。
之前遇见过逆序访问有两种办法
- 借助栈
- 反转链表
这里我们采用反转链表的方法,从哪里开始反转链表?
情况1:1->2->3->4 从3开始反转
情况2:1->2->3->4->5 从4开始反转
我们使用双指针来找到需要反转的开始节点
//找到反转链表的开始节点
ListNode fast = head;
ListNode slow = head;
while(fast!=null && fast.next !=null){
fast=fast.next.next;
slow=slow.next;
}
if(fast!=null){
slow =slow.next;
}
//开始反转
ListNode pre =null;
ListNode tmp;
while(slow!=null){
tmp = slow.next;
slow.next = pre;
pre = slow;
slow = tmp;
}
注意一下开始反转的前一个节点是没有断链的,情况1:1->2->3->4中的链表从中间反转之后是 1->2 4->3,但是这里的2是指向了3的。
我们可以看成两个链表,所以这里需要对原链表进行断链,同时遍历两个链表开始按条件连接。
//找到反转链表的开始节点
ListNode fast = head;
ListNode slow = head;
ListNode dummy= new ListNode(0);
dummy.next = head;
ListNode tmp =dummy;
while(fast!=null && fast.next !=null){
fast=fast.next.next;
slow=slow.next;
tmp = tmp.next;
}
if(fast!=null){
slow =slow.next;
tmp = tmp.next;
}
tmp.next = null; //断链操作
//开始反转
ListNode pre =null;
while(slow!=null){
tmp = slow.next;
slow.next = pre;
pre = slow;
slow = tmp;
}
//按条件重新连接
//pre开头的链表比fast开头的链表少一个节点
while(pre!=null){
tmp = head.next;
fast = pre.next; //fast作为临时变量tmp2
head.next = pre;
pre.next = tmp;
head = tmp;
pre = fast;
}
return dummy.next;
代码
/**
* 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; }
* }
*/
class Solution {
public void reorderList(ListNode head) { //这里有点奇怪,题目设定的没有返回值
//找到反转链表的开始节点
ListNode fast = head;
ListNode slow = head;
ListNode dummy= new ListNode(0);
dummy.next = head;
ListNode tmp =dummy;
while(fast!=null && fast.next !=null){
fast=fast.next.next;
slow=slow.next;
tmp = tmp.next;
}
if(fast!=null){
slow =slow.next;
tmp = tmp.next;
}
tmp.next = null; //断链操作
//开始反转
ListNode pre =null;
while(slow!=null){
tmp = slow.next;
slow.next = pre;
pre = slow;
slow = tmp;
}
//按条件重新连接
//pre开头的链表比fast开头的链表少一个节点
while(pre !=null){
tmp = head.next;
fast = pre.next; //fast作为临时变量tmp2
head.next = pre;
pre.next = tmp;
head = tmp;
pre = fast;
}
head = dummy.next; //既然不用返回的话,我们还是让head指向头节点
}
}
优化
中间节点可以这样找,这样更方便断链。
偶数节点时找到左边的节点。
//找中点,链表分成两个
ListNode slow = head;
ListNode fast = head;
while (fast.next != null && fast.next.next != null) {
slow = slow.next;
fast = fast.next.next;
}
ListNode newHead = slow.next;
slow.next = null;