java – QuickSort分区算法

前端之家收集整理的这篇文章主要介绍了java – QuickSort分区算法前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我正在尝试使用Cormen算法教科书编写快速排序算法.以下是我的代码.
  1. class Quicksort
  2. {
  3. public void qSort(int[] a,int p,int r)
  4. {
  5. if(p<r)
  6. {
  7. int q = Partition(a,p,r);
  8. qSort(a,q-1);
  9. qSort(a,q+1,r);
  10. }
  11. }
  12.  
  13. private int Partition(int[] a,int r)
  14. {
  15. int x = a[r];
  16.  
  17. int i = p-1;
  18. int temp=0;
  19.  
  20. for(int j=p; j<r-1; j++)
  21. {
  22. if(a[j]<=x)
  23. {
  24. i++;
  25. temp = a[i];
  26. a[i] = a[j];
  27. a[j] = temp;
  28. }
  29. }
  30.  
  31. temp = a[i+1];
  32. a[i+1] = a[r];
  33. a[r] = temp;
  34. return (i+1);
  35. }
  36. }
  37.  
  38. public class QuickSortTest
  39. {
  40. public static void main(String[] args)
  41. {
  42. Quicksort qsort = new Quicksort();
  43. int[] array = {5,4,7,2,1,9,3,6,10,8};
  44.  
  45. System.out.print("Original Array : ");
  46. for(int i=0; i<array.length;i++)
  47. {
  48. System.out.print(array[i] + " ");
  49. }
  50.  
  51. int length = array.length;
  52.  
  53. qsort.qSort(array,length-1);
  54.  
  55. System.out.print("Sorted Array : ");
  56. for(int i=0; i<array.length;i++)
  57. {
  58. System.out.print(array[i] + " ");
  59. }
  60. }
  61. }

但是,当我执行此代码时,输​​出错误.

  1. Original Array : 5 4 7 2 1 9 3 6 10 8
  2. Sorted Array : 1 4 5 2 6 7 3 8 9 10

任何人都可以解释有什么问题.我完全按照“算法简介”一书中的说明实现了这段代码.谢谢.

解决方法

不,你没有直接复制它:)我在这里…
  1. for(int j=p; j<r-1; j++)

应该

  1. for(int j=p; j<r; j++)

要么

  1. for(int j=p; j <= r-1; j++)

这本书写道:

  1. for j = p to r - 1

其中包括r – 1.并且记住这本书的数组是从1而不是0开始的.所以一般来说,本书中的算法应该非常小心地“复制”或者从1开始的数组.

编辑:有关评论算法的信息书中的算法将最后一个元素作为枢轴.因此,对于已排序的数组,它将成为一种可怕的算法.它将以O(n ^ 2)结尾,所以没有人应该在生产中使用这个算法(除非你知道你在做什么以及你的输入是什么),因为数组往往有些排序. Java的内置算法更聪明,您可以在Javadoc中阅读它

猜你在找的Java相关文章