0

我有这样的 XML,我从中间件获得

<Example library="somewhere">

   <book>

     <AUTHORS_TEST>Author_Name</AUTHORS_TEST>
     <EXAMPLE_TEST>Author_Name</EXAMPLE_TEST>

   </book>

</Example>

我想要做的是将 XML 转换为 Java 对象(反之亦然):

class Example
 {

 private String authorsTest;
 private String exampleTest;

  }

那么有没有办法映射这两个呢,需要注意的是XML标签名和类属性名是不同的,所以有没有人建议用最小的改动来实现这个?Xstream是一个不错的选择,但是如果我有大字段数量很难添加别名,那么除了 XStream 之外还有更好的选择吗?

4

3 回答 3

3

有很好的图书馆可以为您做到这一点。一个简单的例子是XStream

请参阅两分钟教程中的此示例:

Person joe = new Person("Joe", "Walnes");
joe.setPhone(new PhoneNumber(123, "1234-456"));
joe.setFax(new PhoneNumber(123, "9999-999"));

现在,要将其转换为 XML,您只需简单调用 XStream:

String xml = xstream.toXML(joe);

生成的 XML 如下所示:

<person>
  <firstname>Joe</firstname>
  <lastname>Walnes</lastname>
  <phone>
    <code>123</code>
    <number>1234-456</number>
  </phone>
  <fax>
    <code>123</code>
    <number>9999-999</number>
  </fax>
</person>

我更喜欢 XStream,因为它非常易于使用。如果你想做更复杂的事情,比如从 XML 生成 Java 类,你应该看看Miquel 提到的JAXB 。但它更复杂,需要更多时间才能开始。

于 2012-05-09T07:32:08.270 回答
3

您正在寻找的是所谓的 XML 绑定,您实际上将 xml 转换为基于 xml 模式的 java 类。对此的参考实现是jaxb,但还有许多其他选择。

于 2012-05-09T07:34:18.480 回答
1

注意: 我是EclipseLink JAXB (MOXy)负责人,也是JAXB 2 (JSR-222)专家组的成员。

大多数 XML 绑定库都需要在 XML 表示中的每一级嵌套一个对象。EclipseLink JAXB (MOXy) 具有@XmlPath启用基于 XPath 的映射以消除此限制的扩展。

例子

下面是如何将@XmlPath扩展应用到您的用例的演示。

package forum10511601;

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

@XmlRootElement(name="Example")
@XmlAccessorType(XmlAccessType.FIELD)
class Example {

    @XmlAttribute
    private String library;

    @XmlPath("book/AUTHORS_TEST/text()")
    private String authorsTest;

    @XmlPath("book/EXAMPLE_TEST/text()")
    private String exampleTest;

}

jaxb.properties

要将 MOXy 指定为您的 JAXB 提供者,您需要jaxb.properties使用以下条目添加与域模型在同一包中命名的文件(请参阅将EclipseLink MOXy 指定为您的 JAXB 提供者)。

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

演示

由于 MOXy 是 JAXB (JSR-222) 实现,因此您使用标准 JAXB 运行时 API(从 Java SE 6 开始包含在 JRE/JDK 中)。

package forum10511601;

import java.io.File;
import javax.xml.bind.*;

public class Demo {

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

        Unmarshaller unmarshaller = jc.createUnmarshaller();
        File xml = new File("src/forum10511601/input.xml");
        Example example = (Example) unmarshaller.unmarshal(xml);

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

}

输入.xml/输出

<?xml version="1.0" encoding="UTF-8"?>
<Example library="somewhere">
   <book>
      <AUTHORS_TEST>Author_Name</AUTHORS_TEST>
      <EXAMPLE_TEST>Author_Name</EXAMPLE_TEST>
   </book>
</Example>
于 2012-05-09T09:14:18.453 回答