java中的递归快速排序

时间:2017-02-15 07:57:01

标签: java recursion quicksort partition

这是我的快速排序代码。它给了我一个错误的答案,但我认为我的分区功能是正确的。

public class Quick_Sort {

public static void main(String[] args) 
{

    int a[] = {99,88,5,4,3,2,1,0,12,3,7,9,8,3,4,5,7};
        quicksort(a, 0, a.length-1);
}

static int partition(int[] a, int low , int hi)
{
    int pivot = hi;
    int i =low;
    int j = hi-1;
    while(i<j)
    {
        if(a[i]<=a[pivot])
        {
            i++;
        }
        if(a[i]>a[pivot])
        {   
        if((a[i]>a[pivot]) && (a[j]<=a[pivot]))
        {
            int temp= a[i];
            a[i]=a[j];
            a[j]=temp;
            i++;    
        }
        if(a[j]>a[pivot])
        {
            j--;
        }
        }
    }
    int temp= a[i];
    a[i]=a[pivot];
    a[pivot]=temp;
    return i;
}
static void quicksort(int[] a, int low, int hi)
{
    if(low>=hi)
    {
        return;
    }
    int split = partition(a, low, hi);
    quicksort(a, low, split-1);
    quicksort(a, split+1, hi);
}
}

这是最终输出:

1 0 3 2 3 4 4 5 5 7 3 7 8 9 12 88 99

尝试干运行,无法看到错误

3 个答案:

答案 0 :(得分:2)

partition方法中,您已将j分配给hi - 1。它应该只设置为hi

static int partition(int[] a, int low , int hi)
{
    int pivot = hi;
    int i =low;
//  int j = hi-1; // CHANGE THIS TO 
    int j = hi; // THIS 
    while(i<j)

我做出改变后得到了这个输出:

[0, 1, 2, 3, 3, 3, 4, 4, 5, 5, 7, 7, 8, 9, 12, 88, 99]

希望这有帮助!

答案 1 :(得分:0)

这是一个非常好的实现,并且更加Java标准。也许你想看看这里,显然所有的学分都归原作者所有。

http://www.vogella.com/tutorials/JavaAlgorithmsQuicksort/article.html

答案 2 :(得分:0)

这是C#代码:

 public void RecursiveQuickSort(int[] array, int start, int end)
    {
        if (start < end)
        {
            int pivot = start;
            int left = start + 1;
            int right = end;

            while (true)
            {
                while (array[left] <= array[pivot] && left < right)
                    left++;
                while (array[right] > array[pivot] && left < right)
                    right--;
                if (left < right)
                {
                    Swap(array, left, right);
                }
                else
                {
                    pivot = (array[pivot] > array[left]) ? left : left - 1;
                    Swap(array, start, pivot);
                    RecursiveQuickSort(array, start, pivot - 1);
                    RecursiveQuickSort(array, pivot + 1, end);
                    return;
                }
            }
        }
    }

    private void Swap(int[] array, int index1, int index2)
    {
        int temp = array[index1];
        array[index1] = array[index2];
        array[index2] = temp;
    }