快速排序法写java代码
时间: 2024-09-19 19:01:13 浏览: 36
快速排序是一种高效的排序算法,它的基本思想是通过一趟排序将待排记录分隔成独立的两部分,其中一部分记录的关键字均比另一部分的关键字小,然后分别对这两部分记录继续进行排序,直到整个序列有序。以下是使用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);
}
}
private static int partition(int[] arr, int low, int high) {
// 选择最后一个元素作为基准值
int pivotValue = arr[high];
int i = low - 1;
for (int j = low; j < high; j++) {
// 如果当前元素小于或等于基准值
if (arr[j] <= pivotValue) {
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[] numbers = {9, 7, 5, 11, 12, 2, 14, 3};
quickSort(numbers, 0, numbers.length - 1);
for (int num : numbers) {
System.out.print(num + " ");
}
}
}
```
在这个例子中,`quickSort`函数是主函数,它会调用`partition`函数找到分割点,然后递归地对左右子数组进行排序。`partition`函数则是实现快速排序的核心,通过循环比较元素并交换位置。
阅读全文