我只想从汤中最上面的元素中提取文本;但是汤.text也会给出所有子元素的文本:
我有
import BeautifulSoup
soup=BeautifulSoup.BeautifulSoup('<html>yes<b>no</b></html>')
print soup.text
输出为yesno
。我只想“是”。
实现此目标的最佳方法是什么?
编辑:我也想yes
在解析' <html><b>no</b>yes</html>
'时输出。
Answers:
那又如何.find(text=True)
呢?
>>> BeautifulSoup.BeautifulSOAP('<html>yes<b>no</b></html>').find(text=True)
u'yes'
>>> BeautifulSoup.BeautifulSOAP('<html><b>no</b>yes</html>').find(text=True)
u'no'
编辑:
我想我已经了解了你现在想要的。尝试这个:
>>> BeautifulSoup.BeautifulSOAP('<html><b>no</b>yes</html>').html.find(text=True, recursive=False)
u'yes'
>>> BeautifulSoup.BeautifulSOAP('<html>yes<b>no</b></html>').html.find(text=True, recursive=False)
u'yes'
no
,仍然在b
标签中的标签排在最前面),我仍然希望输出为yes
。
<h2><a aria-expanded="false" aria-owns="faqGen5" href="#">Is <span class="nobreak">XFINITY WiFi</span> secure?</a></h2>
。我需要Is secure?
的find(text=True)
您可以使用内容
>>> print soup.html.contents[0]
yes
或要获取html下的所有文本,请使用findAll(text = True,recursive = False)
>>> soup = BeautifulSoup.BeautifulSOAP('<html>x<b>no</b>yes</html>')
>>> soup.html.findAll(text=True, recursive=False)
[u'x', u'yes']
以上连接形成单个字符串
>>> ''.join(soup.html.findAll(text=True, recursive=False))
u'xyes'
<html><b>no</b>yes</html>
。我想我可以遍历所有内容以查找不是标签的片段。
您可能需要研究lxml的soupparser模块,该模块支持XPath:
>>> from lxml.html.soupparser import fromstring
>>> s1 = '<html>yes<b>no</b></html>'
>>> s2 = '<html><b>no</b>yes</html>'
>>> soup1 = fromstring(s1)
>>> soup2 = fromstring(s2)
>>> soup1.xpath("text()")
['yes']
>>> soup2.xpath("text()")
['yes']