-
Notifications
You must be signed in to change notification settings - Fork 32
/
linkdlistsort.cpp
74 lines (60 loc) · 1.41 KB
/
linkdlistsort.cpp
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
struct ListNode {
int val;
ListNode *next;
ListNode(int x) : val(x), next(NULL) {}
};
ListNode* merge(ListNode* A, ListNode* B){
if(A == NULL){
return B;
}
if(B == NULL){
return A;
}
ListNode* head = NULL;
if(A->val < B->val){
head = A;
A = A->next;
}
else{
head = B;
B = B->next;
}
ListNode* temp = head;
while(A != NULL && B != NULL){
if(A->val < B->val){
temp->next = A;
A = A->next;
}
else{
temp->next = B;
B = B->next;
}
temp = temp->next;
}
if(A != NULL){
temp->next = A;
}
else{
temp->next = B;
}
return head;
}
ListNode* Solution::sortList(ListNode* A) {
// Do not write main() function.
// Do not read input, instead use the arguments to the function.
// Do not print the output, instead return values as specified
// Still have a doubt. Checkout www.interviewbit.com/pages/sample_codes/ for more details
ListNode* head = A;
if(head == NULL || head->next == NULL){
return head;
}
ListNode* start = A;
ListNode* end = A->next;
while(end != NULL && end->next != NULL){
start = start->next;
end = (end->next)->next;
}
end = start->next;
start->next = NULL;
return merge(sortList(head), sortList(end));
}