我正在加载一些这样的XML字符串:
Document doc = getDocumentBuilder().parse(new InputSource(new StringReader(xml)));
稍后,我从此Document
中提取节点:
XPath xpath = getXPathFactory().newXPath();
XPathExpression expr = xpath.compile(expressionXPATH);
NodeList nodeList = (NodeList)expr.evaluate(doc, XPathConstants.NODESET);
Node node = nodeList.item(0);
现在我想获取此节点的本地名称,但我得到null
。
node.getLocalName(); // return null
使用调试器,我看到我的节点具有以下类型:DOCUMENT_POSITION_DISCONNECTED。
The Javadoc声明getLocalName()
为此类节点返回null
。
答案 0 :(得分:8)
正如文档https://docs.oracle.com/javase/7/docs/api/org/w3c/dom/Node.html#getLocalName()所述:
对于使用DOM Level 1方法创建的节点,[...]始终为null
因此请确保使用名称空间感知DocumentBuilderFactory
和setNamespaceAware(true)
,这样DOM就支持名称空间感知DOM Level 2/3,并且getLocalName()
具有非空值}。
一个简单的测试程序
String xml = "<root/>";
DocumentBuilderFactory db = DocumentBuilderFactory.newInstance();
Document dom1 = db.newDocumentBuilder().parse(new InputSource(new StringReader(xml)));
System.out.println(dom1.getDocumentElement().getLocalName() == null);
db.setNamespaceAware(true);
Document dom2 = db.newDocumentBuilder().parse(new InputSource(new StringReader(xml)));
System.out.println(dom2.getDocumentElement().getLocalName() == null);
输出
true
false
所以(至少)你所遇到的本地名称问题是由于使用DOM Level 1而不是名称空间感知文档(builder factory)造成的。