以下是用Java编写的冒泡排序算法:
public class BubbleSort {
public static void main(String[] args) {
int[] array = {5, 2, 8, 12, 1, 6, 4};
System.out.println("排序前的数组:");
printArray(array);
bubbleSort(array);
System.out.println("排序后的数组:");
printArray(array);
}
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]) {
// 交换相邻两个元素
int temp = array[j];
array[j] = array[j + 1];
array[j + 1] = temp;
}
}
}
}
public static void printArray(int[] array) {
for (int i = 0; i < array.length; i++) {
System.out.print(array[i] + " ");
}
System.out.println();
}
}
这段代码首先定义了一个bubbleSort
函数,该函数使用嵌套的循环对数组中的元素进行比较,并在必要时交换它们的位置来实现排序。然后,通过printArray
函数打印排序前后的数组。最后,在main
函数中创建一个整数数组并调用bubbleSort
函数进行排序。