我有一个表示html文档的字符串。我正在尝试替换该文档中的文本,不包括使用一些替换html的标记和属性值。我认为这很简单,但是当你想用标记替换文本时,这是非常乏味的。例如,要将somekeyword
替换为<a href = "link">somekeyword</a>
。
from lxml.html import fragments_fromstring, fromstring, tostring
from re import compile
def markup_aware_sub(pattern, repl, text):
exp = compile(pattern)
root = fromstring(text)
els = [el for el in root.getiterator() if el.text]
els = [el for el in els if el.text.strip()]
for el in els:
text = exp.sub(repl, el.text)
if text == el.text:
continue
parent = el.getparent()
new_el = fromstring(text)
new_el.tag = el.tag
for k, v in el.attrib.items():
new_el.attrib[k] = v
parent.replace(el, new_el)
return tostring(root)
markup_aware_sub('keyword', '<a>blah</a>', '<div><p>Text with keyword here</p></div>')
它的工作原理,但前提是关键字恰好是两个“嵌套”。必须有一个比上面更好的方法,但谷歌搜索了几个小时后我找不到任何东西。
答案 0 :(得分:3)
这可能是您正在寻找的解决方案:
from HTMLParser import HTMLParser
class MyParser(HTMLParser):
def __init__(self,link, keyword):
HTMLParser.__init__(self)
self.__html = []
self.link = link
self.keyword = keyword
def handle_data(self, data):
text = data.strip()
self.__html.append(text.replace(self.keyword,'<a href="'+self.link+'>'+self.keyword+'</a>'))
def handle_starttag(self, tag, attrs):
self.__html.append("<"+tag+">")
def handle_endtag(self, tag):
self.__html.append("</"+tag+">")
def new_html(self):
return ''.join(self.__html).strip()
parser = MyParser("blah","keyword")
parser.feed("<div><p>Text with keyword here</p></div>")
parser.close()
print parser.new_html()
这将为您提供以下输出
<div><p>Text with <a href="blah>keyword</a> here</p></div>
只有当关键字只有一个嵌套时,才会出现lxml方法的问题。它似乎适用于多个嵌套。所以我添加了一个if条件来捕获这个异常。
from lxml.html import fragments_fromstring, fromstring, tostring
from re import compile
def markup_aware_sub(pattern, repl, text):
exp = compile(pattern)
root = fromstring(text)
els = [el for el in root.getiterator() if el.text]
els = [el for el in els if el.text.strip()]
if len(els) == 1:
el = els[0]
text = exp.sub(repl, el.text)
parent = el.getparent()
new_el = fromstring(text)
new_el.tag = el.tag
for k, v in el.attrib.items():
new_el.attrib[k] = v
return tostring(new_el)
for el in els:
text = exp.sub(repl, el.text)
if text == el.text:
continue
parent = el.getparent()
new_el = fromstring(text)
new_el.tag = el.tag
for k, v in el.attrib.items():
new_el.attrib[k] = v
parent.replace(el, new_el)
return tostring(root)
print markup_aware_sub('keyword', '<a>blah</a>', '<p>Text with keyword here</p>')
不是很优雅,但似乎有效。请检查一下。