如何使用 Python 从指定目录(随机)打开一系列文件 (PNG)?

How can I open a series of files (PNGs) from a specified directory (randomly) using Python?

我在指定目录中有一个文件夹,其中包含需要打开的几个 PNG 随机。我似乎无法让 random.shuffle 处理该文件夹。到目前为止,我已经能够 print 内容,但它们也需要随机化,因此当它们被打开时,顺序是唯一的。

这是我的代码:

import os, sys
from random import shuffle

for root, dirs, files in os.walk("C:\Users\Mickey\Desktop\VisualAngle\sample images"):
    for file in files:
        if file.endswith(".png"):
            print (os.path.join(root, file))

此 returns 文件夹中的图像列表。我在想也许我可以以某种方式随机化 print 的输出,然后使用 open。到目前为止我都失败了。有什么想法吗?

您可以先创建 png 个文件名列表,然后随机播放:

import os
from random import shuffle

dirname = r'C:\Users\Mickey\Desktop\VisualAngle\sample images'

paths = [
    os.path.join(root, filename)
    for root, dirs, files in os.walk(dirname)
    for filename in files
    if filename.endswith('.png')
]
shuffle(paths)
print paths

我在指定目录中有一个文件夹,其中包含多个 PNG。您不需要也不应该使用 os.path.walk 搜索特定目录,它还可能会添加其他子目录中的文件,这会给您带来不正确的结果。您可以使用 glob 获取所有 png 的列表,然后随机播放:

from random import shuffle
from glob import glob
files = glob(r"C:\Users\Mickey\Desktop\VisualAngle\sample images\*.png")
shuffle(files)

glob 也将 return 完整路径。

您也可以使用os.listdir搜索特定文件夹:

pth = r"C:\Users\Mickey\Desktop\VisualAngle\sample images"
files = [os.path.join(pth,fle) for fle in os.listdir(pth) if fle.endswith(".png")]
shuffle(files)

打开:

for fle in files:
   with open(fle) as f:
        ...