0

我一直在寻找一种解决方案来解析在多个级别上具有相同标签名称的 xml。这是我必须处理的 XML 示例(这些部分不是静态的):

<xml>
  <section id="0">
     <title>foo</title>
     <section id="1">
        <title>sub foo #1</title>
        <section id="2">
          <title>sub sub foo</title>
        </section>
     </section>
     <section id="3">
        <title>sub foo #2</title>
     </section>
  </section>
<xml>

我一直在尝试几种可能性,例如尝试列表、堆栈,但是我对 SAX 所做的事情还没有产生任何正确的结果;换句话说,我被困住了:(

我创建了一个名为 Section 的类:

public class Section {
public String id;
public String title;
public List<Section> sections; }

我想知道我是否还应该添加一个父变量?

public Section parent;

如果有人有解决方案,我非常感谢!:D

4

1 回答 1

1

实际上,您可能至少需要一个堆栈。

通过(我希望)对您的类(setter/getter 和添加部分的方法)进行明确的更改Section,此处理程序似乎可以解决问题:

由于您的布局似乎允许<section>在根下方立即使用多个标签<xml>,因此我已经实现了它并将结果放入List<Section>.

import org.xml.sax.Attributes;
import org.xml.sax.SAXException;
import org.xml.sax.helpers.DefaultHandler;

import java.util.ArrayList;
import java.util.List;
import java.util.Stack;

public class SectionXmlHandler extends DefaultHandler {

    private List<Section> results;
    private Stack<Section> stack;
    private StringBuffer buffer = new StringBuffer();

    @Override
    public void startElement(String uri, String localName, String qName, Attributes attributes) throws SAXException {
        if ("xml".equals(localName)) {
            results = new ArrayList<Section>();
            stack = new Stack<Section>();
        } else if ("section".equals(localName)) {
            Section currentSection = new Section();
            currentSection.setId(attributes.getValue("id"));
            stack.push(currentSection);
        } else if ("title".equals(localName)) {
            buffer.setLength(0);
        }
    }

    @Override
    public void endElement(String uri, String localName, String qName) throws SAXException {
        if ("section".equals(localName)) {
            Section currentSection = stack.pop();
            if (stack.isEmpty()) {
                results.add(currentSection);
            } else {
                Section parent = stack.peek();
                parent.addSection(currentSection);
            }
        } else if ("title".equals(localName)) {
            Section currentSection = stack.peek();
            currentSection.setTitle(buffer.toString());
        }
    }

    @Override
    public void characters(char[] ch, int start, int length) throws SAXException {
        buffer.append(ch, start, length);
    }

    public List<Section> getResults() {
        return results;
    }
}
于 2013-03-17T20:40:07.600 回答