Python Walrus Operator in While Loops

Question:

I’m trying to understand the walrus assignment operator.

Classic while loop breaks when condition is reassigned to False within the loop.

x = True
while x:
    print('hello')
    x = False

Why doesn’t this work using the walrus operator?
It ignores the reassignment of x producing an infinite loop.

while x := True:
    print('hello')
    x = False
Asked By: Кафка

||

Answers:

You seem to be under the impression that that assignment happens once before the loop is entered, but that isn’t the case. The reassignment happens before the condition is checked, and that happens on every iteration.

x := True will always be true, regardless of any other code, which means the condition will always evaluate to true.

Answered By: Carcigenicate

Let’s assume we have a code:

>>> a = 'suhail'
>>> while len(a) < 10:
...   print(f"too small {len(a)} elements expected at least 10")
...   a += '1'

The assignment expression helps avoid calling len twice:

>>> a = 'suhail'
>>> while (n := len(a)) < 10:
...   print(f"too small {n} elements expected at least 10")
...   a += '1'
... 
too small 6 elements expected at least 10
too small 7 elements expected at least 10
too small 8 elements expected at least 10
too small 9 elements expected at least 10
Answered By: suhailvs