so i just started learning python, and im making a login interface. this is the interface
JavaScript
x
9
1
username = input("Username: ")
2
password = input("Password: ")
3
correct_username = ["admin", "peter", "lily"]
4
correct_password = ["admin1", "peter1", "lily1"]
5
if username == correct_username[0,1,2] and password == correct_password[0,1,2]:
6
print("Logged in as: " + username)
7
else:
8
print("Wrong password or username!")
9
i dont know how to list all correct_username’s and the correct_password’s in “if username == correct_username[0,1,2]” instead of writing them out by hand…
Advertisement
Answer
You can use in
to test if a value is in a list.
JavaScript
1
2
1
if username in correct_username and password in correct_password:
2
However, this won’t test if the username and password are at the same positions — Peter could login with Lily’s password.
Instead, you can get the index of the username in the username list, and compare with the same index in the passwords list.
JavaScript
1
9
1
try:
2
username_index = correct_username.index(username)
3
if password == correct_password[username_index]:
4
print("Logged in as: " + username)
5
else:
6
Print("Wrong username or password")
7
except ValueError:
8
print("Wrong username or password")
9
A more idiomatic way to do this would be to collect all the related data together in dictionaries, rather than separate lists for each value.