我一直在我的程序中加入子进程调用。我对其他命令的子进程调用没有任何问题,但是我无法获得命令行输入
ffmpeg -r 10 -i frame%03d.png -r ntsc movie.mpg
在subprocess.call()
中工作我尝试了以下但没有成功:
subprocess.call('ffmpeg -r 10 -i %s frame%03.d.png - r ntsc movie.mpg')
有什么想法?我是否将单独的命令分开,是否使用%s
,%d
指定字符串,整数等?
答案 0 :(得分:13)
当您使用子进程时,您的命令必须是一个看起来与您在命令行上键入的字符串完全相同的字符串(并设置shell = True),或者每个命令都是列表中项目的列表(和你采用默认的shell = False)。在任何一种情况下,您都必须处理字符串的变量部分。例如,操作系统不知道“%03d”是什么,你必须填写它。
我无法从你的问题中确切地知道参数是什么,但我们假设您想要转换第3帧,它在字符串中看起来像这样:
my_frame = 3
subprocess.call(
'ffmpeg -r 10 -i frame%03d.png -r ntsc movie%03d.mpg' % (my_frame, my_frame),
shell=True)
在这个例子中它有点微妙,但这有风险。假设这些东西位于名称中有空格的目录中(例如./My Movies / Scary Movie)。 shell会被那些空格混淆。
因此,您可以将其放入列表并避免问题
my_frame = 3
subprocess.call(['ffmpeg', '-r', '10', '-i', 'frame%03d.png' % my_frame,
['-r', 'ntsc', 'movie%03d.mpg' % my_frame])
更多打字,但更安全。
答案 1 :(得分:7)
我发现这个替代方案,简单,回答也有效。
subprocess.call('ffmpeg -r 10 -i frame%03d.png -r ntsc '+str(out_movie), shell=True)
答案 2 :(得分:1)
import shlex
import pipes
from subprocess import check_call
command = 'ffmpeg -r 10 -i frame%03d.png -r ntsc ' + pipes.quote(out_movie)
check_call(shlex.split(command))
答案 3 :(得分:0)
'ffmpeg -r 10 -i frame%03d.png -r ntsc movie.mpg'
应该没问题。 OTOH,如果你不需要frame%03d.png
的力量,frame*.png
会更简单。
如果您想更换' movie.mpg'使用变量名称",它看起来像这样:
cmd = 'ffmpeg -r 10 -i "frame%%03d.png" -r ntsc "%s"' % moviename
我们需要使用额外的%
来转义%
以将其隐藏在Python的%替换机制中。我还添加了双引号"
,以应对tdelaney提到的问题。