我正在尝试使用Jsoup提取img。它适用于没有文件名空间的图像,但如果有空格则只提取第一部分。
我在下面尝试过。
String result = Jsoup.clean(content,"https://rally1.rallydev.com/", Whitelist.relaxed().preserveRelativeLinks(true), new Document.OutputSettings().prettyPrint(false));
Document doc = Jsoup.parse(result);
Elements images = doc.select("img");
例如HTML内容
Description:<div>some text content<br /></div>
<div><img src=/slm/attachment/43647556403/My file with space.png /></div>
<div><img src=/slm/attachment/43648152373/my_file_without_space.png/></div>
result
内容为:
Description:Some text content<br> <img src="/slm/attachment/43647556403/My"><img src="/slm/attachment/43648152373/my_file_without_space.png/">
在“结果”中,文件名中包含空格的图像只有第一部分“我的”。它忽略了空格后的内容。
如果包含空格,如何提取文件名?
答案 0 :(得分:2)
问题无法在Jsoup中轻松解决,因为带空格的示例的src
属性值实际上被正确识别为仅My
。此示例中的file
,with
和space.png
部分也是没有值的属性。当然,您可以使用JSoup将src属性后面的属性键连接到其值。例如:
String test =""
+ "<div><img src=/slm/attachment/43647556403/My file with space.png /></div>"
+ "<div><img src=/slm/attachment/43647556403/My file with space.png name=whatever/></div>"
+ "<div><img src=/slm/attachment/43647556403/This breaks it.png name=whatever/></div>"
+ "<div><img src=\"/slm/attachment/43647556403/This works.png\" name=whatever/></div>"
+ "<div><img src=/slm/attachment/43648152373/my_file_without_space.png/></div>";
Document doc = Jsoup.parse(test);
Elements imgs = doc.select("img");
for (Element img : imgs){
Attribute src = null;
StringBuffer newSrcVal = new StringBuffer();
List<String> toRemove = new ArrayList<>();
for (Attribute a : img.attributes()){
if (a.getKey().equals("src")){
newSrcVal.append(a.getValue());
src = a;
}
else if (newSrcVal.length()>0){
//we already found the scr tag
if (a.getValue().isEmpty()){
newSrcVal.append(" ").append(a.getKey());
toRemove.add(a.getKey());
}
else{
//the empty attributes, i.e. file name parts are over
break;
}
}
}
for (String toRemAttr : toRemove){
img.removeAttr(toRemAttr);
}
src.setValue(newSrcVal.toString());
}
System.out.println(doc);
该算法循环遍历所有img元素,并且在每个img中循环遍历其属性。当它找到src
属性时,它会将其保留以供参考,并开始填充newSrcBuf
StringBuffer。所有以下无值属性都将添加到newSrcBuf
,直到找到具有值的其他属性或没有更多属性。最后,使用newSrcBuf
的内容重置scr属性值,并从DOM中删除以前的空属性。
请注意,当您的文件名包含两个或多个连续空格时,这将不起作用。 JSoup会丢弃属性之间的空格,因此您无法在解析后将其恢复。如果你需要,那么你需要在解析之前操作输入html。
答案 1 :(得分:0)
你可以这样:
Elements images = doc.select("img");
for(Element image: images){
String imgSrc = image.attr("src");
imgSrc = imgSrc.subString(imgSrc.lastIndexOf("/"), imgSrc.length()); // this will give you name.png
}