我在使用继承和 JAXB 解组时遇到问题。我已经阅读了示例的数量(特别是http://blog.bdoughan.com/2010/11/jaxb-and-inheritance-using-xsitype.html上的大量参考博客和一个非常相似的 SO 问题:JAXB xsi :type subclass unmarshalling not working ) 并且仍然遇到困难。
像许多其他问题一样,我正在尝试创建一个对象的 XML 表示,该对象的字段依赖于子类来获取信息。我在编译时不知道具体的子类实现是什么,所以像 XmlSeeAlso 这样的东西并不真正可用。
在我的测试用例中,我有一个带有抽象类 (A) 的 Root 类,该类具有一个具体的子类型 (B):
@XmlRootElement
@ToString
public class Root {
private A theClass;
public A getTheClass() {
return theClass;
}
public void setTheClass(A theClass) {
this.theClass = theClass;
}
}
@ToString
public abstract class A {
}
@XmlRootElement
@ToString
public class B extends A {
private String b = "from B-" + System.currentTimeMillis()
public String getB() {
return b;
}
public void setB(String b) {
this.b = b;
}
}
其中@ToString 是来自 Lombok 项目的注释。
我可以毫无问题地编组:
@Test
public void marshallTest() {
try {
Root r = new Root();
B b = new B();
r.setTheClass(b);
Class<?>[] classArray = new Class<?> [] { Root.class, B.class };
JAXBContext context = JAXBContext.newInstance(classArray);
Marshaller marshaller = context.createMarshaller();
try (FileWriter fw = new FileWriter(JAXB_TEST_XML)) {
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.marshal(r, fw);
}
try(StringWriter sw = new StringWriter() ) {
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.marshal(r, sw);
log.debug("{}", sw.toString());
}
} catch (IOException | JAXBException e) {
e.printStackTrace();
fail(e.getMessage());
}
}
这会产生以下xml:
<root>
<theClass xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="b">
<b>from B-1375211003868</b>
</theClass>
</root>
当我尝试解组(使用 MOXY JAXB 实现)时,我得到:
This class does not define a public default constructor, or the constructor raised an exception.
Internal Exception: java.lang.InstantiationException
Descriptor: XMLDescriptor(xml.A --> [])
使用以下代码:
@Test
public void unmarshall() {
try {
JAXBContext context = JAXBContext.newInstance(new Class<?>[] {Root.class, A.class});
DocumentBuilderFactory documentBuilderFactory = DocumentBuilderFactory.newInstance();
documentBuilderFactory.setNamespaceAware(true);
DocumentBuilder db = documentBuilderFactory.newDocumentBuilder();
Root r = null;
try(BufferedInputStream bis = new BufferedInputStream(new FileInputStream(JAXB_TEST_XML))) {
Document doc = db.parse(bis);
Unmarshaller unmarshaller = context.createUnmarshaller();
JAXBElement<?> result = unmarshaller.unmarshal(doc, Root.class);
r = (Root) result.getValue();
}
assertTrue(r != null & r.getTheClass() != null && r.getTheClass() instanceof B);
} catch (Exception e) {
e.printStackTrace();
fail(e.getMessage());
}
}
我已经尝试让解组命名空间感知(与JAXB xsi:type 子类解组不起作用,这不起作用。我尝试使用 XmlElementRef 也不起作用。我尝试了从 maven Central 下载的最新 glassfish api 和实现(2.2 .8). 我尝试了 MOXY eclipse 持久性 JAXB 实现。两者都没有工作。我尝试在不使用文档生成器的情况下进行解组,但效果不佳。我尝试将 Root.class 和 A.class 传递到 JAXB 上下文中这也不起作用。
我有一种感觉,我对正在发生的事情有一个基本的误解。任何提示或想法将不胜感激。谢谢你。
- 丘克斯