1

谁能解释我为什么只有在以下代码中创建 B 时才会出现错误:

public class factory {

    public <T> void createA(List<I<T>> c) {
        A a = new A(c);//warning here
    }

    public <T> void createB(List<I<T>> c) {
        B b = new B(c);//error here: The constructor B(List<I<T>>) is undefined
    }
}

interface I<T> {
}


class B implements I<Integer> {

    public B(List<I<?>> c) {
    }
}

class A<T> implements I<T> {

    public A(List<I<?>> c) {
    }
}

B 类是通用的,而 A 不是,但我不知道为什么在这种情况下它很重要。

4

2 回答 2

6
public B(List<I<?>> c) {
}

未知?类型。它不是任何其他类型的通配符。编译器说实话,类型没有构造函数(is not )List<I<T>>T?

它也不适用于其他方法。您只需通过“未经检查的转换”警告交换编译错误。因为类A是参数化的,所以你必须这样称呼它:

public <T> void createA(List<I<T>> c) {
    A<T> a = new A<T>(c);
}

瞧,对同样的错误打个招呼。

于 2013-06-19T14:23:56.697 回答
1

A是一个泛型类,这意味着当你单独使用A它时,它是一个原始类型。当您使用原始类型时,您会关闭其方法和构造函数的所有泛型。因此,例如,以下将编译:

A a = new A(new ArrayList<String>());

B不是泛型类,因此单独使用B不是原始类型,并且不会关闭泛型。

于 2013-06-20T21:54:58.823 回答