我使用List<>生成JSON会员里面。它被编组好了。
但是,当列表只有一个元素时,我的消费(第三方)会抱怨缺少[]对。我生产的是:
"mylist":{"id":104,"name":"Only one found"} // produced
而我的消费者期望:
"mylist":[{"id":104,"name":"Only one found"}] // expected by third party
我的实现是否产生了错误的JSON?
答案 0 :(得分:3)
注意:我是EclipseLink JAXB (MOXy)主管,是JAXB (JSR-222)专家组的成员。
JAXB(JSR-222)规范不包括JSON绑定。您看到的行为很可能是由于JAXB实现与Jettison等库一起使用。 Jettison将StAX事件转换为JSON或从JSON转换,并且只能在元素出现多次时检测列表(请参阅:http://blog.bdoughan.com/2011/04/jaxb-and-json-via-jettison.html)。 EclipseLink JAXB提供本机JSON绑定,可以正确表示大小为1的数组。
JAVA模型
<强>富强>
import java.util.List;
import javax.xml.bind.annotation.*;
@XmlAccessorType(XmlAccessType.FIELD)
public class Foo {
private List<Bar> mylist;
}
<强>酒吧强>
import javax.xml.bind.annotation.*;
@XmlAccessorType(XmlAccessType.FIELD)
public class Bar {
private int id;
private String name;
}
的 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
DEMO CODE
<强>演示强>
import java.util.*;
import javax.xml.bind.*;
import javax.xml.transform.stream.StreamSource;
import org.eclipse.persistence.jaxb.JAXBContextProperties;
public class Demo {
public static void main(String[] args) throws Exception {
Map<String, Object> properties = new HashMap<String, Object>(2);
properties.put(JAXBContextProperties.MEDIA_TYPE, "application/json");
properties.put(JAXBContextProperties.JSON_INCLUDE_ROOT, false);
JAXBContext jc = JAXBContext.newInstance(new Class[] {Foo.class}, properties);
Unmarshaller unmarshaller = jc.createUnmarshaller();
StreamSource json = new StreamSource("src/forum15404528/input.json");
Foo foo = unmarshaller.unmarshal(json, Foo.class).getValue();
Marshaller marshaller = jc.createMarshaller();
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.marshal(foo, System.out);
}
}
<强> input.json /输出强>
我们看到mylist
被正确表示为JSON数组。
{
"mylist" : [ {
"id" : 104,
"name" : "Only one found"
} ]
}
其他信息