Java使用泛型类型

时间:2012-10-15 07:55:03

标签: java generics quicksort

我有一个快速排序,它采用泛型类型T数组 我创建了一个int数组并尝试使用quicksort,但它不知道如何接受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);

    }
}

3 个答案:

答案 0 :(得分:3)

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

使用整数数组而不是基本类型int。

Integer[] intArray = new Integer[] {9,3,6,2,1,10,15,4,7,22,8};

答案 1 :(得分:1)

您需要Integer不是基元的数组。来自Generic Types

的oracle文档
  

类型变量可以是您指定的任何非基本类型:任何类类型,任何接口类型,任何数组类型,甚至是其他类型变量。

Integer[] intArray = new Integer[]{9, 3, 6, 2, 1, 10, 15, 4, 7, 22, 8};

答案 2 :(得分:1)

那是因为int是基本类型,因此不属于T extends Comparable<? super T>类型。

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