从通用的JAXB模型生成的xml可以采用以下形式
<ipi-list><ipi>1001</ipi><ipi>1002</ipi></ipi-list>
因为在json中,我们不需要数组,所以不需要两个元素,因此通过使用MOXy的oxml扩展,我可以将输出展平以给出
"ipi" : [ "1001", "1002" ],
但是因为ipi现在是指一系列事物,所以我希望将其称为 ipis 而不是 ipi
"ipis" : [ "1001", "1002" ],
有没有办法让MOXy重命名元素?
您可以使用 EclipseLink JAXB(MOXy) 的外部映射文档来调整XML或JSON表示形式的映射。
知识产权主义者
下面是带有JAXB批注的域类,该类与您的问题的XML表示相匹配:
package forum11449219; import java.util.*; import javax.xml.bind.annotation.*; @XmlRootElement(name="ipi-list") public class IPIList { private List<String> list = new ArrayList<String>(); @XmlElement(name="ipi") public List<String> getList() { return list; } public void setList(List<String> list) { this.list = list; } }
oxm.xml
我们可以使用MOXy的外部映射文档来修改如何将list属性映射到JSON。
list
<?xml version="1.0"?> <xml-bindings xmlns="http://www.eclipse.org/eclipselink/xsds/persistence/oxm" package-name="forum11449219"> <java-types> <java-type name="IPIList"> <java-attributes> <xml-element java-attribute="list" name="ipis"/> </java-attributes> </java-type> </java-types> </xml-bindings>
jaxb.properties
要将MOXy指定为JAXB提供程序,您需要jaxb.properties在与域模型相同的包中包含一个名为的文件,并带有以下条目(请参阅参考资料):
javax.xml.bind.context.factory=org.eclipse.persistence.jaxb.JAXBContextFactory
演示版
以下演示代码显示了在创建时如何引用外部映射文档JAXBContext。
JAXBContext
package forum11449219; import java.util.*; import javax.xml.bind.*; import org.eclipse.persistence.jaxb.JAXBContextProperties; public class Demo { public static void main(String[] args) throws Exception { IPIList ipiList = new IPIList(); ipiList.getList().add("1001"); ipiList.getList().add("1002"); // XML JAXBContext jc = JAXBContext.newInstance(IPIList.class); Marshaller xmkMarshaller = jc.createMarshaller(); xmkMarshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true); xmkMarshaller.marshal(ipiList, System.out); // JSON Map<String, Object> properties = new HashMap<String, Object>(3); properties.put(JAXBContextProperties.OXM_METADATA_SOURCE, "forum11449219/oxm.xml"); properties.put(JAXBContextProperties.MEDIA_TYPE, "application/json"); properties.put(JAXBContextProperties.JSON_INCLUDE_ROOT, false); JAXBContext jsonJC = JAXBContext.newInstance(new Class[] {IPIList.class}, properties); Marshaller jsonMarshaller = jsonJC.createMarshaller(); jsonMarshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true); jsonMarshaller.marshal(ipiList, System.out); } }
输出量
这是运行演示代码的输出:
<?xml version="1.0" encoding="UTF-8"?> <ipi-list> <ipi>1001</ipi> <ipi>1002</ipi> </ipi-list> { "ipis" : [ "1001", "1002" ] }
想要查询更多的信息