web-dev-qa-db-ja.com

パイプを含むコマンドラインを実行し、結果をSTDOUTに表示する

パイプを含み、出力をキャプチャするPythonからシェルコマンドを呼び出すにはどうすればよいですか?

コマンドが次のようなものであったとします:

cat file.log | tail -1

私がやろうとしていることと同等のPerlは次のようなものです:

my $string = `cat file.log | tail -1`;
38
spudATX

サブプロセスのドキュメントセクションで説明されているように、subprocess.PIPEを使用します "シェルパイプラインの置換"

import subprocess
p1 = subprocess.Popen(["cat", "file.log"], stdout=subprocess.PIPE)
p2 = subprocess.Popen(["tail", "-1"], stdin=p1.stdout, stdout=subprocess.PIPE)
p1.stdout.close()  # Allow p1 to receive a SIGPIPE if p2 exits.
output,err = p2.communicate()

または、 shモジュール を使用すると、パイピングは 関数の構成 になります。

import sh
output = sh.tail(sh.cat('file.log'), '-1')
49
unutbu
_import subprocess
task = subprocess.Popen("cat file.log | tail -1", Shell=True, stdout=subprocess.PIPE)
data = task.stdout.read()
assert task.wait() == 0
_

これはstderrをキャプチャしないことに注意してください。また、stderrもキャプチャする場合は、task.communicate();を使用する必要があります。 task.stdout.read()を呼び出してからtask.stderr.read()を呼び出すと、stderrのバッファーがいっぱいになるとデッドロックする可能性があります。それらを組み合わせたい場合は、Shellコマンドの一部として_2>&1_を使用できるはずです。

しかし、あなたの正確なケースを考えると、

_task = subprocess.Popen(['tail', '-1', 'file.log'], stdout=subprocess.PIPE)
data = task.stdout.read()
assert task.wait() == 0
_

パイプの必要性をまったく回避します。

8
retracile

この:

import subprocess
p = subprocess.Popen("cat file.log | tail -1", Shell=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE, stdin=subprocess.PIPE)
#for Shell=False use absolute paths
p_stdout = p.stdout.read()
p_stderr = p.stderr.read()
print p_stdout

または、これは動作するはずです:

import os
result = os.system("cat file.log | tail -1")
5
chown

Popenに似た別の方法は次のとおりです。

command=r"""cat file.log | tail -1 """
output=subprocess.check_output(command, Shell=True)
2
XAVI

これは@ chownからの分岐であり、いくつかの改善があります。

  • import subprocessのエイリアス。パラメーターを設定するときに簡単になります
  • 出力だけが必要な場合は、stderrを呼び出すときにstdinまたはPopenを設定する必要はありません。
  • より良いフォーマットのために、出力をデコードすることをお勧めします
  • Shell=Trueは、コマンドラインのインタープリターを呼び出すために必要です

#!/usr/bin/python3

import subprocess as sp

p = sp.Popen("cat app.log | grep guido", Shell=True, stdout=sp.PIPE)

output = p.stdout.read()
print(output.decode('utf-8'))

$ cat app.log 
2017-10-14 22:34:12, User Removed [albert.wesker]
2017-10-26 18:14:02, User Removed [alexei.ivanovich] 
2017-10-28 12:14:56, User Created [ivan.leon]
2017-11-14 09:22:07, User Created [guido.rossum]

$ python3 subproc.py 
2017-11-14 09:22:07, User Created [guido.rossum]
0
ivanleoncz

多くのパイプでシェルコマンドを実行するためのシンプルな関数

使用

res, err = eval_Shell_cmd('pacman -Qii | grep MODIFIED | grep -v UN | cut -f 2')

関数

import subprocess


def eval_Shell_cmd(command, debug=False):
    """
    Eval Shell command with pipes and return result
    :param command: Shell command
    :param debug: Debug flag
    :return: Result string
    """
    processes = command.split(' | ')

    if debug:
        print('Processes:', processes)

    for index, value in enumerate(processes):
        args = value.split(' ')

        if debug:
            print(index, args)

        if index == 0:
            p = subprocess.Popen(args, stdout=subprocess.PIPE)
        else:
            p = subprocess.Popen(args, stdin=p.stdout, stdout=subprocess.PIPE)

        if index == len(processes) - 1:
            result, error = p.communicate()
            return result.decode('utf-8'), error
0
phpusr