0

我正在尝试使用子进程执行脚本,当我手动执行它时我知道它可以工作;以下来自我的调用脚本:

# the command string we want to issue to ffmpeg.py to generate our ffmpeg command strings
        commandString = [
            'python',
            os.path.join(SCRIPT_DIR, 'ffmpeg.py'),
            '-i', os.path.join('/srv/nfsshare/transcode50', userFolder, directory, title),
            '-d', os.path.join('/srv/nfsshare/transcode50', userFolder, directory),
            '-r', request.POST['framerate'],
            '-p 2', '-f', ",".join(formats), '-t', ",".join(rasters)
        ]

        # call transcode50 script to generate condor_execute.py
        subprocess.call(' '.join(commandString) + ' > /srv/nfsshare/transcode50/output.txt', shell=True)

实际的脚本本身本质上会生成一个命令字符串列表并将它们输出到控制台。我在该命令字符串的末尾将输出通过管道传输到一个名为 output.txt 的文件以进行测试,因为我正在从 Django 运行 Python 代码并且无法实时看到 shell 输出,但是当我检查每个文件时时间,那里什么都没有,并且被调用的脚本也有(生成 Python 文件)的副作用不会发生。因此,我相信我可能会或可能不会考虑使用子流程模块,也许它是特定于 Django 的?

4

1 回答 1

1

使用 ' '.join(...) 将列表转换为 shell 字符串是有风险的,因为列表中可能存在需要 shell 转义的内容(如文件名中的空格)。你最好坚持使用命令列表而不是外壳。您还应该捕获好东西所在的 stderr。最后使用 check_call 并将整个事情包装在一个记录执行失败的异常处理程序中。

try:
    commandString = [
        'python',
        os.path.join(SCRIPT_DIR, 'ffmpeg.py'),
        '-i', os.path.join('/srv/nfsshare/transcode50', userFolder, directory, title),
        '-d', os.path.join('/srv/nfsshare/transcode50', userFolder, directory),
        '-r', request.POST['framerate'],
        '-p 2', '-f', ",".join(formats), '-t', ",".join(rasters)
    ]

    # call transcode50 script to generate condor_execute.py
    subprocess.check_call(commandString, 
        stdout=open('/srv/nfsshare/transcode50/output.txt', 'w'),
        stderr=subprocess.STDOUT)

except Exception, e:
    # you can do fancier logging, but this is quick
    open('/tmp/test_exception.txt', 'w').write(str(e))
    raise
于 2013-10-23T22:05:53.453 回答