>  기사  >  백엔드 개발  >  paramiko를 사용하여 원격 서버에 연결하고 명령을 실행하는 Python용 샘플 코드

paramiko를 사용하여 원격 서버에 연결하고 명령을 실행하는 Python용 샘플 코드

黄舟
黄舟원래의
2017-10-16 11:02:412052검색

다음 편집기에서는 Python을 사용하여 원격 서버에 연결하고 paramiko를 사용하여 명령을 실행하는 방법에 대한 기사를 제공합니다. 편집자님이 꽤 좋다고 생각하셔서 지금 공유하고 모두에게 참고용으로 드리고자 합니다. 편집기를 따라가며 살펴보겠습니다. Python의 paramiko 모듈은 원격 서버에 대한 SSH 연결을 구현하는 데 사용되는 라이브러리입니다. 연결 시 명령을 실행하거나 파일을 업로드하는 데 사용할 수 있습니다.

1. 연결 개체 가져오기 연결할 때 다음 코드를 사용할 수 있습니다.

def connect(host):
  'this is use the paramiko connect the host,return conn'
  ssh = paramiko.SSHClient()
  ssh.set_missing_host_key_policy(paramiko.AutoAddPolicy())
  try:
#    ssh.connect(host,username='root',allow_agent=True,look_for_keys=True)
    ssh.connect(host,username='root',password='root',allow_agent=True)
    return ssh
  except:
    return None

연결 함수에서 매개변수는 호스트의 IP 주소 또는 호스트 이름입니다. 이 방법을 사용하면 서버 연결에 성공하면 sshclient 개체가 반환됩니다.

첫 번째 단계는 SSHClient 개체를 생성한 다음, Know_host 파일에 없는 컴퓨터에 대한 연결을 허용하도록 SSH 클라이언트를 설정한 다음 서버에 연결을 시도하는 것입니다. 서버에 연결할 때 두 가지 방법을 사용할 수 있습니다. : 한 가지 방법은 비밀을 사용하는 것입니다. 키 방법, 즉 매개변수 look_for_keys는 여기서 검색할 비밀번호를 설정하는 데 사용되거나 비밀번호 방법을 직접 사용할 수 있습니다. 즉 매개변수 비밀번호를 직접 사용하여 최종적으로 연결된 객체를 반환합니다.

2. set 명령 가져오기 paramiko 연결을 만든 후 다음 코드와 같이 실행해야 하는 명령을 가져와야 합니다.

def command(args,outpath):
  'this is get the command the args to return the command'
  cmd = '%s %s' % (outpath,args)
  return cmd

매개변수 중 하나는 다음과 같습니다. args이고 다른 하나는 outpath 입니다. args는 명령의 매개변수를 나타내고 outpath는 /usr/bin/ls -l과 같은 실행 파일의 경로를 나타냅니다. 그 중 outpath는 /usr/bin/ls이고, 매개변수는 -l

입니다. 이 방법은 주로 명령을 결합하고, 명령의 일부로 별도의 매개변수를 조합하는 데 사용됩니다.

3. 명령 실행 연결 후 직접 명령을 실행할 수 있으며 다음 함수가 있습니다.

def exec_commands(conn,cmd):
  'this is use the conn to excute the cmd and return the results of excute the command'
  stdin,stdout,stderr = conn.exec_command(cmd)
  results=stdout.read()
  return results

이 함수에서 전달된 매개 변수는 연결 개체 conn입니다. 실행해야 하는 명령 cmd를 실행하고 마지막으로 실행 결과인 stdout.read()를 가져와서 마지막으로 결과를 반환합니다.

4. 파일 업로드 연결 개체를 사용할 때 직접 수행할 수도 있습니다. 관련 파일 업로드, 다음 함수:

def copy_moddule(conn,inpath,outpath):
  'this is copy the module to the remote server'
  ftp = conn.open_sftp()
  ftp.put(inpath,outpath)
  ftp.close()
  return outpath

이 함수의 주요 매개 변수는 하나는 연결 개체 conn이고 다른 하나는 업로드된 파일의 이름이며 업로드 후 파일의 이름입니다. 완료 파일 이름에는 경로가 포함됩니다.

주요 방법은 sftp 개체를 연 다음 put 메서드를 사용하여 파일을 업로드하고 마지막으로 sftp 연결을 닫은 다음 마지막으로 업로드된 파일 이름의 전체 경로를 반환하는 것입니다

5. the result마지막으로, 명령을 실행하고 반환된 결과를 얻으세요. 다음 코드는

def excutor(host,outpath,args):
  conn = connect(host)
  if not conn:
    return [host,None]
  exec_commands(conn,'chmod +x %s' % outpath)
  cmd =command(args,outpath)
  result = exec_commands(conn,cmd)
  print '%r' % result
  result = json.loads(result)
  return [host,result]

먼저 서버에 연결하고 연결에 실패하면 반환합니다. 연결에 성공하지 못했다면 파일의 실행 권한을 수정하여 파일을 실행할 수 있도록 한 다음 실행된 명령을 얻습니다. 실행하면 결과가 얻어지고 결과가 json 형식으로 반환되므로 결과를 아름다운 json 형식으로 얻을 수 있으며 최종적으로 호스트 이름과 함께 반환됩니다.

6.

테스트 코드는 다음과 같습니다.

if __name__ == '__main__':
  print json.dumps(excutor('192.168.1.165','ls',' -l'),indent=4,sort_keys=True)
  print copy_module(connect('192.168.1.165'),'kel.txt','/root/kel.1.txt')
  exec_commands(connect('192.168.1.165'),'chmod +x %s' % '/root/kel.1.txt')

첫 번째 단계에서는 명령 실행을 테스트하고, 두 번째 단계에서는 업로드된 파일을 테스트하고, 세 번째 단계에서는 업로드된 파일을 수정할 수 있는 권한을 테스트합니다.

전체 코드는 다음과 같습니다.


#!/usr/bin/env python
import json
import paramiko

def connect(host):
  'this is use the paramiko connect the host,return conn'
  ssh = paramiko.SSHClient()
  ssh.set_missing_host_key_policy(paramiko.AutoAddPolicy())
  try:
#    ssh.connect(host,username='root',allow_agent=True,look_for_keys=True)
    ssh.connect(host,username='root',password='root',allow_agent=True)
    return ssh
  except:
    return None

def command(args,outpath):
  'this is get the command the args to return the command'
  cmd = '%s %s' % (outpath,args)
  return cmd

def exec_commands(conn,cmd):
  'this is use the conn to excute the cmd and return the results of excute the command'
  stdin,stdout,stderr = conn.exec_command(cmd)
  results=stdout.read()
  return results

def excutor(host,outpath,args):
  conn = connect(host)
  if not conn:
    return [host,None]
  #exec_commands(conn,'chmod +x %s' % outpath)
  cmd =command(args,outpath)
  result = exec_commands(conn,cmd)
  result = json.dumps(result)
  return [host,result]

def copy_module(conn,inpath,outpath):
    'this is copy the module to the remote server'
    ftp = conn.open_sftp()
    ftp.put(inpath,outpath)
    ftp.close()
    return outpath


if __name__ == '__main__':
    print json.dumps(excutor('192.168.1.165','ls',' -l'),indent=4,sort_keys=True)
    print copy_module(connect('192.168.1.165'),'kel.txt','/root/kel.1.txt')
    exec_commands(connect('192.168.1.165'),'chmod +x %s' % '/root/kel.1.txt')

주로 Python에서 paramiko 모듈을 사용하여 ssh를 통해 Linux 서버에 접속한 후 해당 명령어를 실행하고 파일을 서버에 업로드합니다.

위 내용은 paramiko를 사용하여 원격 서버에 연결하고 명령을 실행하는 Python용 샘플 코드의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.