如何从 https://www.weather.com.cn/weather40d/101020100.shtml 这个网页上爬取天气信息?
时间: 2024-11-11 15:33:41 浏览: 4
世界天气在线:registered:「World weather online:registered:」-crx插件
从`https://www.weather.com.cn/weather40d/101020100.shtml`这个中国国家气象局的网页上爬取天气信息,通常需要结合使用`requests`库发送HTTP请求获取HTML内容,然后使用`BeautifulSoup`库解析HTML并提取所需的数据。以下是一个基本示例:
1. **导入所需的库**:
```python
import requests
from bs4 import BeautifulSoup
```
2. **发送GET请求获取页面**:
```python
url = "https://www.weather.com.cn/weather40d/101020100.shtml"
response = requests.get(url)
```
3. **检查请求状态码**:
```python
if response.status_code == 200:
# 请求成功
else:
print(f"请求失败,状态码:{response.status_code}")
```
4. **创建BeautifulSoup对象并解析HTML**:
```python
soup = BeautifulSoup(response.text, 'lxml') # 有些网站可能需要更复杂的解析器
```
5. **找到包含天气信息的区域**:
```python
weather_info = soup.find('div', class_='warp').find('dl', class_='today')
```
6. **提取天气关键信息**:
- 温度、日期、天气状况等。这通常涉及到查找特定CSS类或ID的元素,并提取它们的文本内容。
```python
temperature = weather_info.find('dt', class_='temp').text
date = weather_info.find('dd', class_='date').text
condition = weather_info.find('dd', class_='txt').text
```
7. **打印或进一步处理数据**:
```python
print(f"日期:{date}\n气温:{temperature}\n天气情况:{condition}")
```
注意:实际的HTML结构可能会因时间变化而有所不同,因此在编写代码时需要查看实时的HTML结构并相应调整。
阅读全文