用Java生成一个冒泡排序
时间: 2024-05-03 07:23:23 浏览: 49
用java实现冒泡排序法
5星 · 资源好评率100%
以下是用Java生成一个冒泡排序的示例代码:
```
public class BubbleSort {
public static void main(String[] args) {
int[] arr = {5, 2, 7, 1, 9, 3};
bubbleSort(arr);
for (int i : arr) {
System.out.print(i + " ");
}
}
public static void bubbleSort(int[] arr) {
for (int i = 0; i < arr.length - 1; i++) {
for (int j = 0; j < arr.length - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
}
```
这个示例程序中,我们首先定义了一个数组arr,然后调用bubbleSort方法对其进行冒泡排序。bubbleSort方法采用了双重循环,外层循环控制排序的轮数,内层循环则负责比较和交换相邻元素的位置。排序完成后,我们再遍历数组输出排序结果。
阅读全文