1

基本上我有一个用 Python 2.6 编写的 FileExplorer 类。效果很好,我可以浏览驱动器、文件夹等。但是,当我到达特定文件夹'C:\Documents and Settings /.*'*,我的脚本所基于的 os.listdir 时,会引发此错误:

WindowsError:[错误 5] 访问被拒绝:'C:\Documents and Settings/ '

这是为什么?是因为这个文件夹是只读的吗?或者它是 Windows 正在保护的东西,我的脚本无法访问?!

这是有问题的代码(第 3 行):

def listChildDirs(self):
    list = []
    for item in os.listdir(self.path):
        if item!=None and\
            os.path.isdir(os.path.join(self.path, item)):
            print item
            list.append(item)
        #endif
    #endfor
    return list
4

2 回答 2

3

在 Vista 和更高版本中,C:\Documents and Settings 是一个联结,而不是一个真正的目录。

你甚至不能dir在其中做一个直线。

C:\Windows\System32>dir "c:\Documents and Settings"
 Volume in drive C is OS
 Volume Serial Number is 762E-5F95

 Directory of c:\Documents and Settings

File Not Found

可悲的是,使用os.path.isdir(),它会返回True

>>> import os
>>> os.path.isdir(r'C:\Documents and Settings')
True

您可以查看这些在 Windows 中处理符号链接的答案。

于 2013-02-05T15:37:47.033 回答
0

这可能是目录访问的权限设置,甚至目录不存在。您可以以管理员身份运行脚本(即访问所有内容)或尝试以下操作:

def listChildDirs(self):
    list = []
    if not os.path.isdir(self.path):
        print "%s is not a real directory!" % self.path
        return list
    try:
        for item in os.listdir(self.path):
            if item!=None and\
                os.path.isdir(os.path.join(self.path, item)):
                print item
                list.append(item)
            #endif
        #endfor
    except WindowsError:
        print "Oops - we're not allowed to list %s" % self.path
    return list

顺便说一句,你听说过os.walk吗?看起来这可能是您要实现的目标的捷径。

于 2013-02-05T15:26:26.423 回答