给你链表的头结点 head ,请将其按 升序 排列并返回 排序后的链表 。
进阶:
你可以在 O(n log n) 时间复杂度和常数级空间复杂度下,对链表进行排序吗?
示例 1:
输入:head = [4,2,1,3]
输出:[1,2,3,4]
示例 2:
输入:head = [-1,5,3,4,0]
输出:[-1,0,3,4,5]
示例 3:
输入:head = [] 输出:[]
提示:
链表中节点的数目在范围 [0, 5 * 104] 内
-105 <= Node.val <= 105
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/sort-list
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
用归并排序可以轻松实现nlgn的时间复杂度
但是空间复杂度其实是lgn 因为递归需要栈空间
所以还是实现一个简单的归并吧:
class Solution {
ListNode[] split(ListNode head) {
//把一个链表分成等长的两个链表
ListNode t = new ListNode(0, head);
head = t;
ListNode slow = head, fast = head;
while(fast != null && fast.next != null) {
slow = slow.next;
fast = fast.next.next;
}
t = slow.next;
slow.next = null;
return new ListNode[]{t, head.next};
}
ListNode merge(ListNode l1, ListNode l2) {
if(l1 == null) {
return l2;
}
if(l2 == null) {
return l1;
}
if(l1.val > l2.val) {
ListNode t = l1;
l1 = l2;
l2 = t;
}
//l2往l1上并
ListNode t1 = l1;
while(t1.next != null && l2 != null) {
if(t1.next.val <= l2.val) {
t1 = t1.next;
} else {
ListNode t = l2;
l2 = l2.next;
t.next = t1.next;
t1.next = t;
t1 = t1.next;
}
}
if(t1.next == null) {
t1.next = l2;
}
return l1;
}
public ListNode sortList(ListNode head) {
//实现个归并算了
if(head == null || head.next == null) {
return head;
}
ListNode[] ss = split(head);
ss[1] = sortList(ss[1]);
ss[0] = sortList(ss[0]);
ListNode ret = merge(ss[0], ss[1]);
return ret;
}
}
把子过程拆出来真的是让人神清气爽