17

SFTPClientリモートサーバーからファイルをダウンロードするために使用しています。ただし、リモート パスがファイルなのかディレクトリなのかはわかりません。リモート パスがディレクトリの場合、このディレクトリを再帰的に処理する必要があります。

これは私のコードです:

def downLoadFile(sftp, remotePath, localPath):
    for file in sftp.listdir(remotePath):  
        if os.path.isfile(os.path.join(remotePath, file)): # file, just get
            try:
                sftp.get(file, os.path.join(localPath, file))
            except:
                pass
        elif os.path.isdir(os.path.join(remotePath, file)): # dir, need to handle recursive
            os.mkdir(os.path.join(localPath, file))
            downLoadFile(sftp, os.path.join(remotePath, file), os.path.join(localPath, file))

if __name__ == '__main__':
    paramiko.util.log_to_file('demo_sftp.log')
    t = paramiko.Transport((hostname, port))
    t.connect(username=username, password=password)
    sftp = paramiko.SFTPClient.from_transport(t)

問題が見つかりました: 関数os.path.isfileまたはos.path.isdir戻り値False. したがって、これらの関数は remotePath では機能しないようです。

4

4 に答える 4

38

os.path.isfile()ローカルファイル名でos.path.isdir()のみ機能します。

代わりに関数を使用してsftp.listdir_attr()完全なオブジェクトをロードし、モジュールのユーティリティ関数でそれらの属性をSFTPAttributes調べます。st_modestat

import stat

def downLoadFile(sftp, remotePath, localPath):
    for fileattr in sftp.listdir_attr(remotePath):  
        if stat.S_ISDIR(fileattr.st_mode):
            sftp.get(fileattr.filename, os.path.join(localPath, fileattr.filename))
于 2013-08-13T09:50:03.107 に答える
4

モジュールを使用stat

import stat

for file in sftp.listdir(remotePath):  
    if stat.S_ISREG(sftp.stat(os.path.join(remotePath, file)).st_mode): 
        try:
            sftp.get(file, os.path.join(localPath, file))
        except:
            pass
于 2016-05-02T19:52:40.047 に答える
0

多分この解決策?これは適切なものではありませんが、リスティング ディレクトリと組み合わせる必要がある場合に可能なものの 1 つです。

    is_directory = False

    try:
        sftp.listdir(path)
        is_directory = True
    except IOError:
        pass

    return is_directory
于 2021-07-04T09:54:35.657 に答える