我知道 Java 的泛型类型有各种各样的违反直觉的属性。有一件事我不明白,希望有人能给我解释一下。当为类或接口指定类型参数时,可以绑定它,以便它必须使用 public class Foo<T extends InterfaceA & InterfaceB>
实现多个接口。然而,如果你实例化一个实际的对象,这不再工作了。List<? extends InterfaceA>
没问题,但是 List<? extends InterfaceA & InterfaceB>
编译失败。考虑以下完整的片段:
import java.util.List;
public class Test {
static interface A {
public int getSomething();
}
static interface B {
public int getSomethingElse();
}
static class AandB implements A, B {
public int getSomething() { return 1; }
public int getSomethingElse() { return 2; }
}
// Notice the multiple bounds here. This works.
static class AandBList<T extends A & B> {
List<T> list;
public List<T> getList() { return list; }
}
public static void main(String [] args) {
AandBList<AandB> foo = new AandBList<AandB>(); // This works fine!
foo.getList().add(new AandB());
List<? extends A> bar = new LinkedList<AandB>(); // This is fine too
// This last one fails to compile!
List<? extends A & B> foobar = new LinkedList<AandB>();
}
}
似乎 bar
的语义应该是定义良好的——我不认为允许两种类型的交叉而不仅仅是一种类型会造成类型安全性的损失。我相信一定有原因的。有人知道这是什么吗?