find()
和find_all()
方法用于根据传入这些方法的参数来查找文档中的一个或所有标签。你可以向这些函数传递attrs
参数。attrs
的值必须是一个字典,包含一个或多个标签属性及其值。
为了检查这些方法的行为,我们将使用以下HTML文档(index.html):
<html>
<head>
<title>Yoagoa</title>
</head>
<body>
<form>
<input type = 'text' id = 'nm' name = 'name'>
<input type = 'text' id = 'age' name = 'age'>
<input type = 'text' id = 'marks' name = 'marks'>
</form>
</body>
</html>
使用find_all()
下面的程序返回一个包含所有具有input type="text"
属性的标签的列表。
示例
from bs4 import BeautifulSoup
fp = open("index.html")
soup = BeautifulSoup(fp, 'html.parser')
obj = soup.find_all(attrs={"type":'text'})
print (obj)
输出
[<input id="nm" name="name" type="text"/>, <input id="age" name="age" type="text"/>, <input id="marks" name="marks" type="text"/>]
使用find()
find()
方法返回解析文档中具有给定属性的第一个标签。
obj = soup.find(attrs={"name":'marks'})
使用select()
select()
方法可以通过传递要比较的属性来调用。属性必须放在一个列表对象中。它返回具有给定属性的所有标签的列表。
在下面的代码中,select()
方法返回所有具有type
属性的标签。
示例
from bs4 import BeautifulSoup
fp = open("index.html")
soup = BeautifulSoup(fp, 'html.parser')
obj = soup.select("[type]")
print (obj)
输出
[<input id="nm" name="name" type="text"/>, <input id="age" name="age" type="text"/>, <input id="marks" name="marks" type="text"/>]
使用select_one()
select_one()
方法类似,不同之处在于它返回满足给定过滤器的第一个标签。
obj = soup.select_one("[name='marks']")
输出
<input id="marks" name="marks" type="text"/>