用java编写程序,利用排序算法实现数组 scores 里面的数据的从小到大排序输出
时间: 2024-02-28 10:53:27 浏览: 56
好的,下面是一个使用Java实现的冒泡排序算法,可以对数组scores中的数据进行从小到大排序输出:
```
public class BubbleSort {
public static void main(String[] args) {
int[] scores = {10, 8, 5, 7, 2, 4, 6, 1, 3, 9};
bubbleSort(scores);
for (int i = 0; i < scores.length; i++) {
System.out.print(scores[i] + " ");
}
}
public static void bubbleSort(int[] arr) {
int temp;
for (int i = 0; i < arr.length - 1; i++) {
for (int j = 0; j < arr.length - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
}
```
在这个例子中,我们使用了冒泡排序算法对scores数组进行排序,并且使用了一个嵌套的for循环来实现排序的过程。在外层的循环中,我们遍历整个数组,而在内层的循环中,我们比较相邻的两个数的大小关系,并且进行交换操作。最终,我们将排好序的数组输出到控制台上。
阅读全文