这个问题类似于Factory and generics,可能有相同的答案,但它有所不同。我有一个通用基类,它将在一个完全独立的JAR中由类扩展。应该可以在不更改任何其他代码的情况下放入和替换所述JAR(代码在命令上执行)。
基类:
public abstract class ThingBase<A> {
public abstract A doThing();
public abstract Thing getThingType();
// This might be the wrong way to do this, and I elaborate below.
public final SortedMap<Long, A> getCollectionContainer() {
return new TreeMap<Long, A>();
}
}
我有一个枚举,我将为每个条目创建不同的扩展名。
public enum Thing { T1, T2, T3 }
工厂创建此类对象:
public class ThingFactory {
private static final Map<Thing, Class<? extends ThingInterface<?>>> thingMap;
static{//populate map by finding all extensions of base class}
public static ThingBase<?> getThing(Thing thing) {
try {
Class<? extends ThingBase<?>> thingImpl = thingMap.get(thing);
if (thingImpl != null) {
return thingImpl.newInstance();
} else {
return null;
}
} catch (InstantiationException e) {
return null;
} catch (IllegalAccessException e) {
return null;
}
}
}
我的问题是在下面的代码中使用未经检查和原始类型的警告(注意不在上面,上面的代码编译得很好)。在以下用法中,代码执行成功,但我得到未选中的类型警告。
public class ThingAccumulator {
// Raw Type
private final ThingBase myThing;
// Raw Type
private SortedMap myMap;
public ThingAccumulator(Thing thing) {
myThing = ThingFactory.getThing(thing);
myMap = myThing.getCollectionData();
//Type safety: The method put(Object, Object) belongs to the raw type Map. References to generic type Map<K,V> should be parameterized
myMap.put(System.currentTimeMillis(), myThing.doThing());
}
}
Putting&lt; ? &GT;在ThingBase和&lt;很长,?&gt;在SortedMap字段上抱怨?s是不同的:
在Map类型中放置的方法(Long,capture#17-of?)不适用于参数(long,capture#18-of?)
现在这里的主要问题似乎是编译器无法承担?和?是相同的,这是公平的,但到目前为止我唯一提出的解决方案是将类型放在保持类中,这不是一个选项,因为只有实现知道数据类型:/
有没有人知道如何摆脱这些警告?有没有更好的方法来做到这一点?
谢谢,
SDY
答案 0 :(得分:1)
您可以向ThingAccumulator
添加泛型类型参数,使用它来移动事物,以便Java抱怨的唯一代码是一个简单的行,您可以证明它确实是类型安全的,然后抑制该警告,因为你知道这不是问题。
为ThingAccumulator
提供一个类型参数,可以在一起使用时对其字段进行类型检查。您可以提出问题&#34;但问题是什么类型?&#34;通过将ThingBase<A>
实例作为参数而不是Thing
枚举值,在构造函数之外。然后,静态工厂方法可以处理对象构造:
public class ThingAccumulator<A> {
private final ThingBase<A> myThing;
private SortedMap<Long, A> myMap;
public static ThingAccumulator<?> create(Thing thing) {
return new ThingAccumulator(ThingFactory.getThing(thing));
}
protected ThingAccumulator(ThingBase<A> thing) {
myThing = thing;
myMap = myThing.getCollectionData();
myMap.put(System.currentTimeMillis(), myThing.doThing());
}
}
我希望Java能够使用create()
函数。逻辑可能是这样的:
ThingFactory.getThing()
返回ThingBase<?>
。对于某些未知的ThingBase<X>
,这就像X
。仅仅因为我们不知道它并不意味着它不存在。new ThingAccumulator()
,ThingBase<X>
可以X
,并返回ThingAccumulator<X>
。ThingAccumulator<?>
- 一个带有未知类型参数的实例。型号安全性尚未被打破。然而,Java并不喜欢它(至少在我的Java 1.7.0版本中)。但如果我们喜欢它,我们可以取消警告:
@SuppressWarnings("unchecked")
public static ThingAccumulator<?> create(Thing thing) {
return new ThingAccumulator(ThingFactory.getThing(thing));
}
因为所有其余代码(到目前为止......)都是类型安全的,不再有警告。