如何使用 Python 检查文件是否存在?
计算机中是否存在某个文件可通过使用 Python 代码两种方式验证。一种方法是使用 os.path 模块的 isfile() 函数。如果指定路径处存在文件,该函数返回 true,否则返回 false。
>>> import os >>> os.path.isfile("d:\Package1\package1\fibo.py") True >>> os.path.isfile("d:/Package1/package1/fibo.py") True >>> os.path.isfile("d:\nonexisting.txt")
请注意,在路径中使用反斜杠时,必须使用两个反斜杠来跳出 Python 字符串。
另一种方法是捕获 open() 函数在字符串参数对应于不存在的文件时引发的 IOError 异常。
try: fo = open("d:\nonexisting.txt","r") #process after opening file pass # fo.close() except IOError: print ("File doesn't exist")
广告