Python pysftp put_r 不适用于 Windows

Python pysftp put_r does not work on Windows

我想使用 pysftp 0.2.8 将多个文件从 Windows 目录上传到 SFTP 服务器。我已经阅读了文档,它建议使用 put_dput_r 但两者都给我以下错误:

OSError: Invalid path:

sftp_local_path = r'C:\Users\Swiss\some\path'

sftp_remote_path = '/FTP/LPS Data/ATC/RAND/20191019_RAND/XML'

with pysftp.Connection("xxx.xxx.xxx.xxx", username=myUsername, password=myPassword) as sftp:
    with sftp.cd(sftp_remote_path):
        sftp.put_r(sftp_local_path, sftp_remote_path)
        for i in sftp.listdir():
            lstatout=str(sftp.lstat(i)).split()[0]
            if 'd' in lstatout: print (i, 'is a directory')

sftp.close()

我希望能够将本地目录中的所有文件或选定文件复制到 SFTP 服务器。

我无法重现您的确切问题,但确实已知 pysftp 的递归函数的实现方式会使它们在 Windows(或任何不使用 *nix 类路径的系统)上失败语法)。

Pysftp 对远程 SFTP 路径使用 os.sepos.path 函数,这是错误的,因为 SFTP 路径总是使用正斜杠。


但您可以轻松实现便携式替换:

import os
def put_r_portable(sftp, localdir, remotedir, preserve_mtime=False):
    for entry in os.listdir(localdir):
        remotepath = remotedir + "/" + entry
        localpath = os.path.join(localdir, entry)
        if not os.path.isfile(localpath):
            try:
                sftp.mkdir(remotepath)
            except OSError:     
                pass
            put_r_portable(sftp, localpath, remotepath, preserve_mtime)
        else:
            sftp.put(localpath, remotepath, preserve_mtime=preserve_mtime)    

像这样使用它:

put_r_portable(sftp, sftp_local_path, sftp_remote_path, preserve_mtime=False) 

请注意,如果您不想使用 pysftp,可以轻松修改以上代码以直接使用 Paramiko。 Paramiko SFTPClient class also has the put 方法。唯一的区别是 Paramiko 的 put 没有 preserve_mtime parameter/functionality(但如果需要,它可以很容易地实现)。


有关 get_r 的类似问题,请参阅: