将给定数组int a[]={78,23,56,34,12,45,67,89}按从小到大的顺序进行排序并输出。(采用冒泡排序法
时间: 2024-09-27 21:16:53 浏览: 81
当然,冒泡排序是一种简单的排序算法,它重复地遍历要排序的数列,一次比较两个元素,如果他们的顺序错误就把他们交换过来。这个过程就像气泡一样从数组的一端慢慢向上冒。以下是使用Java实现冒泡排序的方法:
```java
public class BubbleSortExample {
public static void main(String[] args) {
int[] a = {78, 23, 56, 34, 12, 45, 67, 89};
// 冒泡排序
bubbleSort(a);
// 输出排序后的数组
for (int num : a) {
System.out.print(num + " ");
}
}
private static void bubbleSort(int[] array) {
int n = array.length;
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - 1 - i; j++) {
if (array[j] > array[j + 1]) {
// 交换元素
int temp = array[j];
array[j] = array[j + 1];
array[j + 1] = temp;
}
}
}
}
}
```
当你运行这段代码后,你会看到数组`a`按照从小到大的顺序被排列出来。
阅读全文