用Java编写程序,利用冒泡排序对数组{22,24,76,12,21,33}进行升序排列。
时间: 2024-10-28 18:15:18 浏览: 10
在Java中,你可以使用冒泡排序算法来对数组进行升序排列。下面是一个简单的示例:
```java
public class BubbleSortExample {
public static void main(String[] args) {
int[] arr = {22, 24, 76, 12, 21, 33}; // 待排序数组
// 冒泡排序函数
bubbleSort(arr);
// 打印排序后的数组
for (int i : arr) {
System.out.print(i + " ");
}
}
public static void bubbleSort(int[] array) {
int n = array.length;
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (array[j] > array[j + 1]) {
// 交换元素
int temp = array[j];
array[j] = array[j + 1];
array[j + 1] = temp;
}
}
}
}
}
```
这个程序首先定义了一个名为`bubbleSort`的函数,它接受一个整数数组作为输入,并通过两层循环遍历数组,比较相邻的元素并根据需要交换它们的位置,直到整个数组完全有序。然后在`main`函数中调用这个排序函数,并打印出结果。
阅读全文