java定义一个打印函数和一个冒泡排序函数,实现对数组{9,8,3,5,2}的排序,并把每一轮冒泡的结果输出一下。
时间: 2023-09-05 07:05:34 浏览: 114
### 回答1:
下面是实现代码:
```java
public class SortDemo {
public static void main(String[] args) {
int[] arr = {9, 8, 3, 5, 2};
printArray(arr);
bubbleSort(arr);
printArray(arr);
}
public static void printArray(int[] arr) {
System.out.print("[");
for (int i = 0; i < arr.length; i++) {
System.out.print(arr[i]);
if (i != arr.length - 1) {
System.out.print(", ");
}
}
System.out.println("]");
}
public static void bubbleSort(int[] arr) {
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;
}
}
printArray(arr);
}
}
}
```
输出结果如下:
```
[9, 8, 3, 5, 2]
[8, 3, 5, 2, 9]
[3, 5, 2, 8, 9]
[3, 2, 5, 8, 9]
[2, 3, 5, 8, 9]
[2, 3, 5, 8, 9]
```
### 回答2:
下面是一个简单的Java代码实现打印函数和冒泡排序函数,并输出每一轮冒泡的结果。
```java
public class Main {
public static void main(String[] args) {
int[] arr = {9, 8, 3, 5, 2};
System.out.println("原始数组:");
printArray(arr);
bubbleSort(arr);
System.out.println("排序后的数组:");
printArray(arr);
}
// 打印数组的函数
public static void printArray(int[] arr) {
for (int num : arr) {
System.out.print(num + " ");
}
System.out.println();
}
// 冒泡排序函数
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;
}
}
System.out.println("第" + (i + 1) + "轮冒泡的结果:");
printArray(arr);
}
}
}
```
输出结果为:
原始数组:
9 8 3 5 2
第1轮冒泡的结果:
8 3 5 2 9
第2轮冒泡的结果:
3 5 2 8 9
第3轮冒泡的结果:
3 2 5 8 9
第4轮冒泡的结果:
2 3 5 8 9
排序后的数组:
2 3 5 8 9
### 回答3:
冒泡排序是一种简单的排序算法,通过多次比较和交换来实现排序。以下是使用Java语言定义并实现打印函数和冒泡排序函数的示例代码:
```java
import java.util.Arrays;
public class BubbleSort {
public static void main(String[] args) {
int[] arr = {9, 8, 3, 5, 2};
bubbleSort(arr);
}
// 定义打印函数
public static void printArray(int[] arr) {
for (int num : arr) {
System.out.print(num + " ");
}
System.out.println();
}
// 定义冒泡排序函数
public static void bubbleSort(int[] arr) {
int n = arr.length;
if (n <= 1) {
return;
}
for (int i = 0; i < n - 1; i++) {
boolean swapped = false; // 标记该轮是否发生交换
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;
swapped = true;
}
}
System.out.print("第" + (i + 1) + "轮冒泡结果:");
printArray(arr);
// 如果该轮没有发生交换,则数组已经有序,提前终止排序
if (!swapped) {
break;
}
}
System.out.print("最终排序结果:");
printArray(arr);
}
}
```
以上代码中,我们使用`printArray`函数来打印数组的元素。在`bubbleSort`函数中,通过两层循环进行冒泡排序,每一轮内层循环完成后,即可输出当前轮的排序结果。最终,当数组已经有序时,可提前终止排序,并输出最终的排序结果。
在运行以上代码时,输出结果如下:
```
第1轮冒泡结果:8 3 5 2 9
第2轮冒泡结果:3 5 2 8 9
第3轮冒泡结果:3 2 5 8 9
第4轮冒泡结果:2 3 5 8 9
最终排序结果:2 3 5 8 9
```
可以看到,经过冒泡排序后,数组{9, 8, 3, 5, 2}被排序为{2, 3, 5, 8, 9},并且每一轮冒泡的结果都被输出了。
阅读全文