There are different ways to verify a file or directory exists, using functions as listed below:
1. os.path.exists()
2. os.path.isfile()
3. os.path.isdir()
4. pathlibPath.exists()
1. os.path.exists()
2. os.path.isfile()
3. os.path.isdir()
4. pathlibPath.exists()
os.path.exists()
Using path.exists you can quickly check that a file or directory exists. Here are the steps
Steps 1) Before you run the code, it is important that you import the os.path module.
import os.path from os import path
Steps 2) Now, use the path.exists() function to check whether a File Exists.
path.exists("guru99.txt")
Steps 3) Here is the complete code
import os.path from os import path def main(): print ("file exist:"+str(path.exists('guru99.txt'))) print ("File exists:" + str(path.exists('career.guru99.txt'))) print ("directory exists:" + str(path.exists('myDirectory'))) if __name__== "__main__": main()
In our case only file guru99.txt is created in the working directory
Output:
File exists: True
File exists: False
directory exists: False
File exists: False
directory exists: False
os.path.isfile()
We can use the isfile command to check whether a given input is a file or directory.
import os.path from os import path def main(): print ("Is it File?" + str(path.isfile('guru99.txt'))) print ("Is it File?" + str(path.isfile('myDirectory'))) if __name__== "__main__": main()
Output:
Is it File? True
Is it File? False
Is it File? False
os.path.isdir()
If we want to confirm that a given path points to a directory, we can use the os.path.dir() function
import os.path from os import path def main(): print ("Is it Directory?" + str(path.isdir('guru99.txt'))) print ("Is it Directory?" + str(path.isdir('myDirectory'))) if __name__== "__main__": main()
Output:
Is it Directory? False
Is it Directory? True
Is it Directory? True
pathlibPath.exists() For Python 3.4
Python 3.4 and above versions have pathlib Module for handling with file system path. It used object-oriented approach to check if file exist or not.
import pathlib file = pathlib.Path("guru99.txt") if file.exists (): print ("File exist") else: print ("File not exist")
Output:
File exist
Complete Code
Here is the complete code
import os from os import path def main(): # Print the name of the OS print(os.name) #Check for item existence and type print("Item exists:" + str(path.exists("guru99.txt"))) print("Item is a file: " + str(path.isfile("guru99.txt"))) print("Item is a directory: " + str(path.isdir("guru99.txt"))) if __name__ == "__main__": main()
Output:
Item exists: True
Item is a file: True
Item is a directory: False
Item is a file: True
Item is a directory: False
Summary:
- Use path.exists to check whether a File Exists
- Use path.isfile and path.isdir to check whether a path is File or Directory respectively
- In Python 3.4 and above versions use pathlib Module to check a file exists.
No comments:
Post a Comment