最近在工作中总是需要在开发和测试环境频繁部署项目,之前使用的工具是 filezilla 和 XShell,分别用来上传文件和登录远程终端,这两个工具虽然功能强大,但是都需要手动执行操作。
为了减少这些繁琐的工作,于是使用功能强大的 Python 编写了一个一键部署项目的脚本。
paramiko
Paramiko 属于 Python 的一个第三方库,可以远程连接 Linux 服务器,进行通过 Python 进行对 Linux 进行操作,可以实现进行对远程服务器进行下载和上传文件操作。
我们可以使用 pip 命令来安装 Paramiko。
一键部署脚本
| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 
 | import time
 import paramiko
 
 remote_list = [
 {'host': '127.0.0.1', 'username': 'root', 'password': '111111'}
 ]
 
 local_jar_path = 'F:\\IdeaCode\\zero-admin\\'
 remote_jar_path = '/usr/app/zero-admin/'
 
 for remote in remote_list:
 host = remote.get('host')
 username = remote.get('username')
 password = remote.get('password')
 
 print(time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()) + ':' + host  + ' 开始部署项目')
 transport = paramiko.Transport((host, 22))
 transport.connect(username=username, password=password)
 sftp = paramiko.SFTPClient.from_transport(transport)
 
 
 print(time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()) + ':' + host  + ' 正在上传文件')
 sftp.put(local_jar_path + 'zero-web-1.0-SNAPSHOT.jar', remote_jar_path + 'zero-web-1.0-SNAPSHOT.jar')
 
 
 print(time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()) + ':' + host  + ' 开始执行命令')
 ssh = paramiko.SSHClient()
 
 ssh.set_missing_host_key_policy(paramiko.AutoAddPolicy)
 ssh._transport = transport
 stdin, stdout, stderr = ssh.exec_command('sh /usr/app/zero-admin/spring-boot.sh restart')
 result = stdout.read().decode('utf-8')
 print(time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()) + ':' + host + ' 部署成功\n' + result)
 
 ssh.close()
 sftp.close()
 transport.close()
 
 |