快速排序算法表现奇怪

时间:2013-03-10 12:14:07

标签: c sorting quicksort

这是一个尝试使用快速排序算法对数组进行排序的程序。 除了输出不正确外,一切似乎都没问题。

(尝试n = 5的程序,然后n = 10.它适用于前者,但不适用于后者。)

#include <stdio.h>
//#include <iostream.h>
//#include <conio.h>

int partition(int arr[], int left, int right)   {
    int i = left, j = right;
    int temp;

    //Choosing the middle element as the pivot
    //int pivot=arr[left];
    int pivot = arr[(left+right)/2];

    while (i <= j) {
        while (arr[i] < pivot) {i++;}
        while (arr[j] > pivot) {j--;}

        if (i <= j) {
            temp = arr[i];
            arr[i] = arr[j];
            arr[j] = temp;
            i++;
            j--;
        }
    }

    return i;
}

void quick_sort(int arr[], int p, int r)   {
    if (p<r)   {
       int q=partition(arr, p, r);
       quick_sort(arr, p, q-1);
       quick_sort(arr, q+1, r);
    }
}

int main()  {
    int values[100], n, i;

    //clrscr();

    printf("Enter no. of elements ");
    scanf("%d", &n);

    if (n>100) {
        printf("Invalid input. Exiting now");
        //getch();
        return 0;
    }

    for (i=0; i<100; i++) values[i]=0;

    printf("Enter the numbers\n");
    for (i=0; i<n; i++) scanf("%d", &values[i]);

    printf("The numbers you entered are\n");
    for (i=0; i<n; i++) printf("%d ", values[i]);

    printf("\n");

    quick_sort(values, 0, n-1);

    printf("Numbers after sorting are\n");
    printf("(The output might not be the expected one (Be careful).\n");
    for (i=0; i<n; i++) printf("%d ", values[i]);

    //std::cin.get();

    return 0;
}

2 个答案:

答案 0 :(得分:2)

有两个问题。首先,比较i <= j是错误的。如果i == j,则不应将元素与自身交换。这应该在两个地方都更改为i < j。其次,交换后不应移动ij数组标记。如果是最后一次交换,则会将i推过实际的数据透视并导致错误。

int partition(int arr[], int left, int right)   {
    int i = left, j = right;
    int temp;

    //Choosing the middle element as the pivot
    //int pivot=arr[left];
    int pivot = arr[(left+right)/2];

    while (i < j) {
        while (arr[i] < pivot) {i++;}
        while (arr[j] > pivot) {j--;}

        if (i < j) {
            temp = arr[i];
            arr[i] = arr[j];
            arr[j] = temp;
        }
    }

    return i;
}

答案 1 :(得分:-1)

最好使用 algorithm.h

中的标准排序

http://www.cplusplus.com/reference/algorithm/sort/