3

我生成带有 List<> 成员的 JSON。它被编组了。

但是,当列表只有一个元素时,我的消费(第三方)方抱怨缺少 [] 对。我生产的是这样的:

"mylist":{"id":104,"name":"Only one found"} // produced

而我的消费者期望:

"mylist":[{"id":104,"name":"Only one found"}] // expected by third party

我的实现是否产生了不正确的 JSON?

4

1 回答 1

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 -你的.html):

javax.xml.bind.context.factory=org.eclipse.persistence.jaxb.JAXBContextFactory

演示代码

演示

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);
    }

}

输入.json/输出

我们看到mylist正确地表示为 JSON 数组。

{
   "mylist" : [ {
      "id" : 104,
      "name" : "Only one found"
   } ]
}

附加信息

于 2013-03-14T10:22:28.883 回答