编写一段Java的冒泡排序
时间: 2023-07-21 13:09:41 浏览: 74
当然,这是一个简单的Java实现冒泡排序的示例代码:
```java
public class BubbleSort {
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]) {
// 交换arr[j]和arr[j+1]
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
public static void main(String[] args) {
int[] arr = {64, 34, 25, 12, 22, 11, 90};
bubbleSort(arr);
System.out.println("排序后的数组:");
for (int num : arr) {
System.out.print(num + " ");
}
}
}
```
以上代码定义了一个`BubbleSort`类,其中的`bubbleSort`方法实现了冒泡排序算法。在`main`方法中,我们创建一个整数数组`arr`,并调用`bubbleSort`方法对其进行排序。最后,打印排序后的数组。
输出结果为:11 12 22 25 34 64 90,表示数组已经按升序排序。
阅读全文