尝试实现递归方法对整数数组进行排序:
public static void bubbleSort(int[] arr, int n){
int index = n-1;
System.out.println("Round number: " + n);
System.out.println(Arrays.toString(arr));
while(index>=1)
{
if(arr[index] < arr[index-1])
swap(arr, index, index-1);
index--;
}
if(n>1)
bubbleSort(arr, n-1);
}
}
它似乎在前几轮工作正常,将集合中的最小整数移到前面,但它只是在中途停止工作。知道为什么吗?谢谢!
答案 0 :(得分:3)
您的算法每次都会将最小值移动到数组的开头,然后忽略后续调用中的最后一个元素。不幸的是,最后一个元素不能保证是最大的。
解决此问题的一种方法可能是将index
初始化为arr.length - 1
,并在index > arr.length - n
期间继续循环。
答案 1 :(得分:1)
将if
条件更改为:
...
if(arr[index] < arr[index-1]){
swap(arr, index, index-1);
index = n;
}
index--;
...
问题是,在您找到要在整个阵列中“委派”的阵列成员之后 - 您需要“重新启动”,因为可能会有其他成员需要“重新考虑”。 使用调试器运行,看看我的意思,如果我对我的描述不够清楚。
完整解决方案:
import java.util.Arrays;
/**
* User: alfasin
* Date: 8/5/13
*/
public class BubbleSort {
public static void bubbleSort(int[] arr, int n){
int index = n-1;
System.out.println("Round number: " + n);
System.out.println(Arrays.toString(arr));
while(index>=1)
{
if(arr[index] < arr[index-1]){
swap(arr, index, index-1);
index = n;
}
index--;
}
if(n>1)
bubbleSort(arr, n-1);
}
private static void swap(int[] arr, int index, int i) {
arr[i] = arr[i] ^ arr[index];
arr[index] = arr[i] ^ arr[index];
arr[i] = arr[i] ^ arr[index];
}
public static void main(String...args){
int[] arr = {4,2,9,6,2,8,1};
bubbleSort(arr, arr.length);
for(int i=0; i<arr.length; i++){
System.out.print(arr[i]+" ");
}
}
}
像sjee397建议的那样 - 这更像是泡泡排序的“版本”......
更加“保守”的冒泡版本:
public static void bubbleSort(int[] arr, int n){
boolean swapped= true;
while (swapped){
swapped = false;
for(int i=0; i<arr.length-1; i++){
if(arr[i]>arr[i+1]){
swap(arr,i,i+1);
swapped = true;
}
}
}
}
答案 2 :(得分:1)
试试这个:
import java.util.*;
public class Test{
public static void main(String[] args){
int[] ttt = {9,8,7,6,5,4,3,2,1};
bubbleSort(ttt, ttt.length);
}
public static void bubbleSort(int[] arr, int n){
int index = 0;
System.out.println("Round number: " + n);
System.out.println(Arrays.toString(arr));
while(index < n - 1){
if(arr[index] > arr[index + 1]){
swap(arr, index, index + 1);
}
index++;
}
if(n > 1){
bubbleSort(arr, n-1);
}
}
public static void swap(int[] arr, int i, int j){
int tmp = arr[i];
arr[i] = arr[j];
arr[j] = tmp;
}
}
在你的每一轮你的情况下,你保证在每一轮结束时你将最小的数字推到它的位置,但是然后省略数组的最后一个元素,这不一定是最大的数字。您应该以相反的顺序执行此操作,将最大的数字推到其位置,然后在下一轮中将其保留。
http://en.wikipedia.org/wiki/File:Bubble-sort-example-300px.gif
仅供参考:冒泡排序的最差情况是O(n ^ 2),也许你想要实现更好的排序算法,如快速排序或合并排序?