하위 프로세스의 출력을 문자열에 저장합니다.


300

파이썬에서 시스템 호출을 만들고 파이썬 프로그램에서 조작 할 수있는 문자열에 출력을 저장하려고합니다.

#!/usr/bin/python
import subprocess
p2 = subprocess.Popen("ntpq -p")

여기에 몇 가지 제안을 포함하여 몇 가지 시도를했습니다.

subprocess.call ()의 출력 검색

그러나 운없이.


3
이와 같은 구체적인 질문에 대해서는 실제로 실행 한 코드와 실제 역 추적 또는 예상치 못한 바비 어를 게시하는 것이 좋습니다. 예를 들어, 당신이 출력을 얻을하려고 노력 모르겠어요 난 당신이-의 파일 찾지 못하는 경우에 대한 오류를 얻었을 것입니다 당신이 실제로까지 시작하는 것을하지 않았다 의심 "ntpq -p"의 다른 부분이다, 당신이 요구하는 것보다 문제.
Mike Graham

답변:


467

Python 2.7 또는 Python 3에서

Popen객체를 직접 만드는 대신 subprocess.check_output()함수 를 사용하여 명령의 출력을 문자열에 저장할 수 있습니다 .

from subprocess import check_output
out = check_output(["ntpq", "-p"])

파이썬 2.4-2.6에서

communicate방법을 사용하십시오 .

import subprocess
p = subprocess.Popen(["ntpq", "-p"], stdout=subprocess.PIPE)
out, err = p.communicate()

out 당신이 원하는 것입니다.

다른 답변에 대한 중요 사항

내가 명령을 어떻게 전달했는지 주목하십시오. 이 "ntpq -p"예는 또 다른 문제를 제기합니다. Popen쉘을 호출하지 않기 때문에 명령 및 옵션 목록 —을 사용합니다 ["ntpq", "-p"].


3
이 경우, 파이썬은이 시스템 호출이 끝나기를 기다 립니까? 아니면 wait / waitpid 함수를 명시 적으로 호출해야합니까?
None 유형

7
@NoneType Popen.communicate은 프로세스가 종료 될 때까지 반환되지 않습니다.
Mike Graham

10
오류 스트림을 얻으려면 stderr을 추가하십시오.p = subprocess.Popen(["ntpq", "-p"], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
Timofey

82
조심하고 subprocess.check_output()a가 아닌 bytes객체를 반환 합니다 str. 결과를 인쇄하는 것만으로도 아무런 차이가 없습니다. 그러나 myString.split("\n")결과 와 같은 방법을 사용 하려면 먼저 bytes객체를 디코딩해야 합니다. 예 subprocess.check_output(myParams).decode("utf-8")를 들어.
TanguyP

17
universal_newlines=True파이썬 3에서 매개 변수로 추가 하면 문자열 객체를 얻는 데 도움이되었습니다. universal_newlines가 True 인 경우 기본 인코딩을 사용하여 텍스트 모드로 열립니다. 그렇지 않으면 이진 스트림으로 열립니다.
Jonathan Komar

38

이것은 stdout을 리디렉션하는 데 도움이되었습니다 (stderr도 비슷하게 처리 할 수 ​​있습니다).

from subprocess import Popen, PIPE
pipe = Popen(path, stdout=PIPE)
text = pipe.communicate()[0]

그래도 문제가 해결되지 않으면 발생한 문제를 정확하게 지정하십시오.


3
이것은 이상한 물체를 만듭니다. 문자열로 변환하면과 같은 공백을 이스케이프 처리 \n합니다.
Tomáš Zato-복원 모니카

1
하위 프로세스가 올바르게 실행되었는지 확인하지 않습니다. pipe.returncode == 0마지막 줄 이후에도 확인하고 싶을 것입니다 .
thakis

이것이 작동하는 이유 Popenstdout및 의 튜플을 반환 하기 때문에 stderr액세스 [0]할 때 stdout. 당신은 또한 할 수있는 text, err = pipe.communicate()다음 text당신이 무엇을 기대해야합니다
요나


22

subprocess.Popen : http://docs.python.org/2/library/subprocess.html#subprocess.Popen

import subprocess

command = "ntpq -p"  # the shell command
process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=None, shell=True)

#Launch the shell command:
output = process.communicate()

print output[0]

Popen 생성자에서 shellTrue 인 경우 명령을 시퀀스가 ​​아닌 문자열로 전달해야합니다. 그렇지 않으면 명령을 목록으로 나누십시오.

command = ["ntpq", "-p"]  # the shell command
process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=None)

당신이는 popen 초기화로, 또한 표준 오류를 읽을 필요가 있다면, 당신은 설정할 수 있습니다 열려진subprocess.PIPE 하거나 subprocess.STDOUT :

import subprocess

command = "ntpq -p"  # the shell command
process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True)

#Launch the shell command:
output, error = process.communicate()

최고 이것은 내가 찾고 있었던 것입니다
kRazzy R

14

파이썬 2.7+의 경우 관용적 인 대답은 subprocess.check_output()

또한 서브 프로세스를 호출 할 때 인수를 다루는 것이 약간 혼란 스러울 수 있으므로주의해야합니다.

args가 자신 만의 args가없는 단일 명령 인 경우 (또는 shell=True설정 한 경우) 문자열 일 수 있습니다. 그렇지 않으면 목록이어야합니다.

예를 들어 ... ls명령 을 호출하려면 다음 과 같이하십시오.

from subprocess import check_call
check_call('ls')

이것도 마찬가지입니다 :

from subprocess import check_call
check_call(['ls',])

그러나 일부 args를 쉘 명령에 전달하려면 다음 수행 할 수 없습니다 .

from subprocess import check_call
check_call('ls -al')

대신 목록으로 전달해야합니다.

from subprocess import check_call
check_call(['ls', '-al'])

그만큼 shlex.split() 함수는 하위 프로세스를 만들기 전에 문자열을 쉘과 같은 구문으로 나누는 데 유용 할 수 있습니다.

from subprocess import check_call
import shlex
check_call(shlex.split('ls -al'))

5 년 후에도이 질문은 여전히 ​​많은 사랑을 받고 있습니다. Corey 2.7 이상 업데이트에 감사드립니다!
Mark

11

이것은 나를 위해 완벽하게 작동합니다.

import subprocess
try:
    #prints results and merges stdout and std
    result = subprocess.check_output("echo %USERNAME%", stderr=subprocess.STDOUT, shell=True)
    print result
    #causes error and merges stdout and stderr
    result = subprocess.check_output("copy testfds", stderr=subprocess.STDOUT, shell=True)
except subprocess.CalledProcessError, ex: # error code <> 0 
    print "--------error------"
    print ex.cmd
    print ex.message
    print ex.returncode
    print ex.output # contains stdout and stderr together 

9

이것은 나에게 완벽했다. 리턴 코드, stdout 및 stderr가 튜플에 표시됩니다.

from subprocess import Popen, PIPE

def console(cmd):
    p = Popen(cmd, shell=True, stdout=PIPE)
    out, err = p.communicate()
    return (p.returncode, out, err)

예를 들어 :

result = console('ls -l')
print 'returncode: %s' % result[0]
print 'output: %s' % result[1]
print 'error: %s' % result[2]

6

받아 들여진 대답은 여전히 ​​좋으며 새로운 기능에 대한 몇 가지 언급입니다. python 3.6부터는에서 직접 인코딩을 처리 할 수 ​​있습니다 ( 문서check_output 참조) . 이제 문자열 객체를 반환합니다 :

import subprocess 
out = subprocess.check_output(["ls", "-l"], encoding="utf-8")

python 3.7에서는 매개 변수 capture_output가 subprocess.run ()에 추가되었습니다. 이 매개 변수 는 Popen / PIPE 처리 중 일부를 수행합니다 . python 문서를 참조하십시오 .

import subprocess 
p2 = subprocess.run(["ls", "-l"], capture_output=True, encoding="utf-8")
p2.stdout

4
 import os   
 list = os.popen('pwd').read()

이 경우 목록에 하나의 요소 만 있습니다.


7
os.popensubprocess모듈 을 위해 더 이상 사용되지 않습니다 .
Mike Graham

3
이것은 2.2.X 시리즈의 Python을 사용하는 오래된 상자에서 관리자에게 매우 도움이되었습니다.
Neil McF

4

나는 여기에 다른 답변을 기반으로 작은 함수를 작성했습니다.

def pexec(*args):
    return subprocess.Popen(args, stdout=subprocess.PIPE).communicate()[0].rstrip()

용법:

changeset = pexec('hg','id','--id')
branch = pexec('hg','id','--branch')
revnum = pexec('hg','id','--num')
print('%s : %s (%s)' % (revnum, changeset, branch))

4

Python 3.7에서는에 대한 새로운 키워드 인수 capture_output가 도입되었습니다 subprocess.run. 짧고 간단한 기능 활성화 :

import subprocess

p = subprocess.run("echo 'hello world!'", capture_output=True, shell=True, encoding="utf8")
assert p.stdout == 'hello world!\n'

1
import subprocess
output = str(subprocess.Popen("ntpq -p",shell = True,stdout = subprocess.PIPE, 
stderr = subprocess.STDOUT).communicate()[0])

이것은 한 줄 솔루션입니다


0

다음은 단일 변수에서 프로세스의 stdout 및 stderr을 캡처합니다. Python 2 및 3과 호환됩니다.

from subprocess import check_output, CalledProcessError, STDOUT

command = ["ls", "-l"]
try:
    output = check_output(command, stderr=STDOUT).decode()
    success = True 
except CalledProcessError as e:
    output = e.output.decode()
    success = False

명령이 배열이 아닌 문자열 인 경우 접두사로 다음을 지정하십시오.

import shlex
command = shlex.split(command)

0

파이썬 3.5의 경우 이전 답변을 기반으로 함수를 작성했습니다. 로그가 삭제되었을 수 있습니다.

import shlex
from subprocess import check_output, CalledProcessError, STDOUT


def cmdline(command):
    log("cmdline:{}".format(command))
    cmdArr = shlex.split(command)
    try:
        output = check_output(cmdArr,  stderr=STDOUT).decode()
        log("Success:{}".format(output))
    except (CalledProcessError) as e:
        output = e.output.decode()
        log("Fail:{}".format(output))
    except (Exception) as e:
        output = str(e);
        log("Fail:{}".format(e))
    return str(output)


def log(msg):
    msg = str(msg)
    d_date = datetime.datetime.now()
    now = str(d_date.strftime("%Y-%m-%d %H:%M:%S"))
    print(now + " " + msg)
    if ("LOG_FILE" in globals()):
        with open(LOG_FILE, "a") as myfile:
            myfile.write(now + " " + msg + "\n")

0

사용 ckeck_output방법subprocess

import subprocess
address = 192.168.x.x
res = subprocess.check_output(['ping', address, '-c', '3'])

마지막으로 문자열을 구문 분석하십시오

for line in res.splitlines():

그것이 도움이되기를 바랍니다.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.