欢迎访问宙启技术站
智能推送

如何使用Java中的集合函数进行快速排序?

发布时间:2023-06-03 03:25:52

快速排序是一种在计算机科学中非常常见的排序算法。 这种算法的基本思想是选择一个元素作为基准,将序列分成较小和较大的两个子序列,然后递归地排序两个子序列。 该算法的平均时间复杂度为O(nlogn)。

在Java中,可以使用集合函数来实现快速排序。 先看一下如何使用集合函数将数组进行排序:

import java.util.*;

public class QuickSort {
    public static void main(String[] args) {
        Integer[] arr = { 5, 2, 1, 4, 3 };
        List<Integer> list = Arrays.asList(arr);
        Collections.sort(list);
        System.out.println(list);
    }
}

在这里,我们将数组转换为列表,并使用Collections.sort()函数对列表进行排序。 这将在不需要编写任何排序算法的情况下快速地对列表进行排序。

但是,如果要对数组进行排序,则需要进行一些额外的步骤。 在这里,我们将使用快速排序算法来排序数组:

import java.util.*;

public class QuickSort {
    public static void main(String[] args) {
        Integer[] arr = { 5, 2, 1, 4, 3 };
        quickSort(arr, 0, arr.length - 1);
        System.out.println(Arrays.toString(arr));
    }

    public static void quickSort(Integer[] arr, int low, int high) {
        if (low < high) {
            int pi = partition(arr, low, high);
            quickSort(arr, low, pi - 1);
            quickSort(arr, pi + 1, high);
        }
    }

    public static int partition(Integer[] arr, int low, int high) {
        int pivot = arr[high];
        int i = low - 1;
        for (int j = low; j < high; j++) {
            if (arr[j] < pivot) {
                i++;
                int temp = arr[i];
                arr[i] = arr[j];
                arr[j] = temp;
            }
        }
        int temp = arr[i + 1];
        arr[i + 1] = arr[high];
        arr[high] = temp;
        return i + 1;
    }
}

在这里,我们编写了quickSort()partition()函数来执行快速排序算法。 我们将数组中的最后一个元素作为基准,并创建一个指针i,指向数组的 个元素之前。

然后,我们遍历数组,并将元素与基准进行比较。 如果元素小于基准,则将i向前移动一位并将当前元素交换到数组中。

最后,我们将基准元素放到数组中的正确位置,并返回指针i的位置。

quickSort()函数中,我们使用递归的方式对左右两个子数组进行排序,直到将整个数组排序完成。

现在,让我们看一下如何使用快速排序算法来对列表进行排序:

import java.util.*;

public class QuickSort {
    public static void main(String[] args) {
        List<Integer> list = new ArrayList<>(Arrays.asList(5, 2, 1, 4, 3));
        quickSort(list, 0, list.size() - 1);
        System.out.println(list);
    }

    public static void quickSort(List<Integer> list, int low, int high) {
        if (low < high) {
            int pi = partition(list, low, high);
            quickSort(list, low, pi - 1);
            quickSort(list, pi + 1, high);
        }
    }

    public static int partition(List<Integer> list, int low, int high) {
        int pivot = list.get(high);
        int i = low - 1;
        for (int j = low; j < high; j++) {
            if (list.get(j) < pivot) {
                i++;
                Collections.swap(list, i, j);
            }
        }
        Collections.swap(list, i + 1, high);
        return i + 1;
    }
}

在这里,我们仍然使用与数组排序相同的基本逻辑,但是我们用list.get()函数来获取列表中的元素,并使用Collections.swap()函数来交换元素的位置,而不是使用数组索引。

这样,我们就利用Java中的集合函数实现了一个快速排序算法,可以方便地对数组或列表进行排序。