1

我在 OSX 上的 python 2.7 中已经工作的 ffmpeg 命令的前面添加了一个 FFREPORT 命令,这是为了重定向报告日志文件,但出现错误并且无法弄清楚如何修复它。

这是命令:

command = 'FFREPORT="level=48:file=/Users/myself/Desktop/TESTFFMPEGOUTPUT.txt" /Users/myself/Desktop/Python/ffmpeg/ffmpeg -i /Volumes/GRAID/TestInput.mov /Volumes/GRAID/TestOutput.mov'

self.process1 = Popen(shlex.split(command), shell=False)

这给了我错误:

    raise child_exception
    OSError: [Errno 2] No such file or directory

更新:

我现在已将其更改为合并下面的答案,但又遇到了另一个问题。我需要日志文件的路径作为变量,所以我正在尝试:

ffreportCommand = 'FFREPORT=level=48:file=' + self.logFilePath
self.process1 = Popen(shlex.split(command), shell=False, env=dict(ffreportCommand))

但我收到以下错误:

self.process1 = Popen(shlex.split(command), shell=False, env=dict(ffreportCommand))
ValueError: dictionary update sequence element #0 has length 1; 2 is required

更新:修复:

ffreportCommand = "level=48:file=" + self.logFilePath
self.process1 = Popen(shlex.split(command), shell=False, env=dict(FFREPORT='%s' % ffreportCommand))
4

1 回答 1

2

FFREPORT是一个环境变量。因此,在调用时使用参数env进行设置Popen

command = '/Users/myself/Desktop/Python/ffmpeg/ffmpeg -i /Volumes/GRAID/TestInput.mov /Volumes/GRAID/TestOutput.mov'

self.process1 = Popen(
    shlex.split(command), shell=False, 
    env=dict(FFREPORT="level=48:file=/Users/myself/Desktop/TESTFFMPEGOUTPUT.txt"))

如果您希望基于变量构建字典,您可以使用

ffreport = "level=48:file={}".format(self.logFilePath)
self.process1 = Popen(shlex.split(command), shell=False, 
                      env=dict(FFREPORT=ffreport))

顺便说一句,dict(A=val)相当于{'A':val}。所以另一种选择是

self.process1 = Popen(shlex.split(command), shell=False, 
                      env={'FFREPORT':ffreport})
于 2015-01-19T14:27:01.847 回答