我想知道为什么我的quickSort这么慢。排序以下数组需要10-20秒。 Bubblesort(如下所示)自动完成。
public static void quickSort(int[] tab, int lowIndex, int highIndex) {
if (tab == null || tab.length == 0) {
return;
}
int i = lowIndex;
int j = highIndex;
int pivot = tab[lowIndex + (highIndex - lowIndex) / 2];
while (i <= j) {
while (tab[i] < pivot) {
i++;
}
while (tab[j] > pivot) {
j--;
}
if (i <= j) {
int c = tab[i];
tab[i] = tab[j];
tab[j] = c;
i++;
j--;
}
if (lowIndex < j) {
quickSort(tab, lowIndex, j);
}
if (i < highIndex) {
quickSort(tab, i, highIndex);
}
}
}
public static void bubbleSort(int[] arr) {
int n = arr.length - 1;
while (n >= 1) {
for (int i = 0; i < n; i++) {
if (arr[i] > arr[i + 1]) {
int c = arr[i];
arr[i] = arr[i + 1];
arr[i + 1] = c;
}
}
n--;
}
}
public static void main(String[] args) {
int[] t = new int[] { 5, 1, 33, 13, 21, 2, 12, 4,
2, 3, 53, 2, 125, 23, 53, 523, 5, 235, 235, 235, 23, 523, 1,
2, 41, 2412, 412, 4, 124, 1, 241, 24, 1, 43, 6, 346, 457, 56,
74, 5, 3, 5, 1, 33, 13, 21, 2, 12, 4,
2, 3, 53, 2, 125, 23, 53, 523, 5, 235, 235, 235, 23, 523, 1,
2, 41, 2412, 412, 4, 124, 1, 241, 24, 1, 43, 6, 346, 457, 56,
74, 5, 3, 74, 5, 3, 5, 1, 33, 13, 21, 2, 12, 4,
2, 3, 53, 2, 125, 23, 53, 523, 5, 235, 235, 235, 23, 523, 1,
2, 41, 2412, 412, 4, 124, 1, 241, 24, 1, 43, 6, 346, 457, 56,
74, 5, 3 };
答案 0 :(得分:1)
基本上,你的冒泡排序会以某种方式被破坏 - 使用Darren Engwirda在http://www.mycstutorials.com/articles/sorting/quicksort的评论中链接的实现,并且每次运行带有新创建的数组的排序,我得到以下时间:< / p>
bash-3.1$ time java -cp bin Sort none
real 0m0.079s
user 0m0.000s
sys 0m0.015s
bash-3.1$ time java -cp bin Sort quick
real 0m0.084s
user 0m0.015s
sys 0m0.015s
bash-3.1$ time java -cp bin Sort bubble
real 0m0.115s
user 0m0.000s
sys 0m0.000s
运行三个测试的基础设施是:
private static int[] data () {
return new int[] { ... the same data as in the OP ... };
}
public static void main(String[] args) {
if ( args.length == 0 || args [ 0 ].equals ( "bubble" ) ) {
for ( int i = 0; i < 1000; ++i ) {
int[] data = data();
bubbleSort ( data );
}
} else if ( args [ 0 ].equals ( "none" ) ) {
for ( int i = 0; i < 1000; ++i ) {
int[] data = data();
}
} else if ( args [ 0 ].equals ( "quick" ) ) {
for ( int i = 0; i < 1000; ++i ) {
int[] data = data();
quickSort( data, 0, data.length-1 );
}
} else if ( args [ 0 ].equals ( "quick_op" ) ) {
for ( int i = 0; i < 1000; ++i ) {
int[] data = data();
quickSort_op( data, 0, data.length-1 );
}
}
}
因此,正确实现的快速排序需要大约5μs来对数据进行排序,并且您的冒泡排序需要大约36μs来对数据进行排序。对于这些数据,快速排序算法的性能优于冒泡排序。
在循环外部移动递归调用意味着您的代码对数组进行排序(尽管我没有检查其中是否存在任何其他缺陷),结果如下:
bash-3.1$ time java -cp bin Sort op_quick
real 0m0.108s
user 0m0.015s
sys 0m0.015s
哪个仍然比冒泡排序快,但不如其他实现快 - 我认为你可能会重叠j和i并且不止一次访问数组的部分。