18

私は JAXB を初めて使用するので、xpath 式を使用して XML を応答オブジェクトにアンマーシャリングする方法があるかどうかを知りたいです。問題は、私がサード パーティの Web サービスを呼び出しており、受け取った応答に多くの詳細が含まれていることです。XML のすべての詳細を応答オブジェクトにマップしたくありません。特定の XPath 式を使用して取得できる xml からいくつかの詳細をマップし、それらを応答オブジェクトにマップしたいだけです。これを達成するのに役立つ注釈はありますか?

たとえば、次の応答を考えてみましょう

<root>
  <record>
    <id>1</id>
    <name>Ian</name>
    <AddressDetails>
      <street> M G Road </street>
    </AddressDetails>
  </record>  
</root>

私は通りの名前を取得することにのみ興味があるので、xpath 式を使用して、'root/record/AddressDetails/street' を使用して通りの値を取得し、それを応答オブジェクトにマップしたいと考えています。

public class Response{
     // How do i map this in jaxb, I do not wish to map record,id or name elements
     String street; 

     //getter and setters
     ....
}   

ありがとう

4

3 に答える 3

21

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

このユースケースでは、 MOXy の@XmlPath拡張機能を使用できます。

応答

import javax.xml.bind.annotation.*;
import org.eclipse.persistence.oxm.annotations.XmlPath;

@XmlRootElement(name="root")
@XmlAccessorType(XmlAccessType.FIELD)
public class Response{
    @XmlPath("record/AddressDetails/street/text()")
    String street; 

    //getter and setters
}

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.io.File;
import javax.xml.bind.*;

public class Demo {

    public static void main(String[] args) throws Exception {
        JAXBContext jc = JAXBContext.newInstance(Response.class);

        Unmarshaller unmarshaller = jc.createUnmarshaller();
        File xml = new File("src/forum17141154/input.xml");
        Response response = (Response) unmarshaller.unmarshal(xml);

        Marshaller marshaller = jc.createMarshaller();
        marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
        marshaller.marshal(response, System.out);
    }

}

出力

<?xml version="1.0" encoding="UTF-8"?>
<root>
   <record>
      <AddressDetails>
         <street> M G Road </street>
      </AddressDetails>
   </record>
</root>

詳細については

于 2013-06-17T10:34:26.597 に答える
10

通りの名前だけが必要な場合は、XPath 式を使用してそれを文字列として取得し、JAXB のことは忘れてください。複雑な JAXB 機構は値を追加しません。

import javax.xml.xpath.*;
import org.xml.sax.InputSource;

public class XPathDemo {

    public static void main(String[] args) throws Exception {
        XPathFactory xpf = XPathFactory.newInstance();
        XPath xpath = xpf.newXPath();

        InputSource xml = new InputSource("src/forum17141154/input.xml");
        String result = (String) xpath.evaluate("/root/record/AddressDetails/street", xml, XPathConstants.STRING);
        System.out.println(result);
    }

}
于 2013-06-17T09:22:13.440 に答える