1

我目前在一个项目中使用 moxy,但我遇到了一个找不到解决方案的问题。

我只使用 xml 映射文件将从客户端接收到的 xml 映射到我的 java 类。

我的问题是元素名称是“电子邮件”,就像这样:

example@gmail.com

在收到的 xml 中它是一个列表,所以我首先尝试像这样映射:

xml-element java-attribute="eMail" type="java.lang.String" xml-path="E-Mail/text()" container-type="java.util.List"

此表达式适用于相同类型的对象,但元素名称中没有破折号。

但在这种情况下它不起作用。(xml-path 表达式不起作用)。

我尝试了很多不同的表达方式,但我没有找到任何解决方案......

请问你能帮我吗?有人已经处理过这种问题吗?

4

1 回答 1

0

我不确定我是否完全理解您的问题,但我相信您在元素名称中有破折号时遇到了问题。下面是一个可能有帮助的例子。

绑定.xml

下面是 EclipseLink JAXB (MOXy) 的 XML 绑定文件的示例。xml-path到属性的映射包含email一个破折号E-Mail/text()

<?xml version="1.0"?>
<xml-bindings
    xmlns="http://www.eclipse.org/eclipselink/xsds/persistence/oxm"
    package-name="forum10435322">
    <java-types>
        <java-type name="Root">
            <xml-root-element/>
            <java-attributes>
                <xml-element java-attribute="email" xml-path="E-Mail/text()"/>
            </java-attributes>
        </java-type>
    </java-types>
</xml-bindings>

下面是我将用于此示例的域对象。它不包含任何注释。

package forum10435322;

import java.util.List;

public class Root {

    private List<String> email;

    public List<String> getEmail() {
        return email;
    }

    public void setEmail(List<String> email) {
        this.email = email;
    }

}

jaxb.properties

为了将 MOXy 指定为 JAXB 提供程序,您需要添加一个jaxb.properties在与域类相同的包中调用的文件,其中包含以下条目:

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

演示

下面是一些演示代码,演示如何JAXBContext使用 MOXy 的外部元数据引导 a。

package forum10435322;

import java.io.File;
import java.util.*;
import javax.xml.bind.*;
import org.eclipse.persistence.jaxb.JAXBContextFactory;

public class Demo {

    public static void main(String[] args) throws Exception {
        Map<String, Object> properties = new HashMap<String, Object>(1);
        properties.put(JAXBContextFactory.ECLIPSELINK_OXM_XML_KEY, "forum10435322/bindings.xml");
        JAXBContext jc = JAXBContext.newInstance(new Class[] {Root.class}, properties);

        File xml = new File("src/forum10435322/input.xml");
        Unmarshaller unmarshaller = jc.createUnmarshaller(); 
        Root root = (Root) unmarshaller.unmarshal(xml);

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

}

输入.xml/输出

以下是此示例的输入和输出。

<?xml version="1.0" encoding="UTF-8"?>
<root>
   <E-Mail>jane.doe@example.com</E-Mail>
   <E-Mail>jdoe@example.org</E-Mail>
</root>
于 2012-05-03T19:42:37.507 回答