Generator Expression Evaluation With Several ... For ... In ... Parts
Solution 1:
Whether it is a generator or a list comprehension, the comprehension nesting is the same. It is easier to see what is going on with a list comprehension and that is what I will use in the examples below.
Given:
>>> arr
[[[1, 2, 3], [4, 5, 6]], [[7, 8, 9], [10, 11, 12]]]
You can flatten the List of Lists of Ints by 1 level using a nested list comprehension (or generator):
>>> [e for sl in arr for e in sl][[1, 2, 3], [4, 5, 6], [7, 8, 9], [10, 11, 12]]
You can flatten completely, given that structure, by nesting again (example only; there are better ways to flatten a deeply nested list):
>>> [e2 forsl2in [e forslin arr forein sl] fore2in sl2]
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12]
Since sum
takes an iterable, the second flattening is not necessary in your example:
>>> [sum(e) for sl in arr for e in sl]
[6, 15, 24, 33] # sum of those is 78...
The general form of a comprehension is:
[ expression for a_variable in a_DEFINED_sequence optional_predicate ]
You can get the same NameError
you are seeing on your nested comprehension by using a non defined name:
>>> [c for c in not_defined]
Traceback (most recent calllast):
File "<stdin>", line 1, in<module>
NameError: name 'not_defined'isnot defined
So the error you see on sum(sum(i) for i in j for j in arr)
is because j
has not been defined yet. Comprehensions are evaluated left to right, inner to outer. The definition of j
as a sequence is to the right of its attempted use.
To unroll the list comprehension into nested loops, the inner (or left hand) section becomes the outer loop:
for sl in arr:for sl2 in sl:for e in sl2:# now you have each int in the LoLoInts...# you could use yield e for a generator here
Your final question: Why do you get a TypeError
with gen = (j for j in arr)
?
That generator expression does nothing. Example:
>>> [j for j in arr]
[[[1, 2, 3], [4, 5, 6]], [[7, 8, 9], [10, 11, 12]]]
>>> [j for j in arr] == arr
True
So the expression (j for j in arr)
just returns a generator over arr
.
And sum
does not know how to add that or arr either:
>>>sum(arr)
Traceback (most recent calllast):
File "<stdin>", line 1, in<module>
TypeError: unsupported operand type(s) for+: 'int'and'list'
Since gen
in your example is returning the same data structure, that is your error.
To fix it:
>>>gen=(e for sl in arr for e in sl)>>>sum(sum(li) for li in gen)
78
Solution 2:
What does Python do under the hood when it sees this kind of expression?
sum(sum(i) for j inarrayfor i in j)
It becomes something equivalent to:
def__gen(it):
# "it" is actually in locals() as ".0"for j in it:
for i in j:
yieldsum(i)
sum(__gen(iter(arr)))
Note that both __iter__
and the name resolution happen outside the function scope. This only applies to the first for
loop
PEP 0289 explains this in more detail
Post a Comment for "Generator Expression Evaluation With Several ... For ... In ... Parts"