Python: How to get stdout after running os.system? [duplicate] Python: How to get stdout after running os.system? [duplicate] python python

Python: How to get stdout after running os.system? [duplicate]


If all you need is the stdout output, then take a look at subprocess.check_output():

import subprocessbatcmd="dir"result = subprocess.check_output(batcmd, shell=True)

Because you were using os.system(), you'd have to set shell=True to get the same behaviour. You do want to heed the security concerns about passing untrusted arguments to your shell.

If you need to capture stderr as well, simply add stderr=subprocess.STDOUT to the call:

result = subprocess.check_output([batcmd], stderr=subprocess.STDOUT)

to redirect the error output to the default output stream.

If you know that the output is text, add text=True to decode the returned bytes value with the platform default encoding; use encoding="..." instead if that codec is not correct for the data you receive.


These answers didn't work for me. I had to use the following:

import subprocessp = subprocess.Popen(["pwd"], stdout=subprocess.PIPE)out = p.stdout.read()print out

Or as a function (using shell=True was required for me on Python 2.6.7 and check_output was not added until 2.7, making it unusable here):

def system_call(command):    p = subprocess.Popen([command], stdout=subprocess.PIPE, shell=True)    return p.stdout.read()


import subprocessstring="echo Hello world"result=subprocess.getoutput(string)print("result::: ",result)