Writing a list to a file with Python Writing a list to a file with Python python python

Writing a list to a file with Python


You can use a loop:

with open('your_file.txt', 'w') as f:    for item in my_list:        f.write("%s\n" % item)

In Python 2, you can also use

with open('your_file.txt', 'w') as f:    for item in my_list:        print >> f, item

If you're keen on a single function call, at least remove the square brackets [], so that the strings to be printed get made one at a time (a genexp rather than a listcomp) -- no reason to take up all the memory required to materialize the whole list of strings.


What are you going to do with the file? Does this file exist for humans, or other programs with clear interoperability requirements?

If you are just trying to serialize a list to disk for later use by the same python app, you should be pickleing the list.

import picklewith open('outfile', 'wb') as fp:    pickle.dump(itemlist, fp)

To read it back:

with open ('outfile', 'rb') as fp:    itemlist = pickle.load(fp)


The simpler way is:

with open("outfile", "w") as outfile:    outfile.write("\n".join(itemlist))

You could ensure that all items in item list are strings using a generator expression:

with open("outfile", "w") as outfile:    outfile.write("\n".join(str(item) for item in itemlist))

Remember that all itemlist list need to be in memory, so, take care about the memory consumption.