这个问题已经在这里有了答案: > What is a raw type and why shouldn’t we use it? 15个
编辑:是的,这可能是重复的.但是,另一个问题类似于“什么是电锯,我该如何使用它?”我的意思更像是“我正在尝试在这台机器上钻一个孔,它不起作用-怎么了?”.当然答案是“不要用电锯!”一旦知道要用电锯就可以轻松找到.
但是我什至不知道我的问题与“原始类型与通配符”有关,因此没有找到这个问题-因此也许这个问题对于像我这样的其他人仍然有用.
原始问题:假设我有以下数据结构,它表示用户界面中的一个项目:
public static abstract class RowItem<T> {
public final T value;
public RowItem(T value) {
this.value = value;
}
}
现在,我要执行以下操作:
public static abstract class EpgRowItem<T> extends RowItem<Pair<String, T>> {
public EpgRowItem(Pair<String, T> value) {
super(value);
}
}
public static final class EpgRowProgramItem extends EpgRowItem<Program> {
public EpgRowProgramItem(Pair<String, Program> value) {
super(value);
}
}
public static final class EpgRowOtherDateItem extends EpgRowItem<LocalDate> {
public EpgRowOtherDateItem(Pair<String, LocalDate> value) {
super(value);
}
}
因此,换句话说:EpgRowItem是一个包含对的RowItem,其中第一个成员始终是String,第二个成员可以是任何东西.此外,EpgRowProgramItem是EpgRowItem,其中该对中的第二个成员是Program.同样,EpgRowOtherDateItem是EpgRowItem,其中该对的第二个成员是LocalDate.
直到我在代码中的其他地方找到它为止,这似乎一直有效:
List<OverlayPresenter.EpgRowItem> programs = ...;
OverlayPresenter.EpgRowItem epgRowItem = programs.get(0);
String channelId = epgRowItem.value.first; // DOESN'T COMPILE?!
我觉得编译器应该知道epgRowItem.value必须始终为Pair< String,?> ;,因此epgRowItem.value.first必须始终为String. 实际上,它似乎甚至都不知道第一部分. e.以下内容也不编译:
Pair<String, ?> pair = epgRowItem.value; // epgRowItem.value is an Object?!
我究竟做错了什么?我只是在问太多Java泛型吗?
解决方法:
遇到麻烦是因为您正在使用原始类型EpgRowItem(原始类型是未指定类型参数的参数化类型;由于与Java 1.4及更低版本的向后兼容性,这些参数存在):
List<OverlayPresenter.EpgRowItem> programs = ...;
OverlayPresenter.EpgRowItem epgRowItem = programs.get(0);
查看:What is a raw type and why shouldn’t we use it?
使用类型参数,或至少使用通配符:
List<OverlayPresenter.EpgRowItem<?>> programs = ...;
OverlayPresenter.EpgRowItem<?> epgRowItem = programs.get(0);
String channelId = epgRowItem.value.first; // OK