I used below code to store student information but I get only one value appearing in the json file.
JavaScript
x
22
22
1
import json
2
3
def get_studentdetails():
4
data={}
5
data['name']=input("Enter Student name")
6
data['class']=input("Enter Class")
7
data['maths']=input("Enter Marks for Maths")
8
data['eng']=input("Enter English Marks")
9
data['sci']=input("Enter Science Marks")
10
return (data)
11
12
out={}
13
while True:
14
quit=input("Enter Y/N to continue")
15
if quit.lower()=='n':
16
break
17
else:
18
out['Student_Detail']= get_studentdetails()
19
20
with open('students.json','w') as file:
21
json.dump(out,file,indent=2)
22
Advertisement
Answer
It is because you are overwriting your file after each while loop. Do the writing to file outside. Also, You want to store student into list.
JavaScript
1
23
23
1
import json
2
3
def get_studentdetails():
4
data={}
5
data['name']=input("Enter Student name")
6
data['class']=input("Enter Class")
7
data['maths']=input("Enter Marks for Maths")
8
data['eng']=input("Enter English Marks")
9
data['sci']=input("Enter Science Marks")
10
return (data)
11
out=[]
12
while True:
13
quit=input("Enter Y/N to continue")
14
if quit.lower() == 'n':
15
break
16
record = get_studentdetails()
17
out.append(record)
18
19
20
with open('students.json','w') as file:
21
json.dump(out,file,indent=2)
22
23