python读取文件夹下所有图片
时间: 2023-07-15 14:11:09 浏览: 244
test_record_images.md
你可以使用Python中的os和Pillow库来实现读取文件夹下所有图片的功能。
以下是示例代码:
```python
import os
from PIL import Image
# 定义函数,遍历文件夹并读取所有图片
def read_images(folder_path):
images = []
for filename in os.listdir(folder_path):
# 判断是否为图片文件
if filename.endswith(".jpg") or filename.endswith(".jpeg") or filename.endswith(".png"):
# 使用Pillow库读取图片
image = Image.open(os.path.join(folder_path, filename))
images.append(image)
return images
# 调用函数并传入文件夹路径
folder_path = "/path/to/folder"
images = read_images(folder_path)
# 打印读取到的图片数量
print("共读取到%d张图片" % len(images))
```
在上面的代码中,我们首先引入了os和Pillow库。然后定义了一个名为`read_images`的函数,它接受一个文件夹路径作为参数。函数使用os库中的`listdir`函数遍历文件夹下的所有文件,判断每个文件是否为图片文件(这里只考虑了jpg、jpeg和png格式),如果是就使用Pillow库中的`open`函数读取该图片并将其添加到一个列表中。最后将读取到的图片列表返回。
接着我们调用该函数并传入文件夹路径,函数返回读取到的图片列表。最后打印读取到的图片数量。
阅读全文