如何在T Java泛型中使用compareTo?

时间:2019-04-16 17:25:29

标签: java generics heap heapsort

我正在尝试将compareTo与Java泛型一起使用,但是它一直给我一个错误。然后,我实现了

public interface Comparable<T> {
    int compareTo(T o);
}

但仍然没有帮助。编译器不断建议我使用 私有无效的heap_Rebuild(int ar) 这是我的代码:

 private void heap_Rebuild(T[] ar, int root, int size) {

    int child =2*root+1;
    if(child<size){
        int rightChild=child+1;

        if((rightChild<size)&& (ar[rightChild].compareTo(ar[rightChild])>0)){
            child=rightChild;
        }
        if(ar[root].compareTo(ar[child])<0){
            T temp=ar[root];
            ar[root]=ar[child];
            ar[child]=temp;
            heap_Rebuild(ar,child,size);
        }
    }

其余代码:

public class HeapSort<T> implements Function<T, U> {

protected Comparator<T> c;
@SuppressWarnings("unchecked")
public HeapSort() {
    this.c = (e1, e2) -> ((Comparable<T>)e1).compareTo(e2);

}

/** Create a BST with a specified comparator */
public HeapSort(Comparator<T> c) {
    this.c = c;

}

public   void sort(T[] anArray) {
    for(int index = anArray.length-1; index >=0; --index) {
        heapRebuild(anArray,index,anArray.length);

    }
    heapSort(anArray);
}

private void heapSort(T[] anArray) {
    // Left as an exercise

    int arrayLength=anArray.length;
    int index, step;
    for (index = arrayLength-1; index >=0; index--) {
        heapRebuild(anArray,index,arrayLength);
    }

    int last=arrayLength-1;
    for(step=1; step<=arrayLength;step++){
        int temp=last;
        anArray[last]=anArray[0];
        anArray[0]=anArray[temp];
        last--;
        heapRebuild(anArray,0,last);
    }

}

有什么建议吗?

1 个答案:

答案 0 :(得分:2)

您需要为类型变量T设置边界,以确保该类型的对象具有.compareTo方法。

public class HeapSort<T extends Comparable<? super T>> implements Function<T, U>

这听起来像是您定义了自己的Comparable<T>接口,但是T是无关的,泛型类型变量仅适用于定义它的类或方法。您应该删除该额外的Comparable<T>界面。


或者,如果您希望能够对T使用不可比较的类型,则使用Comparator<T>的想法是正确的,但是您的默认实现无效:

this.c = (e1, e2) -> ((Comparable<T>)e1).compareTo(e2);

如果T还不是可比较的类型,则强制转换为Comparable<T>。我建议不要使用默认构造函数,而总是传递Comparator<T>。使用可比较的类型时,可以将其传递给Comparator.naturalOrder()

您可以使用比较器替换compareTo调用:

if((rightChild<size)&& (c.compare(ar[rightChild],ar[rightChild])>0)){

if(c.compare(ar[root],ar[child])<0){