I have a multiple line of text like:
JavaScript
x
5
1
fischer morphy 1 - 0
2
carlsen alekhine 0 - 1-
3
kasparov capablanca 1/2 - 1/2
4
5
and I need a way to read the txt file, and turn it into a dictionary like this
JavaScript
1
11
11
1
# match result dictionary
2
match_result = [ # dict name
3
{
4
"match": "1", # match
5
"wht_ply": "fischer", # white player name
6
"blck_ply": "morphy", # black player name
7
"wht_scr":"1", # white player score
8
"dash":"-", # unused dash
9
"blck_scr":"0" # black player score
10
},
11
so i can use
JavaScript
1
4
1
for item in match_result:
2
if item["wht_scr"] and item["blck_scr"] == "1/2":
3
print("match",item["match"],"game between white player",item["wht_ply"],"and black player",item["blck_ply"],"ended up in draw")
4
and get the result of match that ended in draw
is there a way to achieve this?
Advertisement
Answer
I would suggest to use a .json
file, this way:
JavaScript
1
5
1
{
2
'1': ['Fischer', 'Morphy', 1, 0],
3
'2': ['Carlsen', 'Alekhine', 0, 1] # Did this match has never been disputed in reality, right?
4
}
5
The parsing would be done this way:
JavaScript
1
6
1
import json
2
with open('file.json', 'r+') as file:
3
matches = json.load(file)
4
for i in matches.keys():
5
print(f"Match {i}: {matches[i][0]} {matches[i][2]} - {matches[i][1]} {matches[i][3]}")
6
It is possible to parse a .txt
file too, even if it’s a bad practice to store datas this way. When I suggested to store a dictionary in a .txt
file in a way similar to yours, one expert told me:
Unless you want to reinvent the wheel, you should use a
.json
file
You can anyway split
the lines this way:
JavaScript
1
12
12
1
with open('file.txt', 'r') as file:
2
lines = file.read().split('n') # lines is a list of the lines of the file
3
dictionary: dict = {}
4
for index, line in enumerate(lines):
5
line = line.split(' ')
6
dictionary[str(index)] = {
7
"white": line[0],
8
"black": line[1],
9
"white score": line[2],
10
"black score": line[4]
11
}
12