思路:
链表没有下标,如果是两个已经排好序的链表组合到一起,那就简单了,直接merge sort,
那能不能分而治之,把一个链表不断地拆成两个,直到拆到为空或者只有一个元素,这样必然是排好序的,然后再逐渐merge,拼成整个链表。
拆成两部分用快慢指针就可以,但是注意,一定要把慢指针(也就是中间点)的前面指针断开,这样才达到拆分的目的。
public ListNode sortList(ListNode head) {
if(head == null || head.next == null) return head;
ListNode fast = head;
ListNode slow = head;
ListNode pre = head;
while(fast != null) {
pre = slow;
slow = slow.next;
if(fast.next == null) break;
fast = fast.next.next;
}
pre.next = null;
return merge(sortList(head), sortList(slow));
}
ListNode merge(ListNode h1, ListNode h2) {
if(h1 == null) return h2;
if(h2 == null) return h1;
//head.next指向第一个元素,这样就不用考虑一直更新head的问题
ListNode head = new ListNode();
//指向当前的元素
ListNode tmp = new ListNode();
tmp = head;
while(h1 != null && h2 != null) {
if(h1.val < h2.val) {
tmp.next = h1;
h1 = h1.next;
} else {
tmp.next = h2;
h2 = h2.next;
}
tmp = tmp.next;
}
if(h1 != null) tmp.next = h1;
if(h2 != null) tmp.next = h2;
return head.next;
}