请检查以下代码(我认为这是不言自明的)。
代码:
import sys
import paramiko
def execute_command_on_remote_machine(ip_addr, command):
try:
client = paramiko.SSHClient()
client.set_missing_host_key_policy(paramiko.AutoAddPolicy())
client.connect(str(ip_addr), username='root', password='****')
chan = client.get_transport().open_session()
#chan.get_pty()
stdin, stderr, stdout = [], [], []
stdin, stdout, stderr = client.exec_command(command, get_pty=True)
err_list = [line for line in stderr.read().splitlines()]
out_list = [line for line in stdout.read().splitlines()]
client.close()
return out_list, err_list
except Exception, e:
print str(e)
sys.exit(1)
output, error = execute_command_on_remote_machine("*.*.*.*", "dinesh")
print "Output is - ",output
print "Error is - ",error
输出:
D:\dsp_jetbrains\AWS_Persistence>python chk.py
Output is - ['bash: dinesh: command not found']
Error is - []
问题:
作为输入,我传递了不正确的命令,并且我预计将在打印“
dinesh:command not found
”时显示“ Error is”。但是,它带有“输出是”。题:
exec_command
中paramiko
的输出和错误如何工作?附加测试用例:
我也尝试使用存在的命令,但将错误的输入传递给该命令。示例-
lsof -f dinesh
但是结果是一样的。
D:\dsp_jetbrains\AWS_Persistence>python chk.py
Output is - ['lsof: unknown file struct option: d', 'lsof: unknown file struct
option: i', 'lsof: unknown file struct option: n', 'lsof: unknown file struct op
tion: e', 'lsof: unknown file struct option: s', 'lsof: unknown file struct opti
on: h', 'lsof 4.87', ' latest revision: ftp://lsof.itap.purdue.edu/pub/tools/uni
x/lsof/', ' latest FAQ: ftp://lsof.itap.purdue.edu/pub/tools/unix/lsof/FAQ', ' l
atest man page: ftp://lsof.itap.purdue.edu/pub/tools/unix/lsof/lsof_man', ' usag
e: [-?abhKlnNoOPRtUvVX] [+|-c c] [+|-d s] [+D D] [+|-f[gG]] [+|-e s]', ' [-F [f]
] [-g [s]] [-i [i]] [+|-L [l]] [+m [m]] [+|-M] [-o [o]] [-p s]', '[+|-r [t]] [-s
[p:s]] [-S [t]] [-T [t]] [-u s] [+|-w] [-x [fl]] [-Z [Z]] [--] [names]', "Use t
he ``-h'' option to get more help information."]
Error is - []
最佳答案
除非您知道需要,否则可能不应该使用get_pty
。考虑删除:
chan.get_pty()
并更改:
stdin, stdout, stderr = client.exec_command(command, get_pty=True)
至:
stdin, stdout, stderr = client.exec_command(command)
从DOCS:
从服务器请求伪终端。通常在创建客户通道之后立即使用此命令,以要求服务器为使用invoke_shell调用的shell提供一些基本的终端语义。如果要使用exec_command执行单个命令,则不必(或不希望)调用此方法。
如果希望ssh连接看起来像已连接用户,则使用pseudo-terminal。需要这种情况并不常见。一个人为的例子是,如果您想通过发送和接收ansi-terminal序列在远端执行VIM。
如果不使用
get_pty
,则远程执行的命令将仅连接stdin / stdout / stderr三重奏,就像它处于流水线一样。get_pty
的稀有性可能是为什么它不是默认值的原因。关于python - 如何使用Paramiko从在远程计算机上执行的命令获取stderr返回?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41537415/