Java中中快速排序
时间: 2024-03-15 17:41:06 浏览: 66
快速排序是一种常用的排序算法,它的基本思想是通过分治的策略将一个大问题分解为多个小问题来解决。在Java中,快速排序的实现通常使用递归方式来进行。
下面是Java中快速排序的基本实现步骤:
1. 选择一个基准元素(pivot),通常选择数组的第一个元素或者随机选择。
2. 将数组分成两部分,使得左边的元素都小于等于基准元素,右边的元素都大于等于基准元素。这个过程称为分区(partition)。
3. 对左右两个子数组分别进行递归调用快速排序。
4. 合并左右两个子数组,得到最终的排序结果。
以下是Java代码示例:
```java
public class QuickSort {
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);
}
}
public static int partition(int[] arr, int low, int high) {
int pivot = arr[low];
int i = low + 1;
int j = high;
while (i <= j) {
if (arr[i] <= pivot) {
i++;
} else if (arr[j] >= pivot) {
j--;
} else {
swap(arr, i, j);
i++;
j--;
}
}
swap(arr, low, j);
return j;
}
public 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, 2, 9, 1, 3, 6};
quickSort(arr, 0, arr.length - 1);
for (int num : arr) {
System.out.print(num + " ");
}
}
}
```
阅读全文