首页 > 解决方案 > 从网站的多个页面中提取电子邮件并列出

问题描述

我想使用 python 从展览网站中提取参展商的电子邮件。该页面包含参展商的超文本。点击参展商名称后,您将找到包含其电子邮件的参展商资料。

你可以在这里找到网站:

https://www.medica-tradefair.com/cgi-bin/md_medica/lib/pub/tt.cgi/Exhibitor_index_A-Z.html?oid=80398&lang=2&ticket=g_u_e_s_t

请问如何使用python做到这一点?先感谢您

标签: pythonweb-scrapingscrapypython-requestsweb-crawler

解决方案


您可以获取所有参展商的链接,然后遍历这些链接并提取每个参展商的电子邮件:

import requests
import bs4


url = 'https://www.medica-tradefair.com/cgi-bin/md_medica/lib/pub/tt.cgi/Exhibitor_index_A-Z.html?oid=80398&lang=2&ticket=g_u_e_s_t'

response = requests.get(url)

soup = bs4.BeautifulSoup(response.text, 'html.parser')

links = soup.find_all('a', href=True)
exhibitor_links = ['https://www.medica-tradefair.com'+link['href'] for link in links if 'vis/v1/en/exhibitors' in link['href'] ]
exhibitor_links = list(set(exhibitor_links))

for link in exhibitor_links:
    response = requests.get(link)
    soup = bs4.BeautifulSoup(response.text, 'html.parser')

    name = soup.find('h1',{'itemprop':'name'}).text
    try:
        email = soup.find('a', {'itemprop':'email'}).text
    except:
        email = 'N/A'

    print('Name: %s\tEmail: %s' %(name, email))

推荐阅读