如果你想要所有的评论,你可以使用findAll
一个可调用的:
>>> from bs4 import BeautifulSoup, Comment
>>>
>>> s = """
... <p>header</p>
... <!-- why -->
... www.test1.com
... www.test2.org
... <!-- why not -->
... <p>tail</p>
... """
>>>
>>> soup = BeautifulSoup(s)
>>> comments = soup.findAll(text = lambda text: isinstance(text, Comment))
>>>
>>> comments
[u' why ', u' why not ']
一旦你得到它们,你可以使用通常的技巧来移动:
>>> comments[0].next
u'\nwww.test1.com\nwww.test2.org\n'
>>> comments[0].next.split()
[u'www.test1.com', u'www.test2.org']
根据页面的实际外观,您可能需要对其进行一些调整,并且您必须选择所需的评论,但这应该可以帮助您入门。
编辑:
如果您真的只想要看起来像某些特定文本的那些,您可以执行类似的操作
>>> comments = soup.findAll(text = lambda text: isinstance(text, Comment) and text.strip() == 'why')
>>> comments
[u' why ']
或者您可以在事后使用列表理解过滤它们:
>>> [c for c in comments if c.strip().startswith("why")]
[u' why ', u' why not ']