3

内部に List<> メンバーを含む JSON を生成します。整列OKです。

ただし、リストに要素が1つしかない場合、消費する(サード)パーティは[]ペアが欠落していると不平を言います。私が生産するものは次のようなものです:

"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 バインディングをカバーしていません。表示されている動作は、Jettison などのライブラリで使用されている JAXB 実装が原因である可能性が最も高いです。Jettison は StAX イベントを JSON との間で変換し、要素が複数回出現する場合にのみリストを検出できます (参照: http://blog.bdoughan.com/2011/04/jaxb-and-json-via-jettison.html ) 。 . EclipseLink JAXBはネイティブのJSONバインディングを提供し、サイズ1の配列を正しく表すことができます。

ジャバモデル

フー

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

デモコード

デモ

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"
   } ]
}

追加情報

于 2013-03-14T10:22:28.883 に答える