client = paramiko.SSHClient()
stdin, stdout, stderr = client.exec_command(command)
명령 반환 코드를 얻는 방법이 있습니까?
모든 stdout / stderr를 구문 분석하고 명령이 성공적으로 완료되었는지 여부를 아는 것은 어렵습니다.
답변
SSHClient는 Paramiko의 더 낮은 수준의 기능에 대한 간단한 래퍼 클래스입니다. API 문서는 나열되어 recv_exit_status()
온 방법 Channel
클래스를.
매우 간단한 데모 스크립트 :
import paramiko
import getpass
pw = getpass.getpass()
client = paramiko.SSHClient()
client.set_missing_host_key_policy(paramiko.WarningPolicy())
client.connect('127.0.0.1', password=pw)
while True:
cmd = raw_input("Command to run: ")
if cmd == "":
break
chan = client.get_transport().open_session()
print "running '%s'" % cmd
chan.exec_command(cmd)
print "exit status: %s" % chan.recv_exit_status()
client.close()
실행 예 :
$ python sshtest.py
Password:
Command to run: true
running 'true'
exit status: 0
Command to run: false
running 'false'
exit status: 1
Command to run:
$
답변
“낮은 수준”채널 클래스를 직접 호출하지 않는 훨씬 더 쉬운 예입니다 (예 : 명령을 사용 하지 않음client.get_transport().open_session()
).
import paramiko
client = paramiko.SSHClient()
client.set_missing_host_key_policy(paramiko.AutoAddPolicy())
client.connect('blahblah.com')
stdin, stdout, stderr = client.exec_command("uptime")
print stdout.channel.recv_exit_status() # status is 0
stdin, stdout, stderr = client.exec_command("oauwhduawhd")
print stdout.channel.recv_exit_status() # status is 127
답변
JanC 덕분에 예제에 대한 수정 사항을 추가하고 Python3에서 테스트했습니다. 정말 유용했습니다.
import paramiko
import getpass
pw = getpass.getpass()
client = paramiko.SSHClient()
client.set_missing_host_key_policy(paramiko.WarningPolicy())
#client.set_missing_host_key_policy(paramiko.AutoAddPolicy())
def start():
try :
client.connect('127.0.0.1', port=22, username='ubuntu', password=pw)
return True
except Exception as e:
#client.close()
print(e)
return False
while start():
key = True
cmd = input("Command to run: ")
if cmd == "":
break
chan = client.get_transport().open_session()
print("running '%s'" % cmd)
chan.exec_command(cmd)
while key:
if chan.recv_ready():
print("recv:\n%s" % chan.recv(4096).decode('ascii'))
if chan.recv_stderr_ready():
print("error:\n%s" % chan.recv_stderr(4096).decode('ascii'))
if chan.exit_status_ready():
print("exit status: %s" % chan.recv_exit_status())
key = False
client.close()
client.close()
답변
제 경우에는 출력 버퍼링이 문제였습니다. 버퍼링으로 인해 애플리케이션의 출력이 비 차단 방식으로 나오지 않습니다. 여기에서 버퍼링없이 출력을 인쇄하는 방법에 대한 답을 찾을 수 있습니다 . 출력 버퍼링 비활성화 . 간단히 말해서 다음과 같이 -u 옵션을 사용하여 python을 실행하십시오.
> python -u script.py