How to write to .txt files in Python 3

PythonFileTextFile Io

Python Problem Overview


I have a .txt file in the same folder as this .py file and it has this in it:

cat\n
dog\n
rat\n
cow\n

How can I save a var (var = 'ant') to the next line of the .txt file?

Python Solutions


Solution 1 - Python

Open the file in append mode and write a new line (including a \n line separator):

with open(filename, 'a') as out:
    out.write(var + '\n')

This adds the line at the end of the file after all the other contents.

Solution 2 - Python

Just to be complete on this question:

You can also use the print function.

with open(filename, 'a') as f:
    print(var, file=f)

The print function will automatically end each print with a newline (unless given an alternative ending in the call, for example print(var, file=f, end='') for no newlines).

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionToby SmithView Question on Stackoverflow
Solution 1 - PythonMartijn PietersView Answer on Stackoverflow
Solution 2 - PythonSebastianView Answer on Stackoverflow