Java 通用列表给我警告

Java generic list gives me warning

我不明白为什么 Java 编译器在以下情况下给我 'unchecked conversion' 警告:

我有这个class:

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;
   }
}

主要class我有以下说明:

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()函数不是returnList类型,它是returns List>类型。

请帮我理解。

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

您混淆了原始类型和非原始类型。这基本上是一个 BadThing(tm)。所以你的代码

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

创建一个节点变量作为原始类型,即使初始化器不是原始类型。因此,对于编译器,node.getChilds() 的类型实际上是 List 而不是您可能一直期望的 List<NodeTree<Integer>>

如果你把它改成...

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

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