1

我不明白为什么 Java 编译器会在以下情况下给我“未经检查的转换”警告:

我有这堂课:

public class NodeTree<T> {
   T value;
   NodeTree parent;
   List<NodeTree<T>> childs;

   NodeTree(T value, NodeTree parent) {
       this.value = value;
       this.parent = parent;
       this.childs = null;
   }

   public T getValue() { return value; }
   public void setValue(T value) { this.value = value; }

   public NodeTree getParent() { return parent; }
   public void setParent(NodeTree parent) { this.parent = parent; }

   public List<NodeTree<T>> getChilds() {
       if (this.childs == null) {
           this.childs = new LinkedList<NodeTree<T>>();
       }
       return this.childs;
   }
}

在主要课程中,我有以下说明:

NodeTree node = new NodeTree<Integer>(10, null);

NodeTree<Integer> child = new NodeTree<Integer>(20, node);      
List<NodeTree<Integer>> childs = node.getChilds();

childs.add(child);

我无法解释为什么我会在这种类型的getChilds()行上收到警告:

warning: [unchecked] unchecked conversion
List<NodeTree<Integer>> childs = node.getChilds();
                                               ^
required: List<NodeTree<Integer>>
found:    List
1 warning

getChilds()函数不返回 List 类型,它返回 List < NodeTree < T >> 类型。

请帮我理解。

4

2 回答 2

1

NodeTree<Integer> node = new NodeTree<>(10, null); 编写代码不是更好NodeTree node = new NodeTree<Integer>(10, null);吗?然后编译器会知道node的类型参数。

于 2016-02-29T12:16:08.940 回答
1

您将原始类型与非原始类型混合在一起。这基本上是一个坏事(tm)。所以你的代码

NodeTree node = new NodeTree<Integer>(10, null);

将节点变量创建为原始类型,即使初始化程序不是原始类型。因此,对于编译器而言,类型node.getChilds()实际上List并不List<NodeTree<Integer>>像您所期望的那样。

如果你把它改成...

NodeTree<Integer> node = new NodeTree<Integer>(10, null);

那么这将允许编译器跟踪泛型类型参数并进行所需的所有类型检查。

于 2016-02-29T12:16:18.030 回答