Python在中查找特定行

我正在尝试通过Python的beautifulsoup爬网网页.
这是页面源代码的一部分:

<div style="display: flex">
    <div class="half" style="font-size: 0.8em;width: 33%;"> apple </div>
    <div class="half" style="font-size: 0.8em;text-align: center;width: 28%;"> peach </div>
    <div class="half" style="font-size: 0.8em;text-align: right;width: 33%;" title="nofruit"> cucumber </div>
</div>

所以我想要得到的是第三行(包括文本“桃子”的那一行).所以我尝试了这个:

for fruits in soup.findAll('div', attrs={'class': 'half'}):
    if 'font-size: 0.8em;text-align: center;width: 28%;' in str(fruits):
         print(fruits.text)

不幸的是,它根本不打印任何内容.我也尝试了其他方法,但是找不到有效的解决方案.

提前致谢!

编辑:

抱歉,我不够精确.我试图遍历一堆稍微相等的源代码,并且文本“ peach”并非一直都保持不变.可能是“桃子”,“草莓”,“香蕉”,“金枪鱼”或其他任何食物.只有班级和风格总是一样.

编辑2:

受alexce解决方案的启发,我找到了解决问题的方法:

 div = soup.find('div', attrs={'style': 'display: flex'})
 inner_divs = div.findAll('div', attrs={'class': 'half'})
 fruits = inner_divs[1].text

也许不是最好的解决方案,但是对于我的小程序来说已经足够了:)

BTW:祝大家新年快乐!

解决方法:

与前面的答案一样,我假设您正在使用bs4.

从这个问题中我了解到,您需要根据属性(类和样式)过滤div.

find_all()能够选择多个属性和标签类型.参见Doc,最后,该文档说您可以通过将字典传递给find_all()函数的attrs关键字参数来传递多个属性.

from bs4 import BeautifulSoup
html = """<div style="display: flex">
            <div class="half" style="font-size: 0.8em;width: 33%;"> apple </div>
            <div class="half" style="font-size: 0.8em;text-align: center;width: 28%;"> peach </div>
            <div class="half" style="font-size: 0.8em;text-align: right;width: 33%;" title="nofruit"> cucumber </div>
        </div>"""

soup = BeautifulSoup(html, "html.parser")
divs = soup.find_all('div', attrs={'style': 'font-size: 0.8em;text-align: center;width: 28%;', 'class': 'half'})
for div in divs:
    print(div.text)

输出是所需的

peach
上一篇:python-很多空白beautifulsoup


下一篇:python-BeautifulSoup-处理自动关闭标签的正确方法