我正在使用Paramiko从本地机器连接到SFTP服务器,并从远程路径下载txt文件。我能够成功连接,也可以打印远程路径和文件,但无法在本地获取文件。我可以打印文件路径
和文件名
,但无法下载所有文件。下面是我正在使用的代码:
import paramiko
ssh = paramiko.SSHClient()
ssh.set_missing_host_key_policy(paramiko.AutoAddPolicy())
嘘。连接(主机名=主机名,用户名=用户名,密码=密码,端口=端口)
remotepath = '/home/blahblah'
pattern = '"*.txt"'
stdin,stdout,stderr = ssh.exec_command("find {remotepath} -name {pattern}".format(remotepath=remotepath, pattern=pattern))
ftp = ssh.open_sftp()
for file_path in stdout.readlines():
file_name = file_path.split('/')[-1]
print(file_path)
print(file_name)
ftp.get(file_path, "/home/mylocalpath/{file_name}".format(file_name=file_name))
我可以看到file_path
和file_name
像下面从print
语句,但得到错误,而使用ftp.get多个文件。我可以通过硬编码源和目的地的名称来复制单个文件。
file_path = '/home/blahblah/abc.txt'
file_name = 'abc.txt'
file_path = '/home/blahblah/def.txt'
file_name = 'def.txt'
我看到下载了一个文件,然后出现以下错误:
FileNotFoundErrorTraceback(最近的调用最后)
错误跟踪:
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "...anaconda3/lib/python3.6/site-packages/paramiko/sftp_client.py", line 769, in get
with open(localpath, 'wb') as fl:
FileNotFoundError: [Errno 2] No such file or directory: 'localpath/abc.txt\n'
不从行中删除换行符。正如您在回溯中看到的,您正在尝试创建一个名为abc.txt\n
的文件,这在许多文件系统中是不可能的,而且主要是,这不是您想要的。
从文件路径
修剪尾随的新行:
for file_path in stdout.readlines():
file_path = file_path.rstrip()
file_name = file_path.split('/')[-1]
# ...
虽然如果您使用纯SFTP解决方案,而不是通过执行远程find
命令(这是一个非常脆弱的解决方案,正如@CharlesDuffy在评论中所暗示的那样),您可能会为自己节省很多麻烦。
请参见SFTP服务器上使用Paramiko匹配Python通配符的列表文件。
旁注:不要使用AutoAddPolicy
。这样做会失去安全感。请参阅Paramiko“未知服务器”。