0

我有一个接受泛型类型 T 数组的快速排序我创建了一个 int 数组并尝试使用快速排序,但它不知道如何接受 int 数组。我不能调用 intArray = quickSort(intArray); 关于主要方法。我该怎么做才能使用泛型快速排序方法?

public class BasicTraining 
{
    public static <T extends Comparable<? super T>> T[] quickSort(T[] array) 
    {
        sort(0, array.length - 1, array);
        return array;
    }

    public static <T extends Comparable<? super T>> void sort(int low, int high, T[] array)
    {
        if (low >= high) return;
        int p = partition(low, high, array);
        sort(low, p, array);
        sort(p + 1, high, array);
    }

    private static <T extends Comparable<? super T>> int partition(int low, int high, T[] array)
    {
        T pivot = array[low];

        int i = low - 1;
        int j = high + 1;
        while (i < j)
        {
            i++; 
            while (array[i].compareTo(pivot) < 0) 
                i++;
            j--; 
            while (array[j].compareTo(pivot) > 0) 
                j--;
            if (i < j) 
                swap(i, j, array);
         }
         return j;
      }

    private static <T extends Comparable<? super T>> void swap(int i, int j, T[] array)
    {
        T temp = array[i];
        array[i] = array[j];
        array[j] = temp;
    }

    public static void main(String[] args)
    {
        int[] intArray = new int[] {9,3,6,2,1,10,15,4,7,22,8};
        for(int i = 0; i < intArray.length; i++)
        {
            System.out.print(intArray[i] + ", ");
        }
//      intArray = quickSort(intArray);

    }
}
4

3 回答 3

3

泛型类型是通过类型参数化的泛型类或接口,java 不支持原始类型。

使用整数数组而不是原始类型 int。

Integer[] intArray = new Integer[] {9,3,6,2,1,10,15,4,7,22,8};
于 2012-10-15T07:56:46.123 回答
1

那是因为int是原始类型,因此不是 type T extends Comparable<? super T>

因此,您需要将数组转换为Integer[]或编写特定的quicksort(int[] array)方法。这实际上是在 JDK 中所做的。

于 2012-10-15T07:59:44.923 回答
1

您需要非基元数组Integer来自通用类型的 oracle 文档

类型变量可以是您指定的任何非原始类型:任何类类型、任何接口类型、任何数组类型,甚至是另一个类型变量。

Integer[] intArray = new Integer[]{9, 3, 6, 2, 1, 10, 15, 4, 7, 22, 8};
于 2012-10-15T07:58:16.013 回答