Skip to content
Related Articles
Get the best out of our app
GFG App
Open App
geeksforgeeks
Browser
Continue

Related Articles

Python open() Function

Improve Article
Save Article
Like Article
Improve Article
Save Article
Like Article

The python open() function is used to open() internally stored files. It returns the contents of the file as python objects.

Syntax: open(file_name, mode) 

Parameters:

file_name: This parameter as the name suggests, is the name of the file that we want to open.

mode: This parameter is a string that is used to specify the mode in which the file is to be opened. The following strings can be used to activate a specific mode:

  • “r”: This string is used to read(only) the file. It is passed as default if no parameter is supplied and returns an error if no such file exists.
  • “w”: This string is used for writing on/over the file. If the file with the supplied name doesn’t exist, it creates one for you.
  • “a”: This string is used to add(append) content to an existing file. If no such file exists, it creates one for you.
  • “x”: This string is used to create a specific file.
  • “b”: This string is used when the user wants to handle the file in binary mode. This is generally used to handle image files.
  • “t”: This string is used to handle files in text mode. By default, the open() function uses the text mode.

Example 1: Creating a text file

The following code can be used to create a file. Here we will be creating a text file named”geeksforgeeks.txt”.

Python3




created_file = open("geeksforgeeks.txt","x")
  
# Check the file
print(open("geeksforgeeks.txt","r").read() == False)


Output:

True

Example 2: Reading and Writing the file

Here we will write the following string to the geeksforgeeks.txt file that we just created and read the same file again.

Geeksforgeeks is best for DSA

The below code can be used for the same:

Python3




my_file = open("geeksforgeeks.txt", "w")
my_file.write("Geeksforgeeks is best for DSA")
my_file.close()
  
#let's read the contents of the file now
my_file = open("geeksforgeeks.txt","r")
print(my_file.read())


Output:

Geeksforgeeks is best for DSA

Example 3: Appending content to the file

Here we will append the following text to the geeksforgeeks.txt file and again read the same:

Python3




my_file = open("geeksforgeeks.txt","a")
my_file.write("..>>Visit geeksforgeeks.org for more!!<<..")
my_file.close()
  
# reading the file
my_file = open("geeksforgeeks.txt","r")
print(my_file.read())


Output:

Geeksforgeeks is best for DSA..>>Visit geeksforgeeks.org for more!!<<..

Note: The difference between “w” and “r” is that one overrides over the existing content whereas the latter adds content to the existing file keeping the content intact.


My Personal Notes arrow_drop_up
Last Updated : 13 Sep, 2021
Like Article
Save Article
Similar Reads
Related Tutorials