-
Notifications
You must be signed in to change notification settings - Fork 0
/
sortList.c
87 lines (75 loc) · 2.29 KB
/
sortList.c
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
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
// https://leetcode.com/problems/sort-list/
/*
* Sort a linked list in O(n log n) time using constant space complexity.
*/
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* struct ListNode *next;
* };
*/
//使用 mergesort
#include "ListNode.h"
#include <stdlib.h>
struct ListNode* mergeTwoLists(struct ListNode* l1,
struct ListNode* l2) {
struct ListNode* new, *cur; // new 新链表的表头,cur: new中已经就位的最后一个节点
if(l1 == NULL)
return l2;
if(l2 == NULL)
return l1;
if(l1->val <= l2->val){
cur = new = l1;
l1 = l1->next;
} else {
cur = new = l2;
l2 = l2->next;
}
while(l1 != NULL && l2 != NULL){
if(l1->val <= l2->val){
cur->next = l1;
l1 = l1->next;
}else{
cur->next = l2;
l2 = l2->next;
}
cur = cur->next;
}
if(l1 == NULL)
cur->next = l2;
else
cur->next = l1;
return new;
}
struct ListNode* sortList(struct ListNode* head) {
struct ListNode *fast=head, *slow=head, *slow_pre=NULL;
if(head == NULL)
return NULL;
if(head->next == NULL) // 一个节点,不用排
return head;
while(fast != NULL && fast->next != NULL){
slow_pre = slow;
slow = slow->next;
fast = fast->next->next;
}
struct ListNode *l2 = slow;
slow_pre->next = NULL;
struct ListNode *sorted1 = sortList(head);
struct ListNode *sorted2 = sortList(l2);
struct ListNode *res = mergeTwoLists(sorted1, sorted2);
return res;
}
/* notes:
* 已通过 leetcode。
* 一个容易犯错的地方:slow 指向的节点是合并排序右半部分的第一个节点,
* 引起slow 前面的那个link 应该被砍断,所以一个指针来保存前一个节点。
* 我写第一遍时,为图方便,将slow 后面的link 砍断,这是不对的,比如
* 只有两个节点时,陷入了死循环,因为两部分不均等。
*
* 另一个容易犯错的地方:只有一个节点时,要直接返回,这种边界情况
* 容易被忘记(就是 sortList 函数的第二个if语句)。
*
* 觉得链表的 mergesort 比数组的 mergesort 要简单,对于数组,要设置
* 哨兵元素。
*/