The prompt for the problem goes as follows:
Create an interactive student records system.
Prompt the user for a student name.
Then prompt the user for a numeric grade
Repeat this until the user enters ‘done’ in place of a name.
Then print each student and the average of their grades
I have come up with the following code (I’m a beginner guys, sorry if this is obvious)
JavaScript
x
33
33
1
# I am creating a dictionary so I can store multiple values that are associated with one name
2
lst = []
3
dict = {}
4
5
while True:
6
try:
7
name = str(input("Please enter student's name."))
8
grade = int(input("Please enter grade student recieved."))
9
10
if (name not in list(dict.keys()) and name != "done"):
11
lsst = []
12
lsst.append(grade)
13
dict[name] = lsst
14
print(lsst)
15
continue
16
17
18
19
elif name in list(dict.keys()):
20
lsst.append(grade)
21
print(lsst)
22
continue
23
24
elif name == "done":
25
break
26
27
except ValueError:
28
print("Try Again")
29
pass
30
31
for i in range(list(dict.keys())):
32
print(f"{name}: {grade}")
33
I am trying to print the averages after I type ‘done’ for the name input, but it just moves on to the next input inquiry. Why is this, and how do I fix it?
Advertisement
Answer
There are many mistakes in the code but I will break them down in my corrected version.
JavaScript
1
24
24
1
names_and_grades = {} # I renamed this variable because there is a built in type called dict in Python.
2
3
while True: # Using while True is usually discouraged but in this case, it's hard to avoid that.
4
try:
5
name = input("Please enter student's name.") # No need to convert to string as it takes the input as a string by default.
6
7
if name == "done": # After you prompted for a name immediately check whether the user entered done. This way, you can break right after that.
8
break
9
10
grade = int(input("Please enter grade student recieved."))
11
12
if name not in names_and_grades.keys():
13
names_and_grades[name] = [grade] # We don't actually need a separate list as the entry in the dictionary will be the list itself (that's why it's put between brackets).
14
elif name in names_and_grades.keys():
15
names_and_grades[name].append(grade) # Once the list was declared, you can simply append it.
16
17
print(names_and_grades[name]) # No need to repeat this twice in the if-else statements, you can just write it after them. And a very important thing, there is no need to use continue, since you are using if-elfe. When you are using if-else, only one of the blocks will be used, the first block where the condition evaluates as true.
18
19
except ValueError:
20
print("Try Again")
21
22
for k in names_and_grades.keys():
23
print(f"{k}: {names_and_grades[k]}") # This is the simplest way to iterate through a dictionary (if you want to format the entries), by iterating through the keys of the dictionary and with the help of the keys, calling the appropriate values.
24
I hope this helps, let me know if something is unclear.