用JAVA写一个冒泡排序
时间: 2023-08-19 11:17:31 浏览: 89
### 回答1:
好的,我给你来个简单的示例:
public class BubbleSort {
public static void main(String[] args) {
int[] arr = {5, 3, 2, 4, 1};
int temp;
for (int i = 0; i < arr.length - 1; i++) {
for (int j = 0; j < arr.length - 1 - i; j++) {
if (arr[j] > arr[j + 1]) {
temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
for (int i = 0; i < arr.length; i++) {
System.out.print(arr[i] + " ");
}
}
}
### 回答2:
冒泡排序是一种简单的排序算法,在Java中可以用如下代码实现:
```java
public class BubbleSort {
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;
}
}
}
}
public static void main(String[] args) {
int[] array = {5, 2, 8, 6, 3, 1, 9, 4, 7};
bubbleSort(array);
System.out.println("排序后的数组:");
for (int element : array) {
System.out.print(element + " ");
}
}
}
```
在冒泡排序中,我们通过比较数组相邻元素的大小,如果左侧元素大于右侧元素,则交换它们的位置。这样,每一轮排序都会将最大的元素上浮到数组的末尾。经过n-1轮排序,数组就会完全有序。
以上代码中,`bubbleSort`函数接受一个整数数组作为参数,并使用双重循环实现冒泡排序。`main`函数中的测试案例给定一个乱序数组,经过排序后输出有序数组。
运行结果为:
```
排序后的数组:
1 2 3 4 5 6 7 8 9
```
### 回答3:
冒泡排序是一种简单而常用的排序算法,它的基本思想是通过相邻元素的比较和交换来将较大的元素逐渐"浮"到数组的最后位置。以下是使用Java编写的冒泡排序算法示例:
```
public class BubbleSort {
public static void main(String[] args) {
int[] arr = {5, 8, 2, 1, 6};
bubbleSort(arr);
System.out.println("排序后的数组:");
for (int num : arr) {
System.out.print(num + " ");
}
}
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;
}
}
}
}
}
```
在上述代码中,我们定义了一个`bubbleSort`方法,该方法接受一个整数数组作为参数,并在其中使用嵌套的循环来比较和交换相邻的元素。外部循环用于迭代数组的每个位置,内部循环用于比较和交换相邻元素的顺序。如果相邻元素的顺序错误,则进行交换操作。重复这个过程,直到数组中的元素按升序排列。
在主方法中,我们定义了一个整数数组`arr`,并将要排序的数据初始化到其中。然后,我们调用`bubbleSort`方法来对数组进行排序,并通过遍历数组的方式输出排序后的结果。
以上是使用Java编写冒泡排序算法的简单示例。冒泡排序的时间复杂度为O(n^2),属于常见的基础排序算法之一。
阅读全文