3

我想在 DOM 中搜索特定关键字,当找到它时,我想知道它来自树中的哪个节点。

static void search(String segment, String keyword) {

    if (segment == null)
        return;

    Pattern p=Pattern.compile(keyword,Pattern.CASE_INSENSITIVE);
    StringBuffer test=new StringBuffer (segment);
    matcher=p.matcher(test);

    if(!matcher.hitEnd()){        
        total++;
        if(matcher.find())
        //what to do here to get the node?
    }
}

public static void traverse(Node node) {
    if (node == null || node.getNodeName() == null)
        return;

    search(node.getNodeValue(), "java");

    check(node.getFirstChild());

    System.out.println(node.getNodeValue() != null && 
                       node.getNodeValue().trim().length() == 0 ? "" : node);
    check(node.getNextSibling());
}
4

1 回答 1

3

考虑使用XPath ( API ):

// the XML & search term
String xml = "<foo>" + "<bar>" + "xml java xpath" + "</bar>" + "</foo>";
InputSource src = new InputSource(new StringReader(xml));
final String term = "java";
// search expression and term variable resolver
String expression = "//*[contains(text(),$term)]";
final QName termVariableName = new QName("term");
class TermResolver implements XPathVariableResolver {
  @Override
  public Object resolveVariable(QName variableName) {
    return termVariableName.equals(variableName) ? term : null;
  }
}
// perform the search
XPath xpath = XPathFactory.newInstance().newXPath();
xpath.setXPathVariableResolver(new TermResolver());
Node node = (Node) xpath.evaluate(expression, src, XPathConstants.NODE);

如果您想通过正则表达式进行更复杂的匹配,您可以提供自己的函数 resolver

XPath 表达式的细分//*[contains(text(),$term)]

  • //*星号选择任何元素;双斜杠表示任何父级
  • [contains(text(),$term)]是匹配文本的谓词
  • text()是一个获取元素文本的函数
  • $term是一个变量;这可用于通过变量解析器解析术语“java”;解析器优先于字符串连接以防止注入攻击(类似于 SQL 注入问题)
  • contains(arg1,arg2)是一个函数,如果 arg1 包含 arg2,则返回 true

XPathConstants.NODE告诉 API 选择单个节点;您可以使用NODESET将所有匹配项作为NodeList.

于 2011-11-23T10:21:20.067 回答