题目描述
给定一个单链表 L:L0→L1→…→Ln-1→Ln ,
将其重新排列后变为: L0→Ln→L1→Ln-1→L2→Ln-2→…
你不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。
相关话题: 链表 难度: 中等
示例 1:
给定链表 1->2->3->4, 重新排列为 1->4->2->3.
示例 2:
给定链表 1->2->3->4->5, 重新排列为 1->5->2->4->3.
思路:
- 首先要找到链表的中点,可以使用两个指针,一个慢指针
slow
和一个快指针fast
,慢指针和快指针的初始位置都在开头,慢指针一次走一步,快指针一次走两步,当快指针走到末尾,慢指针所在位置就是链表的中心。(注意边界)
//链表中心
while(fast.next != null && fast.next.next != null){
fast = fast.next.next;
slow = slow.next;
}
- 将后半段链表脱离出来,反转(请看反转链表 II),再遍历,一个一个脱离出来插入到前半段合适的位置
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public void reorderList(ListNode head) {
if(head == null || head.next == null) return;
ListNode slow = head, fast = head;
//找到需要重排的节点分隔处
while(fast.next != null && fast.next.next != null){
fast = fast.next.next;
slow = slow.next;
}
fast = slow.next;
slow.next = null;
slow = head;
//反转后半段链表
for(ListNode p = fast;p.next != null;){
ListNode x = p.next;
p.next = x.next;
x.next = fast;
fast =x;
}
while(fast != null){
ListNode x = fast;
fast = x.next;
x.next = slow.next;
slow.next = x;
slow = slow.next.next;
}
}
}
(执行用时:3ms,击败94.15%用户)
后半段也可以依次压入栈中,随后一个一个弹栈,然后插入前半段合适的位置
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public void reorderList(ListNode head) {
if(head == null) return;
Stack stack = new Stack();
ListNode slow = head, fast = head;
//找到需要重排的节点分隔处
while(fast.next != null && fast.next.next != null){
fast = fast.next.next;
slow = slow.next;
}
//将后半段链表节点压栈
while(slow.next != null){
stack.push(slow.next);
slow.next = slow.next.next;
}
slow = head;
while(!stack.isEmpty()){
ListNode x = stack.pop();
x.next = slow.next;
slow.next = x;
slow = slow.next.next;
}
}
}
(执行用时:10ms,击败26.27%用户)