I'm seeing some really odd behavior that I am not sure how to explain, when dynamically nesting generator expressions in Python 3, when the generator expression references a function which is dynamically referenced.
Here is a very simplified case reproducing the problem:
double = lambda x: x * 2
triple = lambda x: x * 3
processors = [double, triple]
data = range(3)
for proc in processors:
data = (proc(i) for i in data)
result = list(data)
print(result)
assert result == [0, 6, 12]
In this case, I expected each number to be multiplied by 6 (triple(double(x))
) but in reality triple(triple(x))
is called. It's more or less clear to me that proc
points to triple
when the generator expression is run, regardless of what it pointed to when the generator expression was created.
So, (1) is this expected and can someone point to some relevant info in the Python docs or elsewhere explaining this?
and (2) Can you recommend another method of nesting generator expressions, where each level calls a dynamically provided callable?
EDIT: I am seeing it on Python 3.8.x, haven't tested with other versions
I've found that using
map
does work, which is a good answer for #2 as far as I'm concerned:Still, I'd be happy to know about #1 - what is the reason for this behavior and is this documented somewhere?