1

根据关于快速排序算法的在线资源,我重构了以下函数:

void quickSort(int *array, int arrayLength, int first, int last) {

    int pivot, j, i, temp;
    if (first < last) {
        pivot = first;
        i = first;
        j = last;

        while (i < j) {
            while (array[i] <= array[pivot] && i < last) {
                i++;
            }
            while (array[j] > array[pivot]) {
                j--;
            }
            if (i < j) {
                temp = array[i];
                array[i] = array[j];
                array[j] = temp;
            }
        }

        temp = array[pivot];
        array[pivot] = array[j];
        array[j] = temp;
        quickSort(array, arrayLength, first, j-1);
        quickSort(array, arrayLength, j+1, last);
    }
    printBars(array, arrayLength);
}

为了看看它是如何发挥它的魔力的,我编写了一个printBars程序,它像这样打印数组的内容

int bars[] = {2, 4, 1, 8, 5, 9, 10, 7, 3, 6};
int barCount = 10;
printBars(bars, barCount);

在此处输入图像描述

quickSort我在前面提到的数组上运行后的最终结果bars[]是这个图形

quickSort(bars, barCount, 1, 10);

在此处输入图像描述

我的问题:

  1. 去哪儿了10
  2. 为什么有一个0作为值之一(原始数组没有它)?
4

1 回答 1

2

数组索引是从零开始的。所以你只想更正你的电话

quickSort(bars, barCount, 0, 9);

或者最好

quickSort(bars, barCount, 0, barCount - 1);
于 2013-11-14T21:30:45.770 回答