.编写一个Java程序,使用冒泡排序算法对一个整数数组进行排序,并打印排序前后 的数组。
时间: 2024-09-27 16:11:08 浏览: 37
在Java中,你可以使用冒泡排序算法来对整数数组进行排序。下面是一个简单的例子:
```java
public class BubbleSortExample {
public static void main(String[] args) {
int[] array = {5, 2, 9, 1, 5, 6}; // 待排序的整数数组
System.out.println("Before sorting:");
for (int num : array) {
System.out.print(num + " ");
}
System.out.println(); // 换行
// 冒泡排序函数
bubbleSort(array);
System.out.println("\nAfter sorting:");
for (int num : array) {
System.out.print(num + " ");
}
}
// 冒泡排序方法
public static void bubbleSort(int[] arr) {
int n = arr.length;
for (int i = 0; i < n - 1; i++) {
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;
}
}
}
}
}
```
在这个程序中,首先定义了一个未排序的数组,然后调用`bubbleSort`方法对其进行升序排列。最后,分别打印出排序前后的数组内容。
阅读全文