java三个数字排序
时间: 2024-05-23 18:06:49 浏览: 53
在Java中,可以使用不同的排序算法对三个数字进行排序。以下是一种常见的排序算法——冒泡排序的实现方式:
```java
public class SortNumbers {
public static void main(String[] args) {
int[] numbers = {3, 1, 2}; // 待排序的三个数字
bubbleSort(numbers); // 调用冒泡排序算法进行排序
System.out.println("排序结果:");
for (int num : numbers) {
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;
}
}
}
}
}
```
运行以上代码,输出结果为:1 2 3,即三个数字按升序排列。
阅读全文