蟒蛇等待shell命令来完成(python to wait for shell command to

2019-09-01 01:54发布

我运行脚本的unrar一些文件和事后删除RAR文件。 我通过shell中运行命令这样做。 我尝试了好几种不同的方法来使脚本等待,直到它完成解压缩文件,但它仍然继续并删除该文件完成后方可使用它们。

我曾尝试下面的代码,这是一个没有去。 我曾经想看看我是否能得到wait()的工作,但还没有运气。

有任何想法吗? 运行Python 2.7版

编辑:我希望脚本运行的命令:)

            p = subprocess.Popen('unrar e ' + root + '/' + i + ' ' + testfolder,
                                 bufsize=2048, shell=True,
                                 stdin=subprocess.PIPE)
            p.stdin.write('e')
            p.communicate()

for root, dirs, files in os.walk(testfolder):
    for i in files:

        print 'Deleting rar files'
        os.remove(i)

for i in os.listdir(testfolder):
    if os.path.isdir(testfolder + i):
        shutil.rmtree(testfolder + i)

Answer 1:

这是邪恶的:

p = subprocess.Popen('unrar e ' + root + '/' + i + ' ' + testfolder,
        bufsize=2048, shell=True, stdin=subprocess.PIPE)

代替,

p = subprocess.Popen(['unrar', 'e', '%s/%s' % (root, i), testfolder],
        bufsize=2048, stdin=subprocess.PIPE)
p.stdin.write('e')
p.wait()
if p.returncode == 0:
    pass # put code that must only run if successful here.

通过使一个确切的阵列,而不是字符串到Popen和不使用shell=True ,并在它的空间的文件名不能被解释为一个以上的参数,或者子外壳命令,或一些其他潜在的恶意的事情(认为与文件的$(rm -rf ..)在其名称)。

然后,打完电话后p.wait()有没有必要p.communicate()当你没有捕捉标准错误或标准输出),您必须检查p.returncode确定过程是否成功,只有继续上删除文件如果p.returncode == 0 (表示成功)。

初始诊断,该p.communicate()是返回而unrar过程仍在运行,是不可行的; p.communicate()p.wait()不工作的方式。


如果整个运行ssh ,这改变了一下:

import pipes # in Python 2.x; in 3.x, use shlex.quote() instead
p = subprocess.Popen(['ssh', ' '.join(
      [pipes.quote(s) for s in ['unrar', 'e', '%s/%s' % (root, i), testfolder]])


Answer 2:

是你的问题等待子进程,或者为了做的事情(指拆包,然后删除)。

如果您的问题在等待着子,那么你应该检查出功能subprocess.call

校验:

http://docs.python.org/2/library/subprocess.html#module-subprocess

该功能块,直到其他过程终止。

如果您的问题被然而拆包的文件,你不necesarrily必须使用subprocessess,那么就检查出任何其他的lib拆包,像pyunrar2:

  • https://code.google.com/p/py-unrar2/

这或另一种:

  • https://python-unrar.readthedocs.org/en/latest/


文章来源: python to wait for shell command to complete