web-dev-qa-db-fra.com

Comment faire pour que la session ssh ne soit pas expirée avec paramiko?

J'ai l'intention d'exécuter plusieurs commandes sur l'hôte distant à l'aide de paramiko, mais la session ssh s'est fermée après l'exécution d'une commande.
Le code ci-dessous:

from paramiko import SSHClient  
import paramiko  
ssh = SSHClient()
ssh.load_system_Host_keys()
ssh.set_missing_Host_key_policy(paramiko.AutoAddPolicy())
ssh.connect(Host, 22, user, passwd, timeout=3)
stdin, stdout, stderr = ssh.exec_command('uname -a')

Alors, y a-t-il un moyen d'empêcher la fermeture de la session SSH? Ou des alternatives pour paramiko?

Mise à jour :
J'ai pu garder l'appel exec_command sur mon Macbook lorsque je suis connecté à un serveur Linux, mais la session ssh s'est automatiquement fermée après exec_command une fois sur un serveur Linux lorsqu'elle est connectée à un switch
SSHException: paramiko.ssh_exception.SSHException: SSH session not active

>>> print ssh.get_transport()  
>>> <paramiko.Transport at 0xf00216d0L (unconnected)>  
>>> print ssh.get_transport().is_active()  
>>> False  
>>> print ssh.get_transport().is_authenticated()  
>>> False

Existe-t-il un moyen de garder la session paramiko ssh active tout le temps?

Les informations du mode débogage de paramiko sont retournées comme suit:

thread de démarrage (mode client): 0x2657e10L
Connecté (version 1.99, client Comware-5.20)
kex algos: [udiffie-hellman-groupe-échange-sha1 ', u'diffie-hellman-groupe14-sha1', u'diffie-hellman-groupe1-sha1 '] clé de serveur: [u' ssh-rsa '] client chiffrer: [u'aes128-cbc', u'3des-cbc ', u'des-cbc'] serveur chiffrer: [u'aes128-cbc ', u'3des-cbc', u ' des-cbc '] client mac: [u'hmac-sha1', u'hmac-sha1-96 ', u'hmac-md5', u'hmac-md5-96 '] serveur mac: [u'hmac-sha1 ', u'hmac-sha1-96', u'hmac-md5 ', u'hmac-md5-96'] compresser le client: [u'none '] compresser le serveur: [u'none'] client lang: [u ''] serveur lang: [u ''] kex suit? False
Chiffres acceptés: local = aes128-cbc, distant = aes128-cbc
utilisant kex diffie-hellman-group14-sha1; type de clé de serveur ssh-rsa; chiffre: aes128-cbc local, aes128-cbc distant; mac: hmac-sha1 local, hmac-sha1 distant; compression: aucune locale, aucune distante
Basculer vers les nouvelles clés ...
userauth est OK
Authentification (mot de passe) réussie!
[chan 0] Paquet maximum en: 32768 octets
[chan 1] Paquet maximum en: 32768 octets
[chan 0] Nombre maximum de paquets sortants: 32496 octets
Secsh channel 0 ouvert.
Secsh channel 2 open FAILED:
Pénurie de ressources: pénurie de ressources
[chan 0] Demande du canal 0 de Sesch ok
[chan 0] EOF envoyé (0)

9
J.Wang

Vous pouvez implémenter un shell interactif à l'aide de paramiko, afin que le canal ne soit pas fermé après l'exécution d'une commande sur le shell distant.

import paramiko
import re


class ShellHandler:

    def __init__(self, Host, user, psw):
        self.ssh = paramiko.SSHClient()
        self.ssh.set_missing_Host_key_policy(paramiko.AutoAddPolicy())
        self.ssh.connect(Host, username=user, password=psw, port=22)

        channel = self.ssh.invoke_Shell()
        self.stdin = channel.makefile('wb')
        self.stdout = channel.makefile('r')

    def __del__(self):
        self.ssh.close()

    @staticmethod
    def _print_exec_out(cmd, out_buf, err_buf, exit_status):
        print('command executed: {}'.format(cmd))
        print('STDOUT:')
        for line in out_buf:
            print(line, end="")
        print('end of STDOUT')
        print('STDERR:')
        for line in err_buf:
            print(line, end="")
        print('end of STDERR')
        print('finished with exit status: {}'.format(exit_status))
        print('------------------------------------')
        pass

    def execute(self, cmd):
        """

        :param cmd: the command to be executed on the remote computer
        :examples:  execute('ls')
                    execute('finger')
                    execute('cd folder_name')
        """
        cmd = cmd.strip('\n')
        self.stdin.write(cmd + '\n')
        finish = 'end of stdOUT buffer. finished with exit status'
        echo_cmd = 'echo {} $?'.format(finish)
        self.stdin.write(echo_cmd + '\n')
        shin = self.stdin
        self.stdin.flush()

        shout = []
        sherr = []
        exit_status = 0
        for line in self.stdout:
            if str(line).startswith(cmd) or str(line).startswith(echo_cmd):
                # up for now filled with Shell junk from stdin
                shout = []
            Elif str(line).startswith(finish):
                # our finish command ends with the exit status
                exit_status = int(str(line).rsplit(maxsplit=1)[1])
                if exit_status:
                    # stderr is combined with stdout.
                    # thus, swap sherr with shout in a case of failure.
                    sherr = shout
                    shout = []
                break
            else:
                # get rid of 'coloring and formatting' special characters
                shout.append(re.compile(r'(\x9B|\x1B\[)[0-?]*[ -/]*[@-~]').sub('', line).
                             replace('\b', '').replace('\r', ''))

        # first and last lines of shout/sherr contain a Prompt
        if shout and echo_cmd in shout[-1]:
            shout.pop()
        if shout and cmd in shout[0]:
            shout.pop(0)
        if sherr and echo_cmd in sherr[-1]:
            sherr.pop()
        if sherr and cmd in sherr[0]:
            sherr.pop(0)

        self._print_exec_out(cmd=cmd, out_buf=shout, err_buf=sherr, exit_status=exit_status)
        return shin, shout, sherr
3
misha

Je vois que vous utilisez le paramètre timeout dans votre appel de connexion:

ssh.connect(Host, 22, user, passwd, timeout=3)

De la documentation:

timeout (float) - délai facultatif (en secondes) pour la connexion TCP

Dans l'un de mes scripts, je fais simplement:

ssh = paramiko.SSHClient()
ssh.connect(Host, username=settings.user)

qui garde la connexion ouverte jusqu'à ce que j'appelle 

ssh.close()
2
LarsVegas