使用paramiko检查远程主机上是否存在路径

时间:2009-05-12 01:25:00

标签: python ssh scp paramiko

Paramiko的SFTPClient显然没有exists方法。这是我目前的实施:

def rexists(sftp, path):
    """os.path.exists for paramiko's SCP object
    """
    try:
        sftp.stat(path)
    except IOError, e:
        if 'No such file' in str(e):
            return False
        raise
    else:
        return True

有更好的方法吗?检查异常消息中的子字符串非常难看,并且可能不可靠。

3 个答案:

答案 0 :(得分:18)

有关定义所有这些错误代码的常量,请参阅errno module。此外,使用异常的errno属性比__init__ args的扩展要清楚一点,所以我会这样做:

except IOError, e: # or "as" if you're using Python 3.0
  if e.errno == errno.ENOENT:
    ...

答案 1 :(得分:7)

没有为SFTP定义“存在”方法(不仅仅是paramiko),所以你的方法很好。

我认为检查errno有点清洁:

def rexists(sftp, path):
    """os.path.exists for paramiko's SCP object
    """
    try:
        sftp.stat(path)
    except IOError, e:
        if e[0] == 2:
            return False
        raise
    else:
        return True

答案 2 :(得分:1)

Paramiko确实筹集了FileNotFoundError

def sftp_exists(sftp, path):
    try:
        sftp.stat(path)
        return True
    except FileNotFoundError:
        return False