web-dev-qa-db-ja.com

「subprocess.Popen」-成功とエラーの確認

サブプロセスの実行が正常に終了したか失敗したかを確認したい。現在、私は解決策を考え出しましたが、それが正しく信頼できるかどうかはわかりません。すべてのプロセスがstdoutを尊重して標準エラーにのみエラーを出力することが保証されていますか?

注:出力を単にリダイレクト/印刷することに興味はありません。私はすでに方法を知っていること。

pipe = subprocess.Popen(command,
                                stdout=subprocess.PIPE,
                                stderr=subprocess.PIPE,
                                universal_newlines=True)

if "" == pipe.stdout.readline():
    print("Success")
    self.isCommandExectutionSuccessful = True

if not "" == pipe.stderr.readline():
    print("Error")
    self.isCommandExectutionSuccessful = True

代わりに:

   if "" == pipe.stdout.readline():
       print("Success")
       self.isCommandExectutionSuccessful = True
   else:
       print("Error")
       self.isCommandExectutionSuccessful = False

そして:

   if not "" == pipe.stderr.readline():
       print("Success")
       self.isCommandExectutionSuccessful = True
   else:
       print("Error")
       self.isCommandExectutionSuccessful = False
23
Zingam

プロセスの出力で何かする必要がありますか?

check_callメソッドはここで役に立つかもしれません。 pythonこちらのドキュメント: https://docs.python.org/2/library/subprocess.html#subprocess.check_call をご覧ください。

これを次のように使用できます。

try:
  subprocess.check_call(command)
except subprocess.CalledProcessError:
  # There was an error - command exited with non-zero code

ただし、これはcommandに依存しており、正常終了の場合は終了コード0、エラーの場合はゼロ以外の値を返します。

出力もキャプチャする必要がある場合は、check_outputメソッドの方が適切な場合があります。これが必要な場合は、標準エラーをリダイレクトすることもできます。

try:
  proc = subprocess.check_output(command, stderr=subprocess.STDOUT)
  # do something with output
except subprocess.CalledProcessError:
  # There was an error - command exited with non-zero code

こちらのドキュメントを参照してください: https://docs.python.org/2/library/subprocess.html#subprocess.check_output

24
elParaguayo

Check_call()メソッドを使用して、プロセスのリターンコードを確認できます。プロセスがゼロ以外の値を返した場合、CalledProcessErrorが発生します。

3
Alexey Bureev

リターンコード、stdout、およびstderrをチェックする完全なソリューション:

import subprocess as sp

# ok
pipe = sp.Popen( 'ls /bin', Shell=True, stdout=sp.PIPE, stderr=sp.PIPE )
# res = Tuple (stdout, stderr)
res = pipe.communicate()
print("retcode =", pipe.returncode)
print("res =", res)
print("stderr =", res[1])
for line in res[0].decode(encoding='utf-8').split('\n'):
  print(line)

# with error
pipe = sp.Popen( 'ls /bing', Shell=True, stdout=sp.PIPE, stderr=sp.PIPE )
res = pipe.communicate()
print("retcode =", pipe.returncode)
print("res =", res)
print("stderr =", res[1])

プリント:

retcode = 0
res = (b'bash\nbunzip2\nbusybox\nbzcat\n...zmore\nznew\n', b'')
stderr = b''
bash
bunzip2
busybox
bzcat
...
zmore
znew

retcode = 2
res = (b'', b"ls: cannot access '/bing': No such file or directory\n")
stderr = b"ls: cannot access '/bing': No such file or directory\n"
2
PJ_Finnegan
      output,error=pipe.communicate()

これは、コマンドが終了するまで待機し、コマンドの状態に応じて出力またはエラーを表示します。

1
vks

これは私が最終的にやった方法です:

    # Call a system process
    try:
        # universal_newlines - makes manual decoding of subprocess.stdout unnecessary
        output = subprocess.check_output(command,
                                         stderr=subprocess.STDOUT,
                                         universal_newlines=True)

        # Print out command's standard output (elegant)
        for currentLine in output:
            self.textEdit_CommandLineOutput.insertPlainText(currentLine)

        self.isCommandExecutionSuccessful = True

    except subprocess.CalledProcessError as error:
        self.isCommandExecutionSuccessful = False

        errorMessage = ">>> Error while executing:\n"\
                       + command\
                       + "\n>>> Returned with error:\n"\
                       + str(error.output)
        self.textEdit_CommandLineOutput.append(errorMessage)

        QMessageBox.critical(None,
                             "ERROR",
                             errorMessage)
        print("Error: " + errorMessage)

    except FileNotFoundError as error:
        errorMessage = error.strerror
        QMessageBox.critical(None,
                             "ERROR",
                             errorMessage)
        print("Error: ", errorMessage)

私はそれが他の誰かに役立つことを願っています。

0
Zingam