java写一个冒泡排序法的例子

下面是一个使用冒泡排序算法对整型数组进行排序的Java示例代码:

public class BubbleSortExample {

    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]) {
                    // 交换相邻两个元素的位置
                    int temp = arr[j];
                    arr[j] = arr[j+1];
                    arr[j+1] = temp;
                }
            }
        }
    }

    public static void main(String[] args) {
        int[] arr = {3, 9, 2, 7, 1, 5, 8, 4, 6};
        bubbleSort(arr);
        System.out.println(Arrays.toString(arr));
    }
}

该程序定义了一个名为BubbleSortExample的类,在该类中定义了一个静态方法bubbleSort,用于对整型数组进行冒泡排序。程序的主方法main中创建了一个整型数组,调用bubbleSort方法对其进行排序,并使用Arrays.toString方法将排序后的结果输出到控制台。

执行该程序,输出结果如下:

[1, 2, 3, 4, 5, 6, 7, 8, 9]

以看到,冒泡排序算法成功地将整型数组排序。