2

我需要使用 jaxb 生成 xml,如下所示:

<item>
    <key1 id="default">value1</key1>
    <key2 id="default">value2</key2>
    <key3 id="default">value3</key3>
</item>

如何在 jaxb 中使用 @XmlPath 来做到这一点?

我用过以下一个。但我有多个 50 左右的键。如何实现这一点?

   @XmlPath("key1/@id")
    private String attrValue = "default";
4

1 回答 1

0

@XmlPath是JAXB (JSR-222)的EclipseLink MOXy实现中的一个扩展。您将需要使用 MOXy 映射文件中的等效项来获得所需的行为。

oxm.xml

您正在寻找的是为字段/属性应用多个可写映射的能力。这目前无法通过注释来完成,但可以使用 MOXy 的外部映射文档来完成。

<?xml version="1.0"?>
<xml-bindings
    xmlns="http://www.eclipse.org/eclipselink/xsds/persistence/oxm"
    package-name="forum12704491">
    <java-types>
        <java-type name="Item">
            <java-attributes>
                <xml-element java-attribute="attrValue" xml-path="key1/@id"/>
                <xml-element java-attribute="attrValue" xml-path="key2/@id" write-only="true"/>
                <xml-element java-attribute="attrValue" xml-path="key3/@id" write-only="true"/>
            </java-attributes>
        </java-type>
    </java-types>
</xml-bindings>

物品

package forum12704491;

import javax.xml.bind.annotation.*;

@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Item {

    private String attrValue;
    private String key1;
    private String key2;
    private String key3;

}

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

演示

下面的演示代码演示了如何使用 MOXy 的外部映射文档进行引导。

package forum12704491;

import java.io.File;
import java.util.*;
import javax.xml.bind.*;
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>(1);
        properties.put(JAXBContextProperties.OXM_METADATA_SOURCE, "forum12704491/oxm.xml");
        JAXBContext jc = JAXBContext.newInstance(new Class[] {Item.class}, properties);

        File xml = new File("src/forum12704491/input.xml");
        Unmarshaller unmarshaller = jc.createUnmarshaller();
        Item item = (Item) unmarshaller.unmarshal(xml);

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

}

输入.xml/输出

<?xml version="1.0" encoding="UTF-8"?>
<item>
   <key1 id="default">value1</key1>
   <key2 id="default">value2</key2>
   <key3 id="default">value3</key3>
</item>
于 2012-10-03T10:42:35.480 回答