Hi
how do you use python 2.6 to remove everything including the <div class="comment"> ....remove all ....</div>
i tried various way using re.sub without any success
Thank you
Hi
how do you use python 2.6 to remove everything including the <div class="comment"> ....remove all ....</div>
i tried various way using re.sub without any success
Thank you
You cannot properly parse HTML with regular expressions. Use a HTML parser such as lxml or BeautifulSoup.
For the record, it is usually a bad idea to process XML with regular expressions. Nevertheless:
>>> re.sub('>[^<]*', '>', '<div class="comment> .. any… </div>')
'<div class="comment></div>'
non regex way
pat='<div class="comment">'
for chunks in htmlstring.split("</div>"):
m=chunks.find(pat)
if m!=-1:
chunks=chunks[:m]
print chunks
output
$ cat file
one two <tag> ....</tag>
adsfh asdf <div class="comment"> ....remove
all ....</div>s sdfds
<div class="blah" .......
.....
blah </div>
$ ./python.py
one two <tag> ....</tag>
adsfh asdf
s sdfds
<div class="blah" .......
.....
blah
This can be done easily and reliably using an HTML parser like BeautifulSoup:
>>> from BeautifulSoup import BeautifulSoup
>>> soup = BeautifulSoup('<body><div>1</div><div class="comment"><strong>2</strong></div></body>')
>>> for div in soup.findAll('div', 'comment'):
... div.extract()
...
<div class="comment"><strong>2</strong></div>
>>> soup
<body><div>1</div></body>
See this question for examples on why parsing HTML using regular expressions is a bad idea.
Use Beautiful soup and do something like this to get all of those elements, and then just replace inside
tomatosoup = BeautifulSoup(myhtml)
tomatochunks = tomatosoup.findall("div", {"class":"comment"} )
for chunk in tomatochunks:
#remove the stuff
With lxml.html:
from lxml import html
doc = html.fromstring(input)
for el in doc.cssselect('div.comment'):
el.drop_tree()
result = html.tostring(doc)