I want to delete everything in the object “name” in the given json file example but keep the the object, in simple words I want to clear the object.
JavaScript
x
22
22
1
{
2
3
"names": [
4
5
{
6
7
"player": "Player_Name",
8
9
"TB:": "12389",
10
11
"BW:": "596",
12
13
"SW:": "28",
14
15
"CQ:": "20"
16
17
}
18
19
]
20
21
}
22
I used tried this code:
JavaScript
1
8
1
with open('players.json', 'w') as w:
2
with open('players.json', 'r') as r:
3
for line in r:
4
element = json.loads(line.strip())
5
if 'names' in element:
6
del element['names']
7
w.write(json.dumps(element))
8
but it just clears the whole json file
sorry for my bad english
Advertisement
Answer
The problem is that you open the same file twice – for reading and for writing simultaneously. Also a JSON cannot be parsed line by line, only as a whole.
JavaScript
1
15
15
1
import json
2
3
# 1. read
4
with open('players.json', 'r') as r:
5
data = json.load(r)
6
7
# 2. modify
8
# (you might want to check if data is a dict)
9
data['names'] = []
10
11
12
# 3. write
13
with open('players.json', 'w') as w:
14
data = json.dump(data, w)
15