Java:如何通过 org.w3c.dom.document 上的 xpath 字符串查找元素

2022-08-31 15:00:28

如何通过给定 org.w3c.dom.document 上的 xpath 字符串快速找到元素/元素?似乎没有方法。例如FindElementsByXpath()

/html/body/p/div[3]/a

我发现,当有很多同名的元素时,递归迭代所有子节点级别会非常慢。有什么建议吗?

我不能使用任何解析器或库,必须只使用w3c dom文档。


答案 1

试试这个:

//obtain Document somehow, doesn't matter how
DocumentBuilder b = DocumentBuilderFactory.newInstance().newDocumentBuilder();
org.w3c.dom.Document doc = b.parse(new FileInputStream("page.html"));

//Evaluate XPath against Document itself
XPath xPath = XPathFactory.newInstance().newXPath();
NodeList nodes = (NodeList)xPath.evaluate("/html/body/p/div[3]/a",
        doc, XPathConstants.NODESET);
for (int i = 0; i < nodes.getLength(); ++i) {
    Element e = (Element) nodes.item(i);
}

使用以下文件:page.html

<html>
  <head>
  </head>
  <body>
  <p>
    <div></div>
    <div></div>
    <div><a>link</a></div>
  </p>
  </body>
</html>

答案 2