web-dev-qa-db-ja.com

Pythonで「ps cax | grep something」を実行する方法は?

パイプ|を含むコマンドを実行するにはどうすればよいですか?

サブプロセスモジュールは複雑に思えます...

のようなものはありますか

output,error = `ps cax | grep something`

シェルスクリプトのように?

25
eugene

シェルパイプラインの置換 を参照してください:

import subprocess

proc1 = subprocess.Popen(['ps', 'cax'], stdout=subprocess.PIPE)
proc2 = subprocess.Popen(['grep', 'python'], stdin=proc1.stdout,
                         stdout=subprocess.PIPE, stderr=subprocess.PIPE)

proc1.stdout.close() # Allow proc1 to receive a SIGPIPE if proc2 exits.
out, err = proc2.communicate()
print('out: {0}'.format(out))
print('err: {0}'.format(err))

PS。 Shell=Trueの使用は危険です。たとえば、ドキュメントの 警告 を参照してください。


また、 shモジュール があります。これにより、Pythonでより快適にサブプロセススクリプトを作成できます。

import sh
print(sh.grep(sh.ps("cax"), 'something'))
47
unutbu

あなたはすでに答えを受け入れましたが、:

本当に必要 grepを使用しますか?私は次のようなものを書くでしょう:

import subprocess
ps = subprocess.Popen(('ps', 'cax'), stdout=subprocess.PIPE)
output = ps.communicate()[0]
for line in output.split('\n'):
    if 'something' in line:
        ...

これにはShell=Trueとそのリスクを伴わないという利点があり、別のgrepプロセスから分岐せず、Pythonデータファイルのようなオブジェクトを処理します。

17
Kirk Strauser
import subprocess

process = subprocess.Popen("ps cax | grep something",
                             Shell=True,
                             stdout=subprocess.PIPE,
                           )
stdout_list = process.communicate()[0].split('\n')
8
instigator

その「ps」サブプロセスをドロップして、ゆっくり戻ってください! :)

代わりに psutil モジュールを使用してください。

7
Michael Kent
import os

os.system('ps -cax|grep something')

Grep引数を変数に置き換えたい場合:

os.system('ps -cax|grep '+your_var)
3
Mark Ma