我有一个代表树状结构的类,基本部分看起来像这样:
public Node<T> placeAll(Collection<T> elements){
for (T e : elements)
addElement(e);
// LOG/DEBUG etc
return root;
}
public void addElement(T el) {
Node<T> node = new Node<T>(el);
addElement(root, node);
}
private void addElement(Node<T> parent, Node<T> child) {
// .... PLACE THE NODE
}
现在,当我将节点逐个放在测试用例中时,这种方法非常好:
public void test() {
List<Integer> s1 = Arrays.asList(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11);
// 13 more lists
List<Integer> s15 = Arrays.asList(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 221, 251);
Hypergraph<Object> hg = new Hypergraph<>(...);
hg.addElement(s1);
System.out.println(hg.getRoot().toStringTree());
System.out.println();
.
.
.
hg.addElement(s15);
System.out.println(hg.getRoot().toStringTree());
System.out.println();
}
如果我添加以下行
hg.placeAll(Arrays.asList(s1,s2,s3,s4,s5,s6,s7,s8,s9,s10,s11,s12,s13,s14,s15));
对于我的测试用例,我收到有关泛型使用的错误:
The method placeAll(Collection<Object>) in the type Hypergraph<Object> is not applicable for the arguments (List<List<Integer>>)
我不太明白这一点......如果addElement(T el)
在我T
被称为List<Integer>
的情况下调用时工作正常,List<List<Integer>>
为什么要遵守placeAll(Collection<T> c)
?考虑到List<T>
是Collection<T>
,我无法理解这一点。
答案 0 :(得分:3)
问题是该方法需要Collection<Object>
(在您的示例中T
似乎为Object
),但您传递的是Collection<List<Integer>>
。虽然List<Integer>
是Object
,但Collection<List<Integer>>
不是 Collection<Object>
的子类。
更改方法签名以接受Collection<? extends T>
,然后它应该有效。
public Node<T> placeAll(Collection<? extends T> elements) {