你有两个问题合二为一,所以这里有一个部分答案让你开始。第一个任务涉及 HTML 解析,所以让我们使用 python 库:requests 和 beautifulsoup4(pip install beautifulsoup4,以防你还没有)。
import requests
from bs4 import BeautifulSoup
r = requests.get('http://www.tamswithmark.com/shows/anything-goes-beaumont-1987/')
soup = BeautifulSoup(r.content, 'html.parser')
rows = soup.findAll('tr', {"class": "upcoming_performance"})
汤是页面内容的可导航数据结构。我们在soup 上使用findAll 方法来提取类'upcoming_performance' 的'tr' 元素。行中的单个元素如下所示:
print(rows[0]) # debug statement to examine the content
"""
<tr class="upcoming_performance" data-lat="47.6007" data-lng="-120.655" data-zip="98826">
<td class="table-margin"></td>
<td class="performance_organization">Leavenworth Summer Theater</td>
<td class="performance_city-state">LEAVENWORTH, WA</td>
<td class="performance_date-from">07/15/2015</td>
<td class="performance_date_to">08/28/2015</td>
<td class="table-margin"></td>
</tr>
"""
现在,让我们将这些行中的数据提取到我们自己的数据结构中。对于每一行,我们将为该性能创建一个字典。
每个 tr 元素的 data-* 属性可通过字典键查找获得。
可以使用 .children(或 .contents)属性访问每个 tr 元素内的 'td' 元素。
performances = [] # list of dicts, one per performance
for tr in rows:
# extract the data-* using dictionary key lookup on tr
p = dict(
lat=float(tr['data-lat']),
lng=float(tr['data-lng']),
zipcode=tr['data-zip']
)
# extract the td children into a list called tds
tds = [child for child in tr.children if child != "\n"]
# the class of each td indicates what type of content it holds
for td in tds:
key = td['class'][0] # get first element of class list
p[key] = td.string # get the string inside the td tag
# add to our list of performances
performances.append(p)
在这一点上,我们有一个表演词典列表。每个字典中的键是:
纬度:浮动
液化天然气:浮动
邮编:str
性能城市状态:str
性能组织:str
ETC
HTML 提取完成。您的下一步是使用地图 API 服务,该服务将您所需位置的距离与表演中的纬度/经度值进行比较。例如,您可以选择使用 Google Maps 地理编码 API。SO上有很多现有的已回答问题可以指导您。