我需要用XML和JSON公开JAX-RS资源,其中一部分将包括传入(可能很大的)整数列表。我使用MoXY作为我的JAXB / JSON提供程序。
我遇到的问题是我无法弄清楚如何公开在XML和JSON中都能很好地运行的整数列表。
如果我使用
@XmlList
@XmlElement(name = "Values", type = Integer.class)
protected List<Integer> values;
然后JSON被(联合国)编组为
...
"Values" : "0 1 2 4"
...
在处理大量数字时不合需要。如果省略@XmlList注释,则正确处理JSON,但XML
...
<Values>0 1 2 4</Values>
...
被解析为[124]而不是[0,1,2,4]。
使用@XmlElementWrapper(告诉MoXY到&#34; useWrapperAsArrayName&#34;)
@XmlElementWrapper(name = "Values", required = true)
@XmlElement(name = "Value")
protected List<Object> values = new ArrayList<Object>();
实现了良好的JSON
...
"Values" : [0, 1, 2, 4]
...
但这强加了非常繁琐的XML格式
...
<Values>
<Value>0</Value>
<Value>1</Value>
<Value>2</Value>
<Value>4</Value>
</Values>
...
有人对如何进行有任何建议吗?我无法想象这是一个不常见的用例,但我彻底难倒。
答案 0 :(得分:2)
以下是如何处理用例的示例:
这是一个示例类,用于保存您在问题中描述的属性。
package forum23939109;
import java.util.List;
import javax.xml.bind.annotation.*;
@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Foo {
@XmlList
@XmlElement(name = "Values", type = Integer.class)
protected List<Integer> values;
public List<Integer> getValues() {
return values;
}
public void setValues(List<Integer> values) {
this.values = values;
}
}
<?xml version="1.0"?>
<xml-bindings
xmlns="http://www.eclipse.org/eclipselink/xsds/persistence/oxm"
package-name="forum23939109">
<java-types>
<java-type name="Foo">
<java-attributes>
<xml-element java-attribute="values" name="Values"/>
</java-attributes>
</java-type>
</java-types>
</xml-bindings>
<强>演示强>
下面的演示代码演示了如何在创建将用于处理JSON内容的JAXBContext
时利用外部映射文档。
package forum23939109;
import java.util.*;
import javax.xml.bind.*;
import org.eclipse.persistence.jaxb.JAXBContextProperties;
public class Demo {
public static void main(String[] args) throws Exception {
// Create Instance of Domain Model
Foo foo = new Foo();
ArrayList<Integer> values = new ArrayList<Integer>();
values.add(0);
values.add(1);
values.add(2);
values.add(4);
foo.setValues(values);
// Marshal Object to XML Based on Annotations
JAXBContext jcXML = JAXBContext.newInstance(Foo.class);
Marshaller marshallerXML = jcXML.createMarshaller();
marshallerXML.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshallerXML.marshal(foo, System.out);
// Marshal Object to JSON Based on Annotations & External Mappings
Map<String, Object> properties = new HashMap<String, Object>(3);
properties.put(JAXBContextProperties.OXM_METADATA_SOURCE, "forum23939109/oxm.xml");
properties.put(JAXBContextProperties.MEDIA_TYPE, org.eclipse.persistence.oxm.MediaType.APPLICATION_JSON);
properties.put(JAXBContextProperties.JSON_INCLUDE_ROOT, false);
JAXBContext jcJSON = JAXBContext.newInstance(new Class[] {Foo.class}, properties);
Marshaller marshallerJSON = jcJSON.createMarshaller();
marshallerJSON.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshallerJSON.marshal(foo, System.out);
}
}
<强>输出强>
以下是运行演示代码的输出:
<?xml version="1.0" encoding="UTF-8"?>
<foo>
<Values>0 1 2 4</Values>
</foo>
{
"Values" : [ 0, 1, 2, 4 ]
}