冒泡排序是一種簡單的排序算法,它重復地遍歷要排序的數組,比較相鄰的元素并交換它們的位置,直到整個數組排序完成。下面是用Java實現冒泡排序的代碼示例:
public class BubbleSort {
public static void main(String[] args) {
int[] array = {64, 34, 25, 12, 22, 11, 90};
bubbleSort(array);
System.out.println("Sorted array:");
for (int num : array) {
System.out.print(num + " ");
}
}
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]) {
// 交換array[j]和array[j+1]
int temp = array[j];
array[j] = array[j+1];
array[j+1] = temp;
}
}
}
}
}
在上面的代碼中,首先定義了一個bubbleSort
方法來實現冒泡排序,其中有兩層循環,外層循環控制遍歷數組的次數,內層循環用來比較相鄰元素并交換它們的位置。通過多次遍歷數組,最終實現整個數組的排序。