我正在尝试BeautifulSoup文档中给出的示例,其中一个例子是没有给出预期的结果。
html_doc = """
<html><head><title>The Dormouse's story</title></head>
<p class="title"><b>The Dormouse's story</b></p>
<p class="story">Once upon a time there were three little sisters; and their names were
<a href="http://example.com/elsie" class="sister" id="link1">Elsie</a>,
<a href="http://example.com/lacie" class="sister" id="link2">Lacie</a> and
<a href="http://example.com/tillie" class="sister" id="link3">Tillie</a>;
<p class="story">...</p>
"""
from bs4 import BeautifulSoup
soup = BeautifulSoup(html_doc)在这个例子中,它说
soup.find_all('b')
# [<b>The Dormouse's story</b>]但是,当我尝试相同的命令时,我得到的错误如下所示
>>> soup.find_all('b')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: 'NoneType' object is not callable但汤对象不是零
>>> soup
<html><head><title>The Dormouse's story</title></head>
<p class="title"><b>The Dormouse's story</b></p>
<p class="story">Once upon a time there were three little sisters; and their
<a href="http://example.com/elsie" class="sister" id="link1">Elsie</a>,
<a href="http://example.com/lacie" class="sister" id="link2">Lacie</a> and
<a href="http://example.com/tillie" class="sister" id="link3">Tillie</a>;
<p class="story">...</p>
</html>我不知道为什么这个例子行不通。
发布于 2015-01-19 12:27:27
您使用的是BeautifulSoup版本3,而不是version 4。
在BeautifulSoup 3中,该方法称为findAll(),而不是find_all()。因为使用未识别的属性被转换为soup.find('unrecognized_attribute'),所以您要求BeautifulSoup为您查找第一个<find_all> HTML元素,该元素不存在,因此返回None。
使用BeautifulSoup 4代替:
from bs4 import BeautifulSoup您几乎可以肯定地使用:
from BeautifulSoup import BeautifulSoup # version 3您需要安装beautifulsoup4项目。
演示:
>>> html_doc = """
... <html><head><title>The Dormouse's story</title></head>
...
... <p class="title"><b>The Dormouse's story</b></p>
...
... <p class="story">Once upon a time there were three little sisters; and their names were
... <a href="http://example.com/elsie" class="sister" id="link1">Elsie</a>,
... <a href="http://example.com/lacie" class="sister" id="link2">Lacie</a> and
... <a href="http://example.com/tillie" class="sister" id="link3">Tillie</a>;
... <p class="story">...</p>
... """
>>> from bs4 import BeautifulSoup
>>> soup = BeautifulSoup(html_doc)
>>> soup.find_all('b')
[<b>The Dormouse's story</b>]
>>> from BeautifulSoup import BeautifulSoup
>>> soup = BeautifulSoup(html_doc)
>>> soup.find_all('b')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: 'NoneType' object is not callablehttps://stackoverflow.com/questions/28024571
复制相似问题