java--快速排序

Posted HardyDragon_CC

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了java--快速排序相关的知识,希望对你有一定的参考价值。

什么是快速排序?

排序动画演示网站

属于交换排序的一种,利用了分治的思想,将序列根据 pivot (中间值) 划分为两个序列,在 pivot 左边的元素全部都比 pivot 值小,在右边的比 pivot 大,对子序列递归操作。

双边循环法demo

递归,利用辅助函数确定 pivot 的索引并排序。

package sort;

/**
 * @Description: TODO
 * @author: HardyDragon
 * @date: 2021年07月07日 14:01
 */
public class QuickSort {
    public void quickSort(int[] arr, int startIndex, int endIndex) {
        if (startIndex >= endIndex) {
            return;
        }
        int pivotIndex = partition(arr, startIndex, endIndex);
        quickSort(arr, startIndex, pivotIndex - 1);
        quickSort(arr, pivotIndex + 1, endIndex);
    }

    private int partition(int[] arr, int startIndex, int endIndex) {
        int pivot = arr[startIndex];
        int left = startIndex;
        int right = endIndex;

        // 当pivot在左端时,从right先开始移动,重合点是比pivot小的值,反之。
        while (left != right) {
            // right向左移,找比pivot小的然后停下
            while (left < right && arr[right] > pivot) {
                right--;
            }
            // left 向右移,找到比pivot 大的停下
            while (left < right && arr[left] <= pivot) {
                left++;
            }

            // 交换left
            if (left < right) {
                int temp = arr[left];
                arr[left] = arr[right];
                arr[right] = temp;
            }
        }
        
        // 交换pivot和指针重合点
        arr[startIndex] = arr[left];
        arr[left] = pivot;

        return left;
    }
}

调试

package sort;

public class Main {
    public static void main(String[] args) {
        int[] nums = {45, 29, 40, 25, 98, 77, 46, 20, 21, 97};
        QuickSort quickSort = new QuickSort();
        quickSort.quickSort(nums, 0, nums.length - 1);
        for (int num : nums) {
            System.out.print(num + " ");
        }
    }
}
20 21 25 29 40 45 46 77 97 98 

单边循环法

只是 partition() 函数部分不同。

从pivot 后一个元素开始遍历,mark 以前的元素都比pivot小,最后将pivot和mark交换。

private int partition2(int[] arr, int startIndex, int endIndex) {
    int pivot = arr[startIndex];
    int mark = startIndex;

    for (int i = startIndex + 1; i <= endIndex; i++) {
        if (arr[i] < pivot) {
            mark++;
            int temp = arr[mark];
            arr[mark] = arr[i];
            arr[i] = temp;
        }
    }
    arr[startIndex] = arr[mark];
    arr[mark] = pivot;
    return mark;
}

以上是关于java--快速排序的主要内容,如果未能解决你的问题,请参考以下文章

Java快速排序

Java快速排序

Java如何快速构造JSON字符串

数据结构-排序之快速排序(使用Java代码实现)

数据结构-排序之快速排序(使用Java代码实现)

数据结构-排序之快速排序(使用Java代码实现)