/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
void SwapValue (ListNode* a ,ListNode* b){
int temp = a->val;
a->val = b->val;
b->val = temp;
}
ListNode* Partition(ListNode* start ,ListNode* end){
int pivotValue = start->val;
ListNode* p = start;
ListNode* q = start -> next;
while(q != end){
if (q -> val < pivotValue){
p = p -> next;
SwapValue(p,q);
}
q = q -> next;
}
SwapValue(p,start);
return p;
}
void QuickSort(ListNode* start ,ListNode* end){
if (start != end){
ListNode* mid =Partition(start ,end);
QuickSort(start,mid);
QuickSort(mid->next,end);
}
}
ListNode* sortList(ListNode* head) {
QuickSort(head,NULL);
return head;
}
};
单链表快排的主要问题在于partition函数不好计算。因为要出现频繁读取下标的情况。而单链表恰恰无法轻易读取下标。
所以我们这里采取两个指针,p从头,q从第二个结点,每当q小于pivot时候,则令p=next,然后交换pq的值,把小的值交换到左边。同时p也向右侧移动,p最后作为pivot返回。
swap函数和quicksort函数直接照数组快速排序改一改就行了。
但是此排序性能并不优秀,我怀疑是leetcode上的测试用例有很多顺序逆序的case。