2

我有以下课程

@XmlRootElement(name = "entity")
public class Entity {

    @XmlElementRef
    protected AtomLink first;
    @XmlElementRef
    protected AtomLink second;

    public Entity() {
    }

    public Entity(AtomLink first, AtomLink second) {
        this.first = first;
    this.second = second;
    }
}

这是我的测试代码:

Entity entity = new Entity(new AtomLink("first", "http://test/first"), new AtomLink("second", "http://test/second"));
JAXBContext context;
try {
    context = JAXBContextFactory.createContext(new Class[] { Entity.class } , null);
    Marshaller marshaller = context.createMarshaller();
    marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
    marshaller.marshal(entity, System.out);
} catch (JAXBException e) {
    e.printStackTrace();
}

MOXy 的输出是错误的,因为缺少第一个链接:

<entity xmlns:atom="http://www.w3.org/2005/Atom">
    <atom:link rel="second" href="http://test/second"/>
</entity>

Java JAXB RI 的输出是正确的:

<entity xmlns:atom="http://www.w3.org/2005/Atom">
    <atom:link rel="first" href="http://test/first"/>
    <atom:link rel="second" href="http://test/second"/>
</entity>

它是 MOXy 中的错误吗?

4

1 回答 1

1

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

它是 MOXy 中的错误吗?

不,不是。问题是同一类型的两个属性都用 注释是无效的@XmlElementRef。如果您使用 JAXB RI 解组:

<entity xmlns:atom="http://www.w3.org/2005/Atom">
    <atom:link rel="first" href="http://test/first"/>
    <atom:link rel="second" href="http://test/second"/>
</entity>

然后将其编组回来,就像 MOXy 你会得到:

<entity xmlns:atom="http://www.w3.org/2005/Atom">
    <atom:link rel="second" href="http://test/second"/>
</entity>

解决方法 - 任何 JAXB (JSR-222) 实现

在 JAXB 中,重复元素应在集合属性中表示:

@XmlRootElement
public class Entity {

    @XmlElementRef
    protected List<AtomLink> first;

    public Entity() {
    }

}

使用 MOXy 的@XmlPath

下面是一个示例,说明如何利用 MOXy 的@XmlPath扩展来支持此用例。

包信息

假设您在@XmlSchema注释中指定了以下命名空间信息。

@XmlSchema(
    xmlns={
       @XmlNs(prefix="atom", namespaceURI="http://www.w3.org/2005/Atom")
    }
)
package forum14998000;

import javax.xml.bind.annotation.*;

实体

然后,您可以使用@XmlPath将字段映射到具有特定属性值的元素。由于我们匹配的不仅仅是元素名称/URI,因此我们不会遇到原始问题。

package forum14998000;

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

@XmlRootElement(name = "entity")
public class Entity {

    @XmlPath("atom:link[@rel='first']")
    protected AtomLink first;

    @XmlPath("atom:link[@rel='second']")
    protected AtomLink second;

    public Entity() {
    }

    public Entity(AtomLink first, AtomLink second) {
        this.first = first;
    this.second = second;
    }

}

原子链接

现在该rel属性已包含在@XmlPath注释中,我们不将其作为字段包含在AtomLink类中。

import javax.xml.bind.annotation.*;

@XmlRootElement(namespace="http://www.w3.org/2005/Atom", name="link")
@XmlAccessorType(XmlAccessType.FIELD)
public class AtomLink {

    @XmlAttribute
    private String href;

}

了解更多信息

于 2013-02-21T09:54:29.467 回答