我一直在寻找解决方案,以便在几个级别上解析具有相同标记名称的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
答案 0 :(得分:1)
事实上,你可能至少需要一个堆栈。
通过(我希望)明确更改Section
类(setter / getters和添加节的方法),这个处理程序似乎可以解决这个问题:
由于您的布局似乎允许在<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;
}
}