Say I have the list score = [1,2,3,4,5]
and it gets changed while my program is running. How could I save it to a file so that next time the program is run I can access the changed list as a list
type?
I have tried:
JavaScript
x
12
12
1
score=[1,2,3,4,5]
2
3
with open("file.txt", 'w') as f:
4
for s in score:
5
f.write(str(s) + 'n')
6
7
with open("file.txt", 'r') as f:
8
score = [line.rstrip('n') for line in f]
9
10
11
print(score)
12
But this results in the elements in the list being strings not integers.
Advertisement
Answer
I decided I didn’t want to use a pickle because I wanted to be able to open the text file and change its contents easily during testing. Therefore, I did this:
JavaScript
1
6
1
score = [1,2,3,4,5]
2
3
with open("file.txt", "w") as f:
4
for s in score:
5
f.write(str(s) +"n")
6
JavaScript
1
5
1
score = []
2
with open("file.txt", "r") as f:
3
for line in f:
4
score.append(int(line.strip()))
5
So the items in the file are read as integers, despite being stored to the file as strings.