假设您只想提取<p class="location">
标签中包含的数据,您可以使用 PythonHTMLParser
模块(一个简单的 HTML SAX 解析器)的快速且肮脏(但正确)的方法,如下所示:
from HTMLParser import HTMLParser
class MyHTMLParser(HTMLParser):
PLocationID=0
PCount=0
buf=""
out=[]
def handle_starttag(self, tag, attrs):
if tag=="p":
self.PCount+=1
if ("class", "location") in attrs and self.PLocationID==0:
self.PLocationID=self.PCount
def handle_endtag(self, tag):
if tag=="p":
if self.PLocationID==self.PCount:
self.out.append(self.buf)
self.buf=""
self.PLocationID=0
self.PCount-=1
def handle_data(self, data):
if self.PLocationID:
self.buf+=data
# instantiate the parser and fed it some HTML
parser = MyHTMLParser()
parser.feed("""
<html>
<body>
<p>This won't appear!</p>
<p class="location">This <b>will</b></p>
<div>
<p class="location">This <span class="someclass">too</span></p>
<p>Even if <p class="location">nested Ps <p class="location"><b>shouldn't</b> <p>be allowed</p></p> <p>this will work</p></p> (this last text is out!)</p>
</div>
</body>
</html>
""")
print parser.out
输出:
['This will', 'This too', "nested Ps shouldn't be allowed this will work"]
这将提取任何<p class="location">
标签中包含的所有文本,剥离其中的所有标签。单独的标签(如果不是嵌套的 - 无论如何都不应该允许用于段落)将在out
列表中具有单独的条目。
请注意,对于更复杂的需求,这很容易失控;在这些情况下,DOM 解析器更合适。