Python File Writing

In this tutorial you will learn:

  • File Writing Modes
  • File Writing in Python
  • Deleting a File

File Writing Modes

In Python we have the ‘w,’ ‘a’ and ‘+’ for writing to a file. For appending data to an already written file we use ‘a’

Mode Description
w  For writing or creating a file.
a  For appending to a file.
+  For opening a file for reading or writing.

File Writing in Python

We can write to new and existing files in Python. For writing we need to perform three main tasks one is to open the file, next one is to write the file and the last step is to close the file after writing.

Example

We will use the ‘w’ mode for this example as the file is not created. We will create the file and write the data into it.

  1. f = open("myFile.txt", "w")
  2. f.write("Example of writing to a file")
  3. f.close()

Now in the next example we will append the data to our already created “myFile.txt”. For appending data we need to use the “a” mode.

  1. f = open("myFile.txt", "a")
  2. f.write("Example of appending to a file")
  3. f.close()

Deleting a File

To delete a file we need to import a module called OS which gives us a remove method to delete files.

  1. import os
  2. os.remove(“myFile.txt")

Add new comment