用python语言爬取http://www.netbian.com/index_2.htm网页的图片
时间: 2023-11-26 12:03:55 浏览: 112
你可以使用Python的requests和BeautifulSoup库来爬取网页的图片。下面是一个简单的示例代码:
```python
import requests
from bs4 import BeautifulSoup
import os
# 创建保存图片的文件夹
if not os.path.exists('images'):
os.makedirs('images')
# 发起请求并获取网页内容
url = 'http://www.netbian.com/index_2.htm'
response = requests.get(url)
html = response.text
# 使用BeautifulSoup解析网页内容
soup = BeautifulSoup(html, 'html.parser')
# 找到所有图片所在的标签
img_tags = soup.find_all('img')
# 遍历图片标签并下载图片
for img in img_tags:
img_url = img['src']
img_name = img_url.split('/')[-1]
img_path = os.path.join('images', img_name)
# 下载图片
img_data = requests.get(img_url).content
with open(img_path, 'wb') as f:
f.write(img_data)
print(f"下载图片 {img_name} 完成")
```
这段代码会在当前目录下创建一个名为`images`的文件夹,并将网页中的图片保存在该文件夹中。请确保你已经安装了requests和BeautifulSoup库,你可以使用以下命令安装它们:
```
pip install requests beautifulsoup4
```
请注意,根据网站的反爬措施,你可能需要在发送请求时添加一些额外的头部信息,以模拟浏览器的行为。
阅读全文