我想要什么:我是Jsoup
的新手。我想解析我的html
字符串并搜索标签(任何标签)中出现的每个文本值。然后将该文本值更改为其他值。
我已经完成的工作:我可以更改单个标签的文本值。下面是代码:
public static void main(String[] args) {
String html = "<div><p>Test Data</p> <p>HELLO World</p></div>";
Document doc1=Jsoup.parse(html);
Elements ps = doc1.getElementsByTag("p");
for (Element p : ps) {
String pText = p.text();
p.text(base64_Dummy(pText));
}
System.out.println("======================");
String changedHTML=doc1.html();
System.out.println(changedHTML);
}
public static String base64_Dummy(String abc){
return "This is changed text";
}
输出:
======================
<html>
<head></head>
<body>
<div>
<p>This is changed text</p>
<p>This is changed text</p>
</div>
</body>
</html>
上面的代码能够更改
p
标记的值。但是,在我的情况下,html
字符串可以包含任何标签;我想搜索和更改其值。如何搜索html字符串中的所有标签,并一一更改其文本值。
最佳答案
您可以尝试使用类似于以下代码的内容:
String html = "<html><body><div><p>Test Data</p> <div> <p>HELLO World</p></div></div> other text</body></html>";
Document doc = Jsoup.parse(html);
List<Node> children = doc.childNodes();
// We will search nodes in a breadth-first way
Queue<Node> nodes = new ArrayDeque<>();
nodes.addAll(doc.childNodes());
while (!nodes.isEmpty()) {
Node n = nodes.remove();
if (n instanceof TextNode && ((TextNode) n).text().trim().length() > 0) {
// Do whatever you want with n.
// Here we just print its text...
System.out.println(n.parent().nodeName()+" contains text: "+((TextNode) n).text().trim());
} else {
nodes.addAll(n.childNodes());
}
}
您将获得以下输出:
body contains text: other text
p contains text: Test Data
p contains text: HELLO World