冒泡排序是一种简单的排序算法,它重复地遍历要排序的数组,比较相邻的元素并交换它们的位置,直到整个数组排序完成。下面是用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
方法来实现冒泡排序,其中有两层循环,外层循环控制遍历数组的次数,内层循环用来比较相邻元素并交换它们的位置。通过多次遍历数组,最终实现整个数组的排序。