brainsfrying
brainsfrying

Reputation: 339

strange while statement behaviour?

I cannot figure out why the following statements dont work.

randomKey = random.choice(list(topic.keys()))
randomValue = random.choice(topic[randomKey])

current = "-" * len(randomValue) 
while current != randomValue: 
   (statements)
else:
   (statements)

However, if i alter the 1st line to

while current == randomValue:

the statement after 'else' executes correctly. Otherwise, the statement after 'else' does not execute. Any idea why what may be causing the strange behaviour? Full code has been excluded for it will run through this entire page.

Upvotes: 0

Views: 111

Answers (2)

Thomas
Thomas

Reputation: 6752

else, when used with while, runs after the while expression evaluates to a falsy value if the while loop finishes by the expression being false, instead of being broken out of by a break statement (or execution leaving the function via a return or raise-ing an exception). Your while condition in your second example must fail, so there's no opportunity for a break to occur, the function to return or an exception to be thrown, so the else statements will always run.

docs for while

Upvotes: 0

BrenBarn
BrenBarn

Reputation: 251345

It is part of the Python grammar. From the documentation:

This [a while statement] repeatedly tests the expression and, if it is true, executes the first suite; if the expression is false (which may be the first time it is tested) the suite of the else clause, if present, is executed and the loop terminates.

So in the first case, it must be that the while condition never evaluates to false, while in the second it eventually does. Note that explicitly breaking out of the loop will not execute the else clause.

Upvotes: 1

Related Questions