我在XSD架构中有一个特定的元素,我希望JAXB将空元素内容视为空而不是空字符串。模型类由XJC生成。
我已经看过this answer for marshalling empty string to null globally了,而且我仍然坚持使用JAXB的RI,所以我猜这不会对我有用。
我可以采取另一种方法,因为我只需要一个特定的元素吗?
答案 0 :(得分:1)
由于这仅适用于一个元素,因此以下是使用任何JAXB实现的一种方法。
<强>富强>
通过利用@XmlAccessorType
注释设置您的班级以使用字段访问权限。然后将与元素对应的字段初始化为""
。实施get
/ set
方法将""
视为null
。
import javax.xml.bind.annotation.*;
@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Foo {
private String bar = "";
public String getBar() {
if(bar.length() == 0) {
return null;
} else {
return bar;
}
}
public void setBar(String bar) {
if(null == bar) {
this.bar = "";
} else {
this.bar = bar;
}
}
}
下面是一些可以运行的演示代码,以确保一切正常。
<强> input.xml中强>
<?xml version="1.0" encoding="UTF-8"?>
<foo>
<bar/>
</foo>
<强>演示强>
import java.io.File;
import javax.xml.bind.*;
public class Demo {
public static void main(String[] args) throws Exception {
JAXBContext jc = JAXBContext.newInstance(Foo.class);
Unmarshaller unmarshaller = jc.createUnmarshaller();
File xml = new File("src/forum18611294/input.xml");
Foo foo = (Foo) unmarshaller.unmarshal(xml);
System.out.println(foo.getBar());
Marshaller marshaller = jc.createMarshaller();
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.marshal(foo, System.out);
}
}
<强>输出强>
null
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<foo>
<bar></bar>
</foo>