2

我有以下 html 代码,我使用漂亮的汤来提取信息。我想获得例如关系状态:关系

<table class="box-content-list" cellspacing="0">
            <tbody>
             <tr class="first">
              <td>
                   <strong>
                    Relationship status:
                   </strong>
               Relationship
              </td>
             </tr>
             <tr class="alt">
              <td>
               <strong>
                Living:
              </strong>
               With partner
              </td>
             </tr>

我创建了以下代码:

xs = [x for x in soup.findAll('table', attrs = {'class':'box-content-list'})]       
    for x in xs:
        #print x
        sx = [s for s in x.findAll('tr',attrs={'class':'first'})]
        for s in sx:
            td_tabs = [td for td in s.findAll('td')]
            for td in td_tabs:
                title = td.findNext('strong')
                #print str(td)
                status = td.findNextSibling()
                print title.string
                print status

但我得到的结果是关系状态:打印状态是打印无。我做错了什么?

4

2 回答 2

3

有一种特殊的方法get_text(或getText在旧的 BeautifulSoup 版本中)来获取复杂标签的内容。用你的例子:

>>> example.td.get_text(' ', strip=True)
'Relationship status: Relationship'

第一个参数是要使用的分隔符。

于 2013-04-12T10:37:52.257 回答
1

首先,不需要所有的列表推导;你的除了复制结果什么都不做,没有它们你可以安全地做。

您的列中没有下一个兄弟(只有一个 <td>标签),因此它返回None. 您想从标题(标签)中获取.next属性:<strong>

for table in soup.findAll('table', attrs = {'class':'box-content-list'}):
    for row in table.findAll('tr',attrs={'class':'first'}):
        for col in row.findAll('td'):
            title = col.strong
            status = title.nextSibling
            print title.text.strip(), status.strip()

打印:

Relationship status: Relationship

以你为例。

于 2013-04-12T10:14:22.337 回答