2

@XmlElementWrapper を使用してコレクションを追加の要素でラップするクラスのコレクションがあります。

したがって、私のクラスは次のようになります。

class A {
  @XmlElement(name = "bee")
  @XmlElementWrapper
  public List<B> bees;
}

そして、私の XML は次のようになります。

<a>
  <bees>
    <bee>...</bee>
    <bee>...</bee>
  </bees>
</a>

すごい、これが欲しかった。ただし、JSON にマーシャリングしようとすると、次のようになります。

{
  "bees": {
    "bee": [
      ....
    ]
  }
}

そして、そこに余分な「ハチ」キーは必要ありません。

このマーシャリングを行うときに、MOXyにXmlElement部分を無視させることは可能ですか? 名前は「bee」ではなく「bees」にする必要があり、両方は必要ないからです。

MOXy 2.4.1 と javax.persistence 2.0.0 を使用しています。

4

1 に答える 1

2

注: 私はEclipseLink JAXB (MOXy)のリーダーであり、JAXB (JSR-222)エキスパート グループのメンバーです。

oxm.xml

MOXy の外部マッピング ドキュメントを使用して、JSON バインディングの代替マッピングを提供できます ( http://blog.bdoughan.com/2010/12/extending-jaxb-representing-annotations.htmlを参照)。

<?xml version="1.0"?>
<xml-bindings xmlns="http://www.eclipse.org/eclipselink/xsds/persistence/oxm"
    package-name="forum14002508">
    <java-types>
        <java-type name="A">
            <java-attributes>
                <xml-element java-attribute="bees" />
            </java-attributes>
        </java-type>
    </java-types>
</xml-bindings>

デモ

以下のデモ コードでは、 の 2 つのインスタンスを作成しますJAXBContext。1 つ目は、XML に使用する JAXB アノテーションのみに基づいて構築されています。2 つ目は、JAXB アノテーションに基づいて構築され、MOXy の外部マッピング ファイルを使用して、クラスのbeesプロパティのマッピングをオーバーライドします。A

package forum14002508;

import java.util.*;
import javax.xml.bind.*;

import org.eclipse.persistence.jaxb.JAXBContextProperties;

public class Demo {

    public static void main(String[] args) throws Exception {

        List<B> bees = new ArrayList<B>();
        bees.add(new B());
        bees.add(new B());
        A a = new A();
        a.bees = bees;

        JAXBContext jc1 = JAXBContext.newInstance(A.class);
        Marshaller marshaller1 = jc1.createMarshaller();
        marshaller1.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
        marshaller1.marshal(a, System.out);

        Map<String, Object> properties = new HashMap<String, Object>(3);
        properties.put(JAXBContextProperties.OXM_METADATA_SOURCE, "forum14002508/oxm.xml");
        properties.put(JAXBContextProperties.MEDIA_TYPE, "application/json");
        properties.put(JAXBContextProperties.JSON_INCLUDE_ROOT, false);
        JAXBContext jc2 = JAXBContext.newInstance(new Class[] {A.class}, properties);
        Marshaller marshaller2 = jc2.createMarshaller();
        marshaller2.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
        marshaller2.marshal(a, System.out);
    }

}

出力

以下は、ユース ケースに一致するデモ コードを実行した場合の出力です。

<a>
   <bees>
      <bee/>
      <bee/>
   </bees>
</a>
{
   "bees" : [ {
   }, {
   } ]
}

詳細については

于 2012-12-23T14:27:26.513 に答える