what does yield as assignment do? myVar = (yield)

The yield statement used in a function turns that function into a "generator" (a function that creates an iterator). The resulting iterator is normally resumed by calling next(). However it is possible to send values to the function by calling the method send() instead of next() to resume it:

cr.send(1)

In your example this would assign the value 1 to c each time.

cr.next() is effectively equivalent to cr.send(None)


You can send values to the generator using the send function.

If you execute:

p = protocol()
p.next() # advance to the yield statement, otherwise I can't call send
p.send(5)

then yield will return 5, so inside the generator c will be 5.

Also, if you call p.next(), yield will return None.

You can find more information here.

Tags:

Python

Yield