1

我有包含如下元素的 XML 文件:

<element attribute1="a" attribute2="b" attribute3="c">
    a b c d e f g
</element>

有没有办法同时获取属性并以列表的形式获取值?

我可以使用@XmlList 来获取一个列表 [a, b, c, d, e, f, g],但这样我就没有属性了。我可以为元素创建一个类并使用@XmlAttribute 和@XmlValue,但是值不会作为列表。

如果没有办法做到这一点,我将为元素创建一个类,其中 getter 方法将字符串值作为数组或列表返回,这很简单,但我只是想知道是否有任何正确的方法首先要正确解组 XML。

4

1 回答 1

1

@XmlValue可以应用于List属性。使用此映射,列表项将在 XML 中表示为空格分隔的列表。您可以执行以下操作:

元素

import java.util.List;
import javax.xml.bind.annotation.*;

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

    @XmlAttribute
    private String attribute1;

    @XmlAttribute
    private String attribute2;

    @XmlAttribute
    private String attribute3;

    @XmlValue
    private List<String> value;

}

演示

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

public class Demo {

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

        Unmarshaller unmarshaller = jc.createUnmarshaller();
        File xml = new File("src/forum17775900/input.xml");
        Element element = (Element) unmarshaller.unmarshal(xml);

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

}

输入.xml/输出

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<element attribute1="a" attribute2="b" attribute3="c">a b c d e f g</element>
于 2013-07-21T19:57:31.227 回答