注意: 我是EclipseLink JAXB (MOXy )的负责人,也是JAXB (JSR-222)专家组的成员。
由于您已经建立了 JAXB 映射并将 XML 转换为 JSON,您可能对 EclipseLink JAXB (MOXy) 感兴趣,它使用相同的 JAXB 元数据提供对象到 XML 和对象到 JSON 的映射。
顾客
下面是一个带有 JAXB 注释的示例模型。
package forum11599191;
import java.util.List;
import javax.xml.bind.annotation.*;
@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Customer {
@XmlAttribute
private int id;
private String firstName;
@XmlElement(nillable=true)
private String lastName;
private List<String> email;
}
jaxb.properties
要将 MOXy 作为您的 JAXB 提供程序,您需要包含一个jaxb.properties
在与域模型相同的包中调用的文件,其中包含以下条目(请参阅: http ://blog.bdoughan.com/2011/05/specifying-eclipselink-moxy-as -your.html )。
javax.xml.bind.context.factory=org.eclipse.persistence.jaxb.JAXBContextFactory
输入.xml
<?xml version="1.0" encoding="UTF-8"?>
<customer id="123" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
<firstName>Jane</firstName>
<lastName xsi:nil="true"/>
<email>jdoe@example.com</email>
</customer>
演示
以下演示代码将从 XML 填充对象,然后输出 JSON。注意 MOXy 没有编译时依赖。
package forum11599191;
import java.io.File;
import javax.xml.bind.*;
public class Demo {
public static void main(String[] args) throws Exception {
JAXBContext jc = JAXBContext.newInstance(Customer.class);
// Unmarshal from XML
Unmarshaller unmarshaller = jc.createUnmarshaller();
File xml = new File("src/forum11599191/input.xml");
Customer customer = (Customer) unmarshaller.unmarshal(xml);
// Marshal to JSON
Marshaller marshaller = jc.createMarshaller();
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.setProperty("eclipselink.media-type", "application/json");
marshaller.marshal(customer, System.out);
}
}
JSON 输出
下面是运行演示代码的输出。
{
"customer" : {
"id" : 123,
"firstName" : "Jane",
"lastName" : null,
"email" : [ "jdoe@example.com" ]
}
}
关于输出需要注意的几点:
- 由于该
id
字段是数字类型,因此它被编组为不带引号的 JSON。
- 即使该
id
字段已映射,@XmlAttribute
JSON 消息中也没有对此的特殊指示。
- 该
email
属性List
的大小为 1,这在 JSON 输出中正确表示。
- 该
xsi:nil
机制用于指定该lastName
字段具有一个null
值,这已在 JSON 输出中转换为正确的 null 表示。
了解更多信息