如何在python中的变量或列表中存储os.system()输出

时间:2013-10-09 09:09:06

标签: python python-2.7 ssh

我试图通过使用以下命令在远程服务器上执行ssh来获取命令的输出。

os.system('ssh user@host " ksh .profile; cd dir; find . -type f |wc -l"')

此命令的输出为14549 0

为什么输出中有零? 有没有办法将输出存储在变量或列表中?我已经尝试将输出分配给变量和列表,但我在变量中只得到0。我使用的是python 2.7.3。

4 个答案:

答案 0 :(得分:10)

这个上有很多好的SO链接。首先尝试Running shell command from Python and capturing the outputAssign output of os.system to a variable and prevent it from being displayed on the screen。简而言之

import subprocess
direct_output = subprocess.check_output('ls', shell=True) #could be anything here.

应谨慎使用shell = True标志:

来自文档: 警告

如果与不受信任的输入结合使用,则调用带有shell = True的系统shell可能会带来安全隐患。有关详细信息,请参阅“常用参数”下的警告。

有关详细信息,请参阅:http://docs.python.org/2/library/subprocess.html

答案 1 :(得分:3)

您可以使用os.popen().read()

import os
out = os.popen('date').read()

print out
Tue Oct  3 10:48:10 PDT 2017

答案 2 :(得分:1)

添加Paul的答案(使用subprocess.check_output):

我稍微重写了它,使用可能引发错误的命令更容易工作(例如,在非git目录中调用“git status”会抛出返回码128和CalledProcessError)

这是我的Python 2.7示例:

import subprocess

class MyProcessHandler( object ):
    # *********** constructor
    def __init__( self ):
        # return code saving
        self.retcode = 0

    # ************ modified copy of subprocess.check_output()

    def check_output2( self, *popenargs, **kwargs ):
        # open process and get returns, remember return code
        pipe = subprocess.PIPE
        process = subprocess.Popen( stdout = pipe, stderr = pipe, *popenargs, **kwargs )
        output, unused_err = process.communicate( )
        retcode = process.poll( )
        self.retcode = retcode

        # return standard output or error output
        if retcode == 0:
            return output
        else:
            return unused_err

# call it like this
my_call = "git status"
mph = MyProcessHandler( )
out = mph.check_output2( my_call )
print "process returned code", mph.retcode
print "output:"
print out

答案 3 :(得分:0)

如果你在交互式shell中调用os.system(),os.system()会打印命令的标准输出('14549',wc -l输出),然后解释器打印出结果函数调用本身(0,命令可能不可靠的退出代码)。使用更简单命令的示例:

Python 3.3.2 (v3.3.2:d047928ae3f6, May 16 2013, 00:06:53) [MSC v.1600 64 bit (AMD64)] on win32
Type "help", "copyright", "credits" or "license" for more information.
>>> import os
>>> os.system("echo X")
X
0
>>>