如何在Java中为带有属性的自包含标记编写xml注释

时间:2014-02-10 10:03:00

标签: java xml jaxb xml-binding

我正在使用包javax.xml.bind.annotation中的注释来构建SKOS XML文件。我在实现如下行的最佳方法方面遇到了一些麻烦(请注意,rdf文件中已设置package-info.java前缀):

<rdf:type rdf:resource="http://www.w3.org/2004/02/skos/core#ConceptScheme" />

目前,我通过定义一个类并向该类添加一个属性来实现,例如

@XmlRootElement(name = "type")
@XmlAccessorType(XmlAccessType.FIELD)
class Type{
  @XmlAttribute(name="rdf:resource")
  protected final String res="http://www.w3.org/2004/02/skos/core#ConceptScheme";              
}

然后我在类中创建一个我要序列化的字段,例如

@XmlElement(name="type")
private Type type = new Type();

这是唯一可以通过使用更紧凑的方法节省时间的方法吗?

1 个答案:

答案 0 :(得分:2)

您可以执行以下操作:

Java模型

<强>类型

JAXB从类和包派生默认名称,因此如果名称与默认名称不同,则只需指定名称。此外,您不应将前缀作为名称的一部分包含在内,

package forum21674070;

import javax.xml.bind.annotation.*;

@XmlRootElement
public class Type {

      @XmlAttribute
      protected final String res="http://www.w3.org/2004/02/skos/core#ConceptScheme";

}

<强>包信息

@XmlSchema注释用于指定命名空间限定。使用@XmlNs来指定前缀并不能保证在编组的XML中使用该前缀,但是JAXB impls倾向于这样做(参见:http://blog.bdoughan.com/2011/11/jaxb-and-namespace-prefixes.html)。

@XmlSchema(
        namespace="http://www.w3.org/2004/02/skos/core#ConceptScheme",
        elementFormDefault = XmlNsForm.QUALIFIED,
        attributeFormDefault = XmlNsForm.QUALIFIED,
        xmlns={
                @XmlNs(prefix="rdf", namespaceURI="http://www.w3.org/2004/02/skos/core#ConceptScheme")
        }
)
package forum21674070;

import javax.xml.bind.annotation.*;

演示代码

<强>演示

package forum21674070;

import javax.xml.bind.*;

public class Demo {

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

        Type type = new Type();

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

}

<强>输出

<?xml version="1.0" encoding="UTF-8"?>
<rdf:type xmlns:rdf="http://www.w3.org/2004/02/skos/core#ConceptScheme" rdf:res="http://www.w3.org/2004/02/skos/core#ConceptScheme"/>