从控制台输入任意10个整数,用冒泡排序(bubble-sort)法编写一个排序方法,冒泡排序法遍历几次数组 Java
时间: 2024-12-08 16:17:20 浏览: 20
冒泡排序是一种简单的排序算法,它重复地遍历待排序的数列,一次比较两个元素,如果他们的顺序错误就把他们交换过来。遍历的过程会持续到整个序列都没有再需要交换为止,这就意味着最大的元素“浮”到了序列的最后。
以下是一个简单的Java程序示例,用于从控制台获取10个整数并使用冒泡排序方法进行排序:
```java
import java.util.Scanner;
public class BubbleSortExample {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int[] numbers = new int[10];
System.out.println("请输入10个整数:");
for (int i = 0; i < numbers.length; i++) {
numbers[i] = scanner.nextInt();
}
// 冒泡排序
bubbleSort(numbers);
System.out.println("排序后的结果是:");
for (int num : numbers) {
System.out.print(num + " ");
}
}
// 冒泡排序函数
public static void bubbleSort(int[] arr) {
int n = arr.length;
boolean swapped;
for (int i = 0; i < n - 1; i++) { // 遍历n次,因为最外层循环会在数组长度减一后结束
swapped = false; // 每轮开始前假设不会再有交换发生
for (int j = 0; j < n - i - 1; j++) {
if (arr[j] > arr[j + 1]) { // 如果相邻元素逆序则交换
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
swapped = true; // 标记这一轮中有交换
}
}
// 如果一轮结束后没有发生交换,说明已经有序,可以提前结束
if (!swapped) {
break;
}
}
}
}
```
阅读全文