Python相当于PHP strip_tags?
答案 0 :(得分:38)
Python标准库中没有这样的东西。这是因为Python是一种通用语言,而PHP则是以面向Web的语言开始的。
尽管如此,您还有3个解决方案:
re.sub(r'<[^>]*?>', '', value)
可以是一个快速而肮脏的解决方案。答案 1 :(得分:15)
from BeautifulSoup import BeautifulSoup
soup = BeautifulSoup(htmltext)
''.join([e for e in soup.recursiveChildGenerator() if isinstance(e,unicode)])
答案 2 :(得分:5)
from bleach import clean
print clean("<strong>My Text</strong>", tags=[], strip=True, strip_comments=True)
答案 3 :(得分:2)
对于内置的PHP HTML函数,您将找不到许多内置的Python等价物,因为Python更像是一种通用脚本语言,而不是Web开发语言。对于HTML处理,通常建议使用BeautifulSoup。
答案 4 :(得分:1)
Python没有内置的,但有一个ungodly number of implementations。
答案 5 :(得分:1)
答案 6 :(得分:1)
这有一个活跃的州食谱,
http://code.activestate.com/recipes/52281/
这是旧代码,因此您必须按照评论中的说明将sgml解析器更改为HTMLparser
以下是修改后的代码
import HTMLParser, string
class StrippingParser(HTMLParser.HTMLParser):
# These are the HTML tags that we will leave intact
valid_tags = ('b', 'a', 'i', 'br', 'p', 'img')
from htmlentitydefs import entitydefs # replace entitydefs from sgmllib
def __init__(self):
HTMLParser.HTMLParser.__init__(self)
self.result = ""
self.endTagList = []
def handle_data(self, data):
if data:
self.result = self.result + data
def handle_charref(self, name):
self.result = "%s&#%s;" % (self.result, name)
def handle_entityref(self, name):
if self.entitydefs.has_key(name):
x = ';'
else:
# this breaks unstandard entities that end with ';'
x = ''
self.result = "%s&%s%s" % (self.result, name, x)
def handle_starttag(self, tag, attrs):
""" Delete all tags except for legal ones """
if tag in self.valid_tags:
self.result = self.result + '<' + tag
for k, v in attrs:
if string.lower(k[0:2]) != 'on' and string.lower(v[0:10]) != 'javascript':
self.result = '%s %s="%s"' % (self.result, k, v)
endTag = '</%s>' % tag
self.endTagList.insert(0,endTag)
self.result = self.result + '>'
def handle_endtag(self, tag):
if tag in self.valid_tags:
self.result = "%s</%s>" % (self.result, tag)
remTag = '</%s>' % tag
self.endTagList.remove(remTag)
def cleanup(self):
""" Append missing closing tags """
for j in range(len(self.endTagList)):
self.result = self.result + self.endTagList[j]
def strip(s):
""" Strip illegal HTML tags from string s """
parser = StrippingParser()
parser.feed(s)
parser.close()
parser.cleanup()
return parser.result