Java数组冒泡排序 (代码)

1, 比较相邻的元素。如果第一个比第二个大,就交换他们两个。

2,循环比较,第一次排序最小的数会在最后面。

3,两层循环,持续每次对越来越少的元素重复上面的步骤,直到没有任何一对数字需要比较。

public class testJava {
	public static void main(String[] args) {
		
		int str[] = { 3, 15, 6, 1, 23, 9, 28, 10 };
		for (int i = 0; i < str.length - 1; i++) { // 最多做n-1趟排序
			for (int j = 0; j < str.length - i - 1; j++) { // 范围逐步缩小
				if (str[j] < str[j + 1]) { // 把小的值交换到最后
					int temp = str[j];
					str[j] = str[j + 1];
					str[j + 1] = temp;
				}
			}
			System.out.print("第" + (i + 1) + "次排序结果:");
			for (int a = 0; a < str.length; a++) {
				System.out.print(str[a] + "\t");
			}
			System.out.println("");
		}
		System.out.print("最终排序结果:");
		for (int a = 0; a < str.length; a++) {
			System.out.print(str[a] + "\t");
		}
	}
}

Java数组冒泡排序 (代码)_第1张图片

你可能感兴趣的:(Java数组冒泡排序 (代码))