Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Writing a set to an output file in python

I usually use json for lists, but it doesn't work for sets. Is there a similar function to write a set into an output file,f? Something like this, but for sets:

f=open('kos.txt','w')
json.dump(list, f)
f.close()
like image 555
PolkaDot Avatar asked Sep 10 '17 19:09

PolkaDot


People also ask

How do you write data to an output file in Python?

Steps for writing to text files To write to a text file in Python, you follow these steps: First, open the text file for write (or append) using the open() function. Second, write to the text file using the write() or writelines() method. Third, close the file using the close() method.


2 Answers

json is not a python-specific format. It knows about lists and dictionaries, but not sets or tuples.

But if you want to persist a pure python dataset you could use string conversion.

with open('kos.txt','w') as f:
   f.write(str({1,3,(3,5)}))  # set of numbers & a tuple

then read it back again using ast.literal_eval

import ast
with open('kos.txt','r') as f:
   my_set = ast.literal_eval(f.read())

this also works for lists of sets, nested lists with sets inside... as long as the data can be evaluated literally and no sets are empty (a known limitation of literal_eval). So basically serializing (almost) any python basic object structure with str can be parsed back with it.

For the empty set case there's a kludge to apply since set() cannot be parsed back.

import ast
with open('kos.txt','r') as f:
   ser = f.read()
my_set = set() if ser == str(set()) else ast.literal_eval(ser)

You could also have used the pickle module, but it creates binary data, so more "opaque", and there's also a way to use json: How to JSON serialize sets?. But for your needs, I would stick to str/ast.literal_eval

like image 163
Jean-François Fabre Avatar answered Oct 07 '22 12:10

Jean-François Fabre


Using ast.literal_eval(f.read()) will give error ValueError: malformed node or string, if we write empty set in file. I think, pickle would be better to use.

If set is empty, this will give no error.

import pickle

s = set()

##To save in file
with open('kos.txt','wb') as f:
   pickle.dump(s, f)

##To read it again from file
with open('kos.txt','rb') as f:
   my_set = pickle.load(f)
like image 21
piyush-balwani Avatar answered Oct 07 '22 13:10

piyush-balwani