冒泡排序是一种简单的排序算法,其基本思想是通过相邻元素的比较和交换来实现排序。
以下是使用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
方法来实现冒泡排序。在每一轮循环中,我们通过比较相邻元素的大小来决定是否交换它们的位置,将较大的元素逐渐“冒泡”到数组的末尾。最终,数组中的元素按照升序排列。
在 main
方法中,我们创建了一个整数数组,并调用 bubbleSort
方法来对其进行排序。最后,我们输出排序后的数组。