作为Java XML绑定的新手我正面临挑战。
假设我有一个构建我的域模型的场景,我想将这个域编组为xml结构。
现在我想提供不同的unmarshall路径:
如果不引入太多复杂性,我无法找到解决这个问题的好方法。一个人可以制作一个域的副本,然后手动制作,但这感觉不对。还有其他解决方案吗?
答案 0 :(得分:2)
您可以利用XmlAdapter和Marshal.Listener来解决此问题:
<强>演示强>
Marshal.Listener将设置为跟踪我们正在编组的树的深度。我们还将设置知道深度监听器的运行时级别XmlAdapter。当达到所需深度时,这些适配器将开始返回null。
import javax.xml.bind.JAXBContext;
import javax.xml.bind.Marshaller;
public class Demo {
public static void main(String[] args) throws Exception {
JAXBContext jc = JAXBContext.newInstance(Root.class);
Root rootA = new Root();
rootA.setName("A");
Root rootB = new Root();
rootB.setName("B");
rootA.setChild(rootB);
Root rootC = new Root();
rootC.setName("C");
rootB.setChild(rootC);
Root rootD = new Root();
rootD.setName("D");
rootC.setChild(rootD);
Root rootE = new Root();
rootE.setName("E");
rootD.setChild(rootE);
Marshaller marshaller = jc.createMarshaller();
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
DepthListener depthListener = new DepthListener(3);
marshaller.setListener(depthListener);
marshaller.setAdapter(new RootAdapter(depthListener));
marshaller.marshal(rootA, System.out);
}
}
<强> DepthListener 强>
本课程的目的是跟踪当前的深度。
import javax.xml.bind.Marshaller;
public class DepthListener extends Marshaller.Listener {
private int targetDepth;
private int currentDepth = 0;
public DepthListener(int depth) {
this.targetDepth = depth;
}
@Override
public void beforeMarshal(Object source) {
currentDepth++;
}
@Override
public void afterMarshal(Object source) {
currentDepth--;
}
public boolean isMarshalDepth() {
return currentDepth <= targetDepth;
}
}
<强> RootAdapter 强>
XmlAdapter的目的是在达到所需深度时开始返回null以停止编组过程。
import javax.xml.bind.annotation.adapters.XmlAdapter;
public class RootAdapter extends XmlAdapter<Root, Root> {
private DepthListener depthListener;
public RootAdapter() {
}
public RootAdapter(DepthListener depthListener) {
this.depthListener = depthListener;
}
@Override
public Root unmarshal(Root root) throws Exception {
return root;
}
@Override
public Root marshal(Root root) throws Exception {
if(depthListener != null && !depthListener.isMarshalDepth()) {
return null;
}
return root;
}
}
<强>根强>
下面演示了如何通过@XmlJavaTypeAdapter注释在域对象上指定XmlAdapter:
import javax.xml.bind.annotation.XmlRootElement;
import javax.xml.bind.annotation.XmlType;
import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;
@XmlRootElement
@XmlJavaTypeAdapter(RootAdapter.class)
@XmlType(propOrder={"name", "child"})
public class Root {
private String name;
private Root child;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public Root getChild() {
return child;
}
public void setChild(Root report) {
this.child = report;
}
}
<强>输出强>
以下是演示代码的输出:
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<root>
<name>A</name>
<child>
<name>B</name>
<child>
<name>C</name>
</child>
</child>
</root>