web-dev-qa-db-ja.com

pythonで外部プログラムを呼び出し、出力とリターンコードを取得する方法は?

pythonスクリプトで外部プログラムを呼び出して、出力とリターンコードを取得するにはどうすればよいですか?

48
cfischer

subprocess モジュールを見てください:簡単な例を次に示します...

from subprocess import Popen, PIPE

process = Popen(["ls", "-la", "."], stdout=PIPE)
(output, err) = process.communicate()
exit_code = process.wait()
64
jkp

Ambroz Bizjakの以前のコメントに続いて、ここに私のために働いた解決策があります:

import shlex
from subprocess import Popen, PIPE

cmd = "..."
process = Popen(shlex.split(cmd), stdout=PIPE)
process.communicate()
exit_code = process.wait()
15
Jabba

外部プログラムを実行し、出力とretcodeを取得し、同時にリアルタイムでコンソールに出力できるようにする小さなライブラリ( py-execute )を開発しました。

>>> from py_execute.process_executor import execute
>>> ret = execute('echo "Hello"')
Hello
>>> ret
(0, 'Hello\n')

モックuser_ioを渡すコンソールへの印刷を避けることができます:

>>> from mock import Mock
>>> execute('echo "Hello"', ui=Mock())
(0, 'Hello\n')

単純なPopen(In Python 2.7)では長い出力でコマンドを実行するのに問題があったので、私はそれを書きました。

2
hithwen

いくつかの調査の後、私は非常にうまく機能する次のコードを持っています。基本的には、stdoutとstderrの両方をリアルタイムで出力します。それが必要な他の誰かを助けることを願っています。

stdout_result = 1
stderr_result = 1


def stdout_thread(pipe):
    global stdout_result
    while True:
        out = pipe.stdout.read(1)
        stdout_result = pipe.poll()
        if out == '' and stdout_result is not None:
            break

        if out != '':
            sys.stdout.write(out)
            sys.stdout.flush()


def stderr_thread(pipe):
    global stderr_result
    while True:
        err = pipe.stderr.read(1)
        stderr_result = pipe.poll()
        if err == '' and stderr_result is not None:
            break

        if err != '':
            sys.stdout.write(err)
            sys.stdout.flush()


def exec_command(command, cwd=None):
    if cwd is not None:
        print '[' + ' '.join(command) + '] in ' + cwd
    else:
        print '[' + ' '.join(command) + ']'

    p = subprocess.Popen(
        command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, cwd=cwd
    )

    out_thread = threading.Thread(name='stdout_thread', target=stdout_thread, args=(p,))
    err_thread = threading.Thread(name='stderr_thread', target=stderr_thread, args=(p,))

    err_thread.start()
    out_thread.start()

    out_thread.join()
    err_thread.join()

    return stdout_result + stderr_result
2
Jake W

ここでサブプロセスモジュールを確認してください: http://docs.python.org/library/subprocess.html#module-subprocess 。必要なことを行う必要があります。

2
David Ackerman