正文python
一般在讀寫文件以前,須要判斷文件或目錄是否存在,否則某些處理方法可能會使程序出錯。因此最好在作任何操做以前,先判斷文件是否存在。ui
這裏將介紹三種判斷文件或文件夾是否存在的方法,分別使用os模塊
、Try語句
、pathlib模塊
。this
os模塊中的os.path.exists()
方法用於檢驗文件是否存在。lua
import os os.path.exists(test_file.txt) #True os.path.exists(no_exist_file.txt) #False
import os os.path.exists(test_dir) #True os.path.exists(no_exist_dir) #False
能夠看出用os.path.exists()
方法,判斷文件和文件夾是同樣。spa
其實這種方法仍是有個問題,假設你想檢查文件「test_data」是否存在,可是當前路徑下有個叫「test_data」的文件夾,這樣就可能出現誤判。爲了不這樣的狀況,能夠這樣:code
import os os.path.isfile("test-data")
經過這個方法,若是文件」test-data」不存在將返回False,反之返回True。htm
便是文件存在,你可能還須要判斷文件是否可進行讀寫操做。對象
使用os.access()
方法判斷文件是否可進行讀寫操做。blog
語法:
os.access(path, mode)
path爲文件路徑,mode爲操做模式,有這麼幾種:
os.F_OK: 檢查文件是否存在;
os.R_OK: 檢查文件是否可讀;
os.W_OK: 檢查文件是否能夠寫入;
os.X_OK: 檢查文件是否能夠執行
該方法經過判斷文件路徑是否存在和各類訪問模式的權限返回True或者False。
import os if os.access("/file/path/foo.txt", os.F_OK): print "Given file path is exist." if os.access("/file/path/foo.txt", os.R_OK): print "File is accessible to read" if os.access("/file/path/foo.txt", os.W_OK): print "File is accessible to write" if os.access("/file/path/foo.txt", os.X_OK): print "File is accessible to execute"
能夠在程序中直接使用open()
方法來檢查文件是否存在和可讀寫。
語法:
open()
若是你open的文件不存在,程序會拋出錯誤,使用try語句來捕獲這個錯誤。
程序沒法訪問文件,可能有不少緣由:
若是你open的文件不存在,將拋出一個FileNotFoundError
的異常;
文件存在,可是沒有權限訪問,會拋出一個PersmissionError
的異常。
因此可使用下面的代碼來判斷文件是否存在:
try: f =open() f.close() except FileNotFoundError: print "File is not found." except PersmissionError: print "You don't have permission to access this file."
其實沒有必要去這麼細緻的處理每一個異常,上面的這兩個異常都是IOError
的子類。因此能夠將程序簡化一下:
try: f =open() f.close() except IOError: print "File is not accessible."
使用try語句進行判斷,處理全部異常很是簡單和優雅的。並且相比其餘不須要引入其餘外部模塊。
pathlib模塊在Python3版本中是內建模塊,可是在Python2中是須要單獨安裝三方模塊。
使用pathlib須要先使用文件路徑來建立path對象。此路徑能夠是文件名或目錄路徑。
path = pathlib.Path("path/file") path.exist()
path = pathlib.Path("path/file") path.is_file()