题目
给你链表的头结点 head ,请将其按 升序 排列并返回 排序后的链表 。
示例 1:
输入:head = [4,2,1,3]
输出:[1,2,3,4]
示例 2:
输入:head = [-1,5,3,4,0]
输出:[-1,0,3,4,5]
示例 3:
输入:head = []
输出:[]
题解
// 归并排序
var sortList = function (head) {
if (!head || head.next === null) return head;
// 使用快慢指针找到中间节点
let slow = head,
fast = head.next;
while (fast !== null && fast.next !== null) {
slow = slow.next;
fast = fast.next.next;
}
// 将链表分成两半并返回后半部分链表的头节点
let newList = slow.next;
slow.next = null;
// 对前后两个链表进行排序
let left = sortList(head);
let right = sortList(newList);
// 将排序好的两个有序链表合并为一个链表
let res = new ListNode(-1);//建立值为-1的新节点
let nHead = res;//保留头部
// 合并链表只需要调整指针的指向
// 两个链表哪个节点的值小就先指向它
while (left !== null && right !== null) {
if (left.val < right.val) {
nHead.next = left;
left = left.next;
} else {
nHead.next = right;
right = right.next;
}
nHead = nHead.next;//指针前移
}
nHead.next = left === null ? right : left;//还有一个不为null的呢 接上
return res.next;
};
笔记:
- 链表排序 二分