我已经阅读了几篇关于如何使用DocumentBuilder.parse()
函数获取文档对象的帖子。
Document document = builder.parse(new InputSource(new StringReader(xml)));
正在返回[#document: null]
,我发现并不一定意味着它是空的。但是,经过更多的检查,我发现它实际上是空的。
我正在构建String xml并使用了xml验证器(并粘贴到eclipse和 ctrl + shift + f 格式化它。这通常是我第一次尝试看看是否形成了一些东西)以证明它是有效的xml。我决定打破parse()
参数的每个部分,以便我可以单步执行并观察以确保它们正常工作。
我的代码是:
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder;
try {
builder = factory.newDocumentBuilder();
StringReader sr = new StringReader(xml);
InputSource is = new InputSource(sr);
Document document = builder.parse(is);
return document;
} catch(Exception e){
e.printStackTrace();
}
sr并且在我执行builder.parse(is)行之前似乎正常工作。执行此操作后,sr.str值将变为null,与is.characterInputStream.str相同。这对我来说很奇怪,这是预期的吗?这让我很疯狂,任何输入都会很棒!
编辑 - 我的xml字符串是:
<?xml version="1.0" encoding="UTF-8"?>
<rss version="2.0">
<channel>
<title>Feed Title</title>
<link>Feed Link</link>
<description>Feed Description</description>
<item>
<title>Item Title</title>
<link>Item Link</link>
<description>Item Description</description>
</item>
<item>
<title>Another Item</title>
<link>Another Link</link>
<description>Another Description</description>
</item>
</channel>
</rss>
答案 0 :(得分:9)
执行此操作后,sr.str值将变为null,与is.characterInputStream.str相同。这对我来说很奇怪,这是预期的吗?
是的,我会这样说。 DocumentBuilder.parse
正在关闭读者。 StringReader.close()
将str
设置为null
。这是StringReader
的实现细节 - 但是当你在调试时浏览私有字段时,你应该期望看到实现细节。 (也没有记录DocumentBuilder.parse
将关闭它给出的输入,但这似乎是合理的。)
目前还不清楚 与您的XML有什么问题,但这部分行为完全合理。
我强烈建议您使用您能想到的最简单的XML来尝试您的代码,例如: "<foo />"
。
到目前为止您显示的代码很好。这是一个简短但完整的程序,可以显示它的工作原理:
import javax.xml.parsers.*;
import org.w3c.dom.*;
import org.xml.sax.*;
import java.io.*;
class Test {
public static void main(String [] args) throws Exception {
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder;
builder = factory.newDocumentBuilder();
StringReader sr = new StringReader("<foo />");
InputSource is = new InputSource(sr);
Document document = builder.parse(is);
System.out.println(document.getDocumentElement().getTagName());
}
}