嗨,我正在尝试构建一个简单的SelfSortingList。这不是用于任何实际用途,因此我正在学习。

public class SelfSortingList<R extends Comparable<R>> {

private Item<R> root;

public SelfSortingList(){
    root=null;
}
public void add(R value){
    if(root==null)
        root=new Item<>(value, null);
    else
        root.addValue(value);
}

@Override
public String toString() {
    return root.toString();
}

/*Inner class*/
private class Item<R extends Comparable<R>> {

    private Item<R> parent, child;
    private R value;

    private Item(R value, Item<R> parent) {
        this.value = value;
        this.parent = parent;
    }

    protected void addValue(R other) {
        if (other.compareTo(this.value) > 0) {
            System.out.println("child add");
            if(child!=null) {
                child.addValue(other);
            }else{
                child = new Item<>(other, this);
            }
        } else {
            Item<R> node = new Item<R>(other,parent);
            if(this!=root) {
                parent.child = node;
            }else{
                root= (Item<R>) node; //This is where i get trouble
            }
            node.child=this;
        }
    }

    @Override
    public String toString() {
        String str = value.toString() + ", ";
        if(child!=null)
            str+=child.toString();
            return str;
        }
    }
}


在addValue方法中,当将父对象的“根”值重新分配为指向新的Item时,出现以下错误消息:
错误:(41,27)Java:不兼容的类型:com.company.SelfSortingList.Node无法转换为com.company.SelfSortingList.Node

因此,SelfSortingList.Node无法转换为自己的类型吗?

我不知道该怎么看这个错误消息。将SelfSortingList和Item的类声明更改为不带有'extendeds Comparable R'不会改变问题。

最佳答案

您收到错误消息,因为您的私有类Item中的类型参数“ R”隐藏了类SelfSortingList的类型参数“ R”。

重命名内部类的类型参数(例如“ S”),您会发现尝试将类型Item<S>(节点)分配给类型Item<R>(根)。

09-30 23:24