leetcode148排序链表

文章目录
  1. 1. 参考资料

O(n log n) 时间复杂度和常数级空间复杂度下,对链表进行排序。

不能用递归法来解,所以按照链表长度从 1 到 len,倍增进行合并。需要依次合并长度为 1,2,4…..len的链表。

主要需要将链表分割成一个个长度为 size 的小段,并且将长度为 size 的小段进行合并。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
// cut n个节点,然后返回剩下的链表的头节点
ListNode* cut(ListNode* head, int n) {
ListNode* node = head;
while(--n && node) node = node->next;
if(node == NULL) return NULL;
ListNode* next = node->next;
node->next = NULL;
return next;
}

ListNode* merge(ListNode* l1, ListNode* l2) {
ListNode* dummy = new ListNode(0);
ListNode* node = dummy;
while(l1 && l2) {
if(l1->val < l2-> val) {
node->next = l1;
l1 = l1->next;
} else {
node->next = l2;
l2 = l2->next;
}
node = node->next;
}
if(l1) node->next = l1;
else node->next = l2;
return dummy->next;
}
ListNode* sortList(ListNode* head) {
if(head == NULL || head->next == NULL) return head;
int len = 0;
ListNode* node = head;
while(node) {
len++;
node = node->next;
}
ListNode* dummy = new ListNode(0);
dummy->next = head;
for(int sz = 1; sz < len; sz*=2) {
ListNode* cur = dummy->next; // 待分割链表的第一个节点 tail为已经合并好的链表的最后一个节点
ListNode* tail = dummy;
while(cur) {
ListNode* left = cur;
ListNode* right = cut(left, sz);
cur = cut(right, sz);
tail->next = merge(left, right);
while(tail->next) tail = tail->next;
}
}

return dummy->next;
}
};

参考资料