我需要在C中编写快速排序算法作为家庭作业。这是我给出的原型:
static inline
int* choose_pivot(int *left, int *right) {
/* FIX ME */
}
/*
* partition(left, right, pivot): push value less than *pivot on the left
* return the new pivot.
*/
int* partition(int *left, int *right, int *pivot) {
/* FIX ME */
}
/*
* quick_sort(left, right)
*/
void quick_sort(int *left, int *right) {
/* FIX ME */
}
其中left
是指向数组第一个元素的指针,right
是指向最后一个元素的指针(不包括在内)。我写了以下代码:
static inline
int* choose_pivot(int *left, int *right) {
return &left[(right - left)/2];
}
void swap(int *a, int *b) {
int c = *a;
*a = *b;
*b = c;
}
int* partition(int *left, int *right, int *pivot) {
int *i, *q;
q = right;
i = left ;
while ( q > pivot ) {
while ( pivot < i )
pivot++;
while ( q > i )
q--;
if ( *q > *pivot ) {
swap(pivot,q);
}
}
swap(left, q);
return q ;
}
void quick_sort(int *left, int *right) {
if(left >= right)
return;
int *pivot = partition(left, right, choose_pivot(left, right));
quick_sort(left, pivot-1);
quick_sort(pivot + 1, right);
}
我正在运行3种测试:一种是在排序的数组上,另一种是在反向排序的数组上, 一个在反向排序的一个。第一个测试运行良好,但第二个测试失败了。基本上意味着功能不起作用。我无法找到关于我应该做什么的任何文档,因为所有快速排序算法都使用它的长度而不是最后一个元素上的指针,我无法适应我发现的那些表示。这里出了什么问题?
编辑:
我的新分区功能现在看起来像这样:
int* partition(int *left, int *right, int *pivot) {
int *i, *q;
q = right;
i = left ;
int p = *pivot;
while ( q > pivot ) {
while ( p < *i )
pivot++;
while ( *q > *i )
q--;
if ( q > pivot ) {
swap(pivot,q);
}
}
swap(left, q);
return q ;
}
答案 0 :(得分:1)
这是使用指针进行快速排序的简单功能..
quicksort( void *a, int low, int high )
{
int pivot;
/* Termination condition! */
if ( high > low )
{
pivot = partition( a, low, high );
quicksort( a, low, pivot-1 );
quicksort( a, pivot+1, high );
}
}
分区功能
int partition( void *a, int low, int high )
{
int left, right;
void *pivot_item;
pivot_item = a[low];
pivot = left = low;
right = high;
while ( left < right ) {
/* Move left while item < pivot */
while( a[left] <= pivot_item ) left++;
/* Move right while item > pivot */
while( a[right] > pivot_item ) right--;
if ( left < right ) SWAP(a,left,right);
}
/* right is final position for the pivot */
a[low] = a[right];
a[right] = pivot_item;
return right;
}
希望这会有所帮助!!
答案 1 :(得分:0)
void quick_sort (int *a, int n) {
if (n < 2)
return;
int p = a[n / 2];
int *l = a;
int *r = a + n - 1;
while (l <= r) {
if (*l < p) {
l++;
}
else if (*r > p) {
r--;
}
else {
int t = *l;
*l = *r;
*r = t;
l++;
r--;
}
}
quick_sort(a, r - a + 1);
quick_sort(l, a + n - l);
}
int main () {
int a[] = {4, 65, 2, -31, 0, 99, 2, 83, 782, 1};
int n = sizeof a / sizeof a[0];
quick_sort(a, n);
printf("%d", a[]);
return 0;
}
// [1]: https://www.cse.ust.hk/~dekai/271/notes/L01a/quickSort.pdf
// [2]: http://www.cprogramming.com/tutorial/computersciencetheory/quicksort.html
// [3]: http://rosettacode.org/wiki/Sorting_algorithms/Quicksort