Created
September 9, 2018 16:03
-
-
Save tamarous/fe75fbd35f7a61e44636d3c21711d885 to your computer and use it in GitHub Desktop.
单链表快速排序
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <iostream> | |
#include <vector> | |
#include <algorithm> | |
using namespace std; | |
typedef struct ListNode { | |
int val; | |
struct ListNode *next; | |
ListNode(int val):val(val) {} | |
} ListNode; | |
ListNode *getPartition(ListNode *begin, ListNode *end) { | |
int pivot = begin->val; | |
ListNode *p = begin, *q = p->next; | |
while (q != end) { | |
if (q->val < pivot) { | |
p = p->next; | |
swap(p->val, q->val); | |
} | |
q = q->next; | |
} | |
swap(p->val, begin->val); | |
return p; | |
} | |
void quickSort(ListNode *begin, ListNode *end) { | |
if (begin != end) { | |
ListNode *part = getPartition(begin,end); | |
quickSort(begin, part); | |
quickSort(part->next, end); | |
} | |
} | |
int main() { | |
ListNode *head = new ListNode(3); | |
head->next = new ListNode(1); | |
head->next->next = new ListNode(2); | |
head->next->next->next = new ListNode(4); | |
head->next->next->next->next = NULL; | |
quickSort(head, NULL); | |
while(head) { | |
cout << head->val << " "; | |
head = head->next; | |
} | |
cout << endl; | |
return 0; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment