0

我编写了一个脚本,该脚本使用 cv2 和其他一些模块将视频文件拆分为帧。到目前为止,我很高兴粘贴文件路径并运行代码,但现在我希望用户输入文件路径和名称以响应提示。这应该很容易,但我在让 os.path 为我工作时遇到了很多麻烦。主要问题是我希望每个图像文件(即帧)的名称中都有一个数字,以显示它在序列中的位置。下面的代码是我所拥有的:

filepath = input('Please enter the filepath for the clip: ') 

clip = cv2.VideoCapture(filepath)

#### This code splits the clip into scenes

filepath1 = input('Please enter the filepath for where the frames should be saved: ') 

name = input('Please enter the name of the clip: ') 

ret, frame = clip.read()
count = 0
ret == True
while ret:
    ret, frame = clip.read()
    cv2.imwrite((os.path.join(filepath1,name, '(%d)','.png') % count, frame))
    count += 1

但是,会产生以下错误:

cv2.imwrite((os.path.join(filepath1,name, '(%d)','.png') % count, frame))
    TypeError: Required argument 'img' (pos 2) not found

% count, frame在 os.path.join 命令的括号中包含变量会产生不同的错误:

TypeError: not all arguments converted during string formatting

它应该做的是将许多 .png 文件写入name(x)一个位置,例如MYcomputer/mydesktop/myfolder/. 我不确定这里出了什么问题——感谢任何帮助!

4

1 回答 1

2

您的括号位置以及使用join错误 This

cv2.imwrite((os.path.join(filepath1,name, '(%d)','.png') % count, frame))

应更正为:

cv2.imwrite(os.path.join(filepath1, name+'(%d).png'%count), frame)

为了进一步改进我建议的代码

fname = "{name}({count}).png".format(name=name, count=count)
cv2.imwrite(os.path.join(filepath1, fname), frame)

这里简要解释一下os.path.join:它将所有参数与操作系统的路径分隔符连接起来(基于 Unix 的“/”和 Windows 上的“\”)。结果,您的原始代码将产生以下字符串:

filepath1 = "some_dir"
name = "some_name"
count = 10
print(os.path.join(filepath1, name, '(%d)' % count,'.png'))
>>> "some_dir/some_name/10/.png"
于 2017-01-08T15:42:28.057 回答