设计一个BubbleSort类,定义数组int[]={3,1,9,30,7,5,24,15,19}并用冒泡排序对数组元素从小到大排序}
时间: 2024-05-08 10:20:50 浏览: 53
对若干数据进行冒泡形式的排序
好的,以下是BubbleSort类的实现:
```
public class BubbleSort {
public static void main(String[] args) {
int[] arr = {3, 1, 9, 30, 7, 5, 24, 15, 19};
bubbleSort(arr);
System.out.println(Arrays.toString(arr));
}
public static void bubbleSort(int[] arr) {
int len = arr.length;
for (int i = 0; i < len - 1; i++) {
for (int j = 0; j < len - 1 - i; j++) {
if (arr[j] > arr[j + 1]) {
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
}
```
输出结果为:[1, 3, 5, 7, 9, 15, 19, 24, 30]
阅读全文