您好我正在使用python并尝试连接到sftp并希望从那里检索xml文件并需要放在我的本地系统中,下面是代码
import paramiko
sftpURL = 'sftp.somewebsite.com'
sftpUser = 'user_name'
sftpPass = 'password'
ssh = paramiko.SSHClient()
# automatically add keys without requiring human intervention
ssh.set_missing_host_key_policy( paramiko.AutoAddPolicy() )
ssh.connect(sftpURL, username=sftpUser, password=sftpPass)
ftp = ssh.open_sftp()
files = ftp.listdir()
print files
此处连接已成功完成,现在我想查看所有文件夹和所有文件,并且需要输入所需的文件夹以从那里检索xml文件。
最后我的目的是在连接到sftp服务器后查看所有文件夹和文件。
在上面的代码中,我使用ftp.listdir()
通过它获得输出,如下面的
['.bash_logout', '.bash_profile', '.bashrc', '.mozilla', 'testfile_248.xml']
我想知道这些是否是唯一存在的文件?
我上面使用的命令也是查看文件夹的权利吗?
查看所有文件夹和文件的命令是什么
答案 0 :(得分:9)
一个快速的解决方案是检查lstat
中每个对象的ftp.listdir()
的输出。
以下是列出所有目录的方法。
>>> for i in ftp.listdir():
... lstatout=str(ftp.lstat(i)).split()[0]
... if 'd' in lstatout: print i, 'is a directory'
...
文件是相反的搜索:
>>> for i in ftp.listdir():
... lstatout=str(ftp.lstat(i)).split()[0]
... if 'd' not in lstatout: print i, 'is a file'
...
答案 1 :(得分:6)
SFTPClient.listdir
返回所有内容,文件和文件夹。
如果有文件夹,要从文件中告诉它们,请改用SFTPClient.listdir_attr
。它返回SFTPAttributes
的集合。
from stat import S_ISDIR, S_ISREG
for entry in sftp.listdir_attr(remotedir):
mode = entry.st_mode
if S_ISDIR(mode):
print(entry.filename + " is folder")
elif S_ISREG(mode):
print(entry.filename + " is file")
@ Oz123接受的答案无效。 SFTPClient.listdir
内部调用SFTPClient.listdir_attr
,并丢弃大部分信息,仅返回文件名和文件夹名。然后,通过为每个文件调用SFTPClient.lstat
,答案将无用且费力地重新检索所有数据。
另请参阅How to fetch sizes of all SFTP files in a directory through Paramiko。
强制性警告:请勿使用AutoAddPolicy
–这样做会失去对MITM attacks的保护。有关正确的解决方案,请参见Paramiko "Unknown Server"。
答案 2 :(得分:3)
这是我想出的解决方案。基于 https://stackoverflow.com/a/59109706 。我的解决方案给出了一个漂亮的输出。
更新 我已经稍微修改了它以纳入 Martin 的建议。现在,与使用 isdir
和 listdir
# prefix components:
space = ' '
branch = '│ '
# pointers:
tee = '├── '
last = '└── '
def stringpath(path):
# just a helper to get string of PosixPath
return str(path)
from pathlib import Path
from stat import S_ISDIR
def tree_sftp(sftp, path='.', parent='/', prefix=''):
"""
Loop through files to print it out
for file in tree_sftp(sftp):
print(file)
"""
fullpath = Path(parent, path)
strpath = stringpath(fullpath)
dirs = sftp.listdir_attr(strpath)
pointers = [tee] * (len(dirs) - 1) + [last]
pdirs = [Path(fullpath, d.filename) for d in dirs]
sdirs = [stringpath(path) for path in pdirs]
for pointer, sd, d in zip(pointers, sdirs, dirs):
yield prefix + pointer + d.filename
if S_ISDIR(d.st_mode):
extension = branch if pointer == tee else space
yield from tree_sftp(sftp, sd, prefix=prefix + extension)
您可以使用 pysftp
import pysftp
with pysftp.Connection(HOSTNAME, USERNAME, PASSWORD) as sftp:
for file in tree_sftp(sftp):
print(file)
如果对您有用,请告诉我。