The question requires creating Python functions for managing a student list, including adding, removing, and printing student names, as well as initializing the list. The main function offers a menu for managing the list.
This question pertains to a programming task using Python. It involves the creation of functions to manage a list of student names including the capabilities to add, remove, as well as print student names, and an ability to create the initial list of students. The student is asked to work with lists and understand how Python handles list manipulation within functions. A main function will control the flow of the program, offering the user several options to interact with the student list.
Definitions of the Functions
- enter_students(): Prompts the user to input student names until "done" is input. It then returns the list of students.
- add_student(students): Adds a new name to the existing list of students based on user input.
- remove_student(students): Removes a student name from the list if present, and alerts the user if the name does not exist.
- print_students(students): Prints all student names from the list. If the list is empty, it alerts the user.
def enter_students():
students = []
while True:
student_name = input("Enter a student name (type 'done' to finish): ")
if student_name.lower() == 'done':
break
students.append(student_name)
return students
def add_student(students):
student_name = input("Enter the name of the student to add: ")
students.append(student_name)
def remove_student(students):
student_name = input("Enter the name of the student to remove: ")
if student_name in students:
students.remove(student_name)
else:
print(f"{student_name} not found in the list.")
def print_students(students):
if not students:
print("The list is empty.")
else:
print("List of students:")
for student in students:
print(student)
def main():
students = enter_students()
while True:
print("\\Options:")
print("1. Add a student")
print("2. Remove a student")
print("3. Print all students")
print("4. Exit")
choice = input("Enter your choice (1-4): ")
if choice == '1':
add_student(students)
elif choice == '2':
remove_student(students)
elif choice == '3':
print_students(students)
elif choice == '4':
break
else:
print("Invalid choice. Please enter a number between 1 and 4.")
if __name__ == "__main__":
main()