如何使用Jackson提取两个XML标签之间的内容作为文本?

时间:2019-01-22 12:01:53

标签: java jackson jackson-dataformat-xml

我有一个带有以下模板的XML:

<tag1 attr1="value1" attr2="value2">
    <tag2> text </tag2>
    <tag3> another text </tag3>
</tag1>

我想将此xml提取到POJO中,该POJO具有2个文本字段作为String和2个属性字段,但是我不太了解如何使用JacksonXmlText

1 个答案:

答案 0 :(得分:0)

首先,从一些教程开始。例如,请在以下页面上查看:Convert XML to JSON Using Jackson

一些关键点:

  1. 使用com.fasterxml.jackson.dataformat.xml.XmlMapper序列化/反序列化XML
  2. 使用此软件包com.fasterxml.jackson.dataformat.xml.annotation中的注释

您的代码如下所示:

import com.fasterxml.jackson.databind.SerializationFeature;
import com.fasterxml.jackson.dataformat.xml.XmlMapper;
import com.fasterxml.jackson.dataformat.xml.annotation.JacksonXmlProperty;
import com.fasterxml.jackson.dataformat.xml.annotation.JacksonXmlRootElement;

public class Main {

    public static void main(String[] args) throws Exception {
        XmlMapper mapper = new XmlMapper();
        mapper.enable(SerializationFeature.INDENT_OUTPUT);

        Tag1 tag1 = new Tag1();
        tag1.setTag2("text");
        tag1.setTag3("another text");
        tag1.setAttribute1("value1");
        tag1.setAttribute2("value2");
        String xml = mapper.writeValueAsString(tag1);
        System.out.println(xml);

        System.out.println(mapper.readValue(xml, Tag1.class));
    }
}

@JacksonXmlRootElement(localName = "tag1")
class Tag1 {

    private String attribute1;
    private String attribute2;
    private String tag2;
    private String tag3;

    @JacksonXmlProperty(isAttribute = true)
    public String getAttribute1() {
        return attribute1;
    }

    public void setAttribute1(String attribute1) {
        this.attribute1 = attribute1;
    }

    @JacksonXmlProperty(isAttribute = true)
    public String getAttribute2() {
        return attribute2;
    }

    public void setAttribute2(String attribute2) {
        this.attribute2 = attribute2;
    }

    public String getTag2() {
        return tag2;
    }

    public void setTag2(String tag2) {
        this.tag2 = tag2;
    }

    public String getTag3() {
        return tag3;
    }

    public void setTag3(String tag3) {
        this.tag3 = tag3;
    }

    @Override
    public String toString() {
        return "Tag1{" +
                "attribute1='" + attribute1 + '\'' +
                ", attribute2='" + attribute2 + '\'' +
                ", tag2='" + tag2 + '\'' +
                ", tag3='" + tag3 + '\'' +
                '}';
    }
}

上面的代码显示:

<tag1 attribute1="value1" attribute2="value2">
  <tag2>text</tag2>
  <tag3>another text</tag3>
</tag1>

Tag1{attribute1='value1', attribute2='value2', tag2='text', tag3='another text'}