• 5.12 测试文件是否存在
    • 问题
    • 解决方案
    • 讨论

    5.12 测试文件是否存在

    问题

    你想测试一个文件或目录是否存在。

    解决方案

    使用 os.path 模块来测试一个文件或目录是否存在。比如:

    1. >>> import os
    2. >>> os.path.exists('/etc/passwd')
    3. True
    4. >>> os.path.exists('/tmp/spam')
    5. False
    6. >>>

    你还能进一步测试这个文件时什么类型的。在下面这些测试中,如果测试的文件不存在的时候,结果都会返回False:

    1. >>> # Is a regular file
    2. >>> os.path.isfile('/etc/passwd')
    3. True
    4.  
    5. >>> # Is a directory
    6. >>> os.path.isdir('/etc/passwd')
    7. False
    8.  
    9. >>> # Is a symbolic link
    10. >>> os.path.islink('/usr/local/bin/python3')
    11. True
    12.  
    13. >>> # Get the file linked to
    14. >>> os.path.realpath('/usr/local/bin/python3')
    15. '/usr/local/bin/python3.3'
    16. >>>

    如果你还想获取元数据(比如文件大小或者是修改日期),也可以使用 os.path 模块来解决:

    1. >>> os.path.getsize('/etc/passwd')
    2. 3669
    3. >>> os.path.getmtime('/etc/passwd')
    4. 1272478234.0
    5. >>> import time
    6. >>> time.ctime(os.path.getmtime('/etc/passwd'))
    7. 'Wed Apr 28 13:10:34 2010'
    8. >>>

    讨论

    使用 os.path 来进行文件测试是很简单的。在写这些脚本时,可能唯一需要注意的就是你需要考虑文件权限的问题,特别是在获取元数据时候。比如:

    1. >>> os.path.getsize('/Users/guido/Desktop/foo.txt')
    2. Traceback (most recent call last):
    3. File "<stdin>", line 1, in <module>
    4. File "/usr/local/lib/python3.3/genericpath.py", line 49, in getsize
    5. return os.stat(filename).st_size
    6. PermissionError: [Errno 13] Permission denied: '/Users/guido/Desktop/foo.txt'
    7. >>>

    原文:

    http://python3-cookbook.readthedocs.io/zh_CN/latest/c05/p12_test_for_the_existence_of_file.html