我有一些POJO的包用于unmarhsalling。我想制作一个通用的方法,你可以通过哪种类来解决它。
例如:
public class Test<E>
{
E obj;
// Get all the tags/values from the XML
public void unmarshalXML(String xmlString) {
//SomeClass someClass;
JAXBContext jaxbContext;
Unmarshaller unmarshaller;
StringReader reader;
try {
jaxbContext = JAXBContext.newInstance(E.class); // This line doesn't work
unmarshaller = jaxbContext.createUnmarshaller();
reader = new StringReader(xmlString);
obj = (E) unmarshaller.unmarshal(reader);
} catch(Exception e) {
e.printStackTrace();
}
}
}
我在上面代码中指出的行上收到错误:Illegal class literal for the type parameter E
。当然,E
来自实际存在的POJO列表。
我将如何做到这一点?
答案 0 :(得分:5)
你不能E.class
,因为编译时会删除泛型(转换为类型Object,查看type erasure)。这是非法的,因为在运行时无法访问泛型类型数据。
相反,您可以允许开发人员通过构造函数传递类文字,将其存储在字段中,然后使用:
class Test<E> {
private Class<E> type;
public Test(Class<E> type) {
this.type = type;
}
public void unmarshall(String xmlString) {
//...
jaxbContext = JAXBContext.newInstance(type);
}
}
然后,开发人员可以这样做:
new Test<SomeType>(SomeType.class);