如何解析这个?尝试使用BeautifulSoup和Python从非HTML网页中提取数据

时间:2016-12-15 20:01:10

标签: python html beautifulsoup html-parsing

BeautifulSoup& HTML新手在这里,我以前从未见过这种类型的页面。我正试图从威斯康星州戴恩县的2008年总统大选中获取数据。

链接:https://www.countyofdane.com/clerk/elect2008d.html

总统竞选的数据似乎是硬编码表?它不存储在HTML标记之间,也不存储在我之前遇到的任何内容中。

我可以通过以某种方式迭代< !-- #-->来拉取数据吗?我应该将页面保存为HTML文件并在表格周围添加一个正文标记,以便更容易解析吗?

1 个答案:

答案 0 :(得分:3)

这个问题实际上来自文本解析,因为这些表位于pre元素内的纯文本中。

这是你可以开始的。我们的想法是使用-----标题和表后的空行来检测表的开头和结尾。这些方面的东西:

import re

from bs4 import BeautifulSoup
import requests
from ppprint import pprint

url = "https://www.countyofdane.com/clerk/elect2008d.html"
response = requests.get(url)

soup = BeautifulSoup(response.content, "html.parser")

is_table_row = False

tables = []
for line in soup.pre.get_text().splitlines():
    # beginning of the table
    if not is_table_row and "-----" in line:
        is_table_row = True
        table = []
        continue

    # end of the table
    if is_table_row and not line.strip():
        is_table_row = False
        tables.append(table)
        continue

    if is_table_row:
        table.append(re.split("\s{2,}", line))  # splitting by 2 or more spaces

pprint(tables)

这将打印一个列表列表 - 一个包含每个表的数据行的子列表:

[
    [
        ['0001 T ALBION WDS 1-2', '753', '315', '2', '4', '1', '0', '5', '2', '0', '1'],
        ['0002 T BERRY WDS 1-2', '478', '276', '0', '0', '0', '0', '2', '0', '0', '1'],
        ...
        ['', 'CANDIDATE TOTALS', '205984', '73065', '435', '983', '103', '20', '1491', '316', '31', '511'],
        ['', 'CANDIDATE PERCENT', '72.80', '25.82', '.15', '.34', '.03', '.52', '.11', '.01', '.18']],
    [
        ['0001 T ALBION WDS 1-2', '726', '323', '0'],
        ['0002 T BERRY WDS 1-2', '457', '290', '1'],
        ['0003 T BLACK EARTH', '180', '107', '0'],
        ...
    ],
    ...
]

当然,这不包括可能难以获得的表名和对角标题,但并非不可能。另外,您可能希望将总行与表的其他数据行分开。无论如何,我认为这对你来说是一个很好的开始例子。