我在使用Java规则推断泛型类型参数时遇到了一些麻烦。考虑下面的类,它有一个可选的list参数:
import java.util.Collections;
import java.util.List;
public class Person {
private String name;
private List<String> nicknames;
public Person(String name) {
this(name, Collections.emptyList());
}
public Person(String name, List<String> nicknames) {
this.name = name;
this.nicknames = nicknames;
}
}
我的Java编译器给出以下错误:
Person.java:9: The constructor Person(String, List<Object>) is undefined
但是Collections.emptyList()返回类型<T> List<T>,而不是List<Object>。添加一个类型转换并没有帮助
public Person(String name) {
this(name,(List<String>)Collections.emptyList());
}
收益率
Person.java:9: inconvertible types
使用EMPTY_LIST代替emptyList()
public Person(String name) {
this(name, Collections.EMPTY_LIST);
}
收益率
Person.java:9: warning: [unchecked] unchecked conversion
而下面的修改会使错误消失:
public Person(String name) {
this.name = name;
this.nicknames = Collections.emptyList();
}
谁能解释一下我在这里遇到的类型检查规则是什么,以及绕过它的最佳方法是什么?在本例中,最后的代码示例是令人满意的,但是对于较大的类,我希望能够按照这种“可选参数”模式编写方法,而不需要重复代码。
对于额外的学分:什么时候使用EMPTY_LIST而不是emptyList()是合适的?