답변:
subprocess
모듈 과 함께 파이프를 사용하려면 을 통과해야 shell=True
합니다.
그러나 이것이 여러 가지 이유로 실제로 권장되는 것은 아니며 그중에서도 보안은 아닙니다. 대신 ps
및 grep
프로세스를 별도로 작성하고 다음 과 같이 출력을 서로 연결하십시오.
ps = subprocess.Popen(('ps', '-A'), stdout=subprocess.PIPE)
output = subprocess.check_output(('grep', 'process_name'), stdin=ps.stdout)
ps.wait()
그러나 특별한 경우에 간단한 해결책은 출력 을 호출 subprocess.check_output(('ps', '-A'))
한 다음 str.find
출력하는 것입니다.
shell=True
subprocess.CalledProcessError: Command '('grep', 'process_name')' returned non-zero exit status 1
는 grep이 아무것도 발견하지 못했음을 의미하므로 정상적인 행동입니다.
ps.wait()
출력이 이미 있는데 왜 for 가 필요한가 ? ps.wait.__doc__
아이가 종료되기를 기다리지 만 아이의 내용은 이미 output
변수에 배치 된 것 같습니다
string.find
찬성에서 사용되지하는 str.find
(즉, 방법 find
에 str
객체).
grep
조기에 사망하는 경우 ; ps
OS 파이프 버퍼를 채우기에 충분한 출력을 생성 ps.stdout.close()
하면 부모에서 호출하지 않았기 때문에 무기한 중단 될 수 있습니다 . 시작 순서를 바꿔, 그것을 피하기 위해
또는 서브 프로세스 오브젝트에서 항상 통신 메소드를 사용할 수 있습니다.
cmd = "ps -A|grep 'process_name'"
ps = subprocess.Popen(cmd,shell=True,stdout=subprocess.PIPE,stderr=subprocess.STDOUT)
output = ps.communicate()[0]
print(output)
communi 메소드는 표준 출력 및 표준 오류의 튜플을 리턴합니다.
하위 프로세스를 사용하여 파이프 라인 설정에 대한 문서를 참조하십시오. http://docs.python.org/2/library/subprocess.html#replacing-shell-pipeline
다음 코드 예제를 테스트하지는 않았지만 대략 원하는 것이어야합니다.
query = "process_name"
ps_process = Popen(["ps", "-A"], stdout=PIPE)
grep_process = Popen(["grep", query], stdin=ps_process.stdout, stdout=PIPE)
ps_process.stdout.close() # Allow ps_process to receive a SIGPIPE if grep_process exits.
output = grep_process.communicate()[0]
JKALAVIS 솔루션은 좋지만 SHELL = TRUE 대신 shlex를 사용하도록 개선했습니다. 아래는 쿼리 시간을 없애는 것입니다.
#!/bin/python
import subprocess
import shlex
cmd = "dig @8.8.4.4 +notcp www.google.com|grep 'Query'"
ps = subprocess.Popen(cmd,shell=True,stdout=subprocess.PIPE,stderr=subprocess.STDOUT)
output = ps.communicate()[0]
print(output)