冒泡排序java代码注释
时间: 2023-10-24 09:09:52 浏览: 88
冒泡排序(Bubble Sort)是一种简单的排序算法,它重复地遍历要排序的列表,比较每对相邻的元素,并按照大小交换位置,直到列表排序完成。以下是冒泡排序的Java代码注释:
```java
public class BubbleSort {
public static void main(String[] args) {
int[] arr = {5, 2, 8, 12, 3};
System.out.println("排序前的数组:");
printArray(arr);
bubbleSort(arr);
System.out.println("排序后的数组:");
printArray(arr);
}
// 冒泡排序算法
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 printArray(int[] arr) {
for (int num : arr) {
System.out.print(num + " ");
}
System.out.println();
}
}
```
阅读全文