原题链接
给定一个单链表 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.
Related Topics 链表
602 0
使用 list 存储链表, 然后按照一前一后顺序重排链表
class Solution {
public void reorderList(ListNode head) {
if (head == null) {
return;
}
List<ListNode> nodeList = new ArrayList<>();
ListNode p = head;
while (p != null) {
nodeList.add(p);
p = p.next;
}
//头尾指针依次取元素
int i = 0, j = nodeList.size() - 1;
while (i < j) {
nodeList.get(i).next = nodeList.get(j);
i++;
//偶数个节点的情况,会提前相遇
if (i == j) {
break;
}
nodeList.get(j).next=nodeList.get(i);
j--;
}
nodeList.get(i).next = null;
}
}
class Solution {
public void reorderList(ListNode head) {
if (head == null || head.next == null) {
return;
}
// 快慢指针找链表中点
ListNode slow = head;
ListNode fast = head;
while (fast.next != null && fast.next.next != null) {
fast = fast.next.next;
slow = slow.next;
}
// 分割链表并反转后一个链表
ListNode second = slow.next;
slow.next = null;
second = reverse(second);
// 合并两个链表
ListNode first = head;
while (first != null && second != null) {
// 保存两个结点的后驱结点
ListNode fNext = first.next;
ListNode sNext = second.next;
// 建立连接
first.next = second;
second.next = fNext;
first = fNext;
second = sNext;
}
}
// 反转链表
public ListNode reverse(ListNode head) {
ListNode pre = null;
ListNode curr = head;
while (curr != null) {
ListNode temp = curr.next;
curr.next = pre;
pre = curr;
curr = temp;
}
return pre;
}
}
参考:
详细通俗的思路分析,多解法