Why does this get stuck in a constant loop?

74 Views Asked by At

I can't understand why this wont work:

EntryRow = input("Which row would you like to book for?")
Upper = EntryRow.upper()
while Upper != 'A' or 'B' or 'C' or 'D' or 'E':
    print("That is not a row")
    EntryRow = input("Which row would you like to book for?")
    Upper = EntryRow.upper()
3

There are 3 best solutions below

0
On BEST ANSWER

'!=' has precedence over 'or'. What your code really does is:

while (Upper != 'A') or 'B' or 'C' or 'D' or 'E':

Which is always true.

Try this instead:

while not Upper in ( 'A', 'B', 'C', 'D', 'E' ):
0
On

You need to explicitly write out each condition in full and combine them using and:

while Upper != 'A' and Upper != 'B' and ...

The interpreter takes 'B' and 'C' and so on to be independent conditionals which all evaluate to True, so your if statement is therefore always true.

0
On

You are using or the wrong way. (See Andrew's answer for the right way).

One possible shortcut is to use a containment check:

while Upper not in ('A', 'B', 'C', 'D', 'E'):
    ...