在日常开发中,我们经常需要从网络上抓取图片资源。Python提供了多种方式实现这一需求,以下是三种常用的方法👇:
方法一:使用`requests`和`open`
首先,利用`requests`库发送HTTP请求获取图片数据,然后用`open()`函数以二进制模式写入文件。这种方法简单直接,适合初学者尝试👇
```python
import requests
url = 'https://example.com/image.jpg'
response = requests.get(url)
with open('image.jpg', 'wb') as f:
f.write(response.content)
```
方法二:借助`urllib`模块
`urllib`是Python标准库的一部分,无需额外安装。通过`urllib.request.urlretrieve()`可以直接将图片保存到本地,代码简洁易懂👇
```python
import urllib.request
url = 'https://example.com/image.jpg'
urllib.request.urlretrieve(url, 'image2.jpg')
```
方法三:结合`Pillow`处理图片
如果需要对图片进行进一步处理(如裁剪或压缩),可以使用强大的`Pillow`库。它不仅能下载图片,还能轻松修改图像内容🖼️
```python
from PIL import Image
import requests
from io import BytesIO
url = 'https://example.com/image.jpg'
response = requests.get(url)
img = Image.open(BytesIO(response.content))
img.save('image3.jpg')
```
以上三种方法各有千秋,大家可根据实际需求选择最合适的方式!💡