Java 数组降序排列
时间: 2024-10-07 17:03:11 浏览: 25
在Java中,对数组进行降序排列通常可以使用选择排序、冒泡排序、插入排序或更高效的算法如快速排序、归并排序等。这里以快速排序为例,因为它的平均性能较好:
```java
public class QuickSortDesc {
public static void quickSort(int[] arr, int low, int high) {
if (low < high) {
// 找到分界点
int pivotIndex = partition(arr, low, high);
// 对左右两部分递归地进行排序
quickSort(arr, low, pivotIndex - 1);
quickSort(arr, pivotIndex + 1, high);
}
}
private static int partition(int[] arr, int low, int high) {
int pivot = arr[high]; // 最大值作为基准
int i = low - 1; // 指针i指向小于基准的元素
for (int j = low; j < high; j++) {
if (arr[j] >= pivot) { // 如果当前元素大于等于基准
i++; // 移动指针i
swap(arr, i, j); // 交换位置
}
}
swap(arr, i + 1, high); // 将基准放在正确的位置
return i + 1;
}
private static void swap(int[] arr, int i, int j) {
int temp = arr[i];
arr[i] = arr[j];
arr[j] = temp;
}
// 示例
public static void main(String[] args) {
int[] arr = {5, 3, 8, 6, 2, 9};
quickSort(arr, 0, arr.length - 1);
System.out.println("Sorted array in descending order: " + Arrays.toString(arr));
}
}
```
阅读全文