如何使用管道|
运行命令?
子进程模块看起来很复杂......
有没有类似的东西
output,error = `ps cax | grep something`
在shell脚本中?
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
可能很危险。例如,参见文档中的the warning。
还有sh module可以使Python中的子进程脚本更加愉快:
import sh
print(sh.grep(sh.ps("cax"), 'something'))
你已经接受了答案,但是:
你真的需要用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类型。
import subprocess
process = subprocess.Popen("ps cax | grep something",
shell=True,
stdout=subprocess.PIPE,
)
stdout_list = process.communicate()[0].split('\n')
删除'ps'子进程并慢慢退回! :)
请改用psutil模块。
import os
os.system('ps -cax|grep something')
如果你想用一些变量替换grep参数:
os.system('ps -cax|grep '+your_var)