Using Beautiful Soup to strip html tags from a string
Does anyone have some sample code that illustrates how to use Python's Beautiful Soup to strip all html tags, except some, from a string of text?
I want to strip all javascript and html tags everything except:
<a></a>
<b></b>开发者_StackOverflow社区;
<i></i>
And also things like:
<a onclick=""></a>
Thanks for helping -- I couldn't find much on the internet for this purpose.
import BeautifulSoup
doc = '''<html><head><title>Page title</title></head><body><p id="firstpara" align="center">This is <i>paragraph</i> <a onclick="">one</a>.<p id="secondpara" align="blah">This is <i>paragraph</i> <b>two</b>.</html>'''
soup = BeautifulSoup.BeautifulSoup(doc)
for tag in soup.recursiveChildGenerator():
if isinstance(tag,BeautifulSoup.Tag) and tag.name in ('a','b','i'):
print(tag)
yields
<i>paragraph</i>
<a onclick="">one</a>
<i>paragraph</i>
<b>two</b>
If you just want the text contents, you could change print(tag)
to print(tag.string)
.
If you want to remove an attribute like onclick=""
from the a
tag, you could do this:
if isinstance(tag,BeautifulSoup.Tag) and tag.name in ('a','b','i'):
if tag.name=='a':
del tag['onclick']
print(tag)
精彩评论