这些类型的嵌套循环创建两个序列的笛卡尔积。试试看:
>>> [x+y for x in 'cat' for y in 'potty']
['cp', 'co', 'ct', 'ct', 'cy', 'ap', 'ao', 'at', 'at', 'ay', 'tp', 'to', 'tt', 'tt', 'ty']
>>> [x+y for x in 'catty' for y in 'pot']
['cp', 'co', 'ct', 'ap', 'ao', 'at', 'tp', 'to', 'tt', 'tp', 'to', 'tt', 'yp', 'yo', 'yt']
上面列表理解中的内部“x”(即部分)与此示例中的外部for x in 'cat'
相同: for x in 'cat':
>>> li=[]
>>> for x in 'cat':
... for y in 'pot':
... li.append(x+y)
# li=['cp', 'co', 'ct', 'ap', 'ao', 'at', 'tp', 'to', 'tt']
因此,使一个更短或更长的效果与在两个嵌套循环中使“x”或“y”循环更长的效果相同:
>>> li=[]
>>> for x in 'catty':
... for y in 'pot':
... li.append(x+y)
...
>>> li==[x+y for x in 'catty' for y in 'pot']
True
在每种情况下,较短的序列都会再次循环,直到较长的序列用完。这与zip
配对将在较短序列的末尾终止的情况不同。
编辑
关于嵌套循环与 zip 似乎存在混淆(在评论中)。
嵌套循环:
如上图,这个:
[x+y for x in '12345' for y in 'abc']
与两个嵌套的“for”循环相同,“x”是外循环。
嵌套循环将在外循环时间y
范围内执行内循环。x
所以:
>>> [x+y for x in '12345' for y in 'ab']
['1a', '1b', # '1' in the x loop
'2a', '2b', # '2' in the x loop, b in the y loop
'3a', '3b', # '3' in the x loop, back to 'a' in the y loop
'4a', '4b', # so on
'5a', '5b']
您可以使用来自 itertools的产品获得相同的结果:
>>> from itertools import product
>>> [x+y for x,y in product('12345','ab')]
['1a', '1b', '2a', '2b', '3a', '3b', '4a', '4b', '5a', '5b']
Zip类似,但在较短的序列用完后停止:
>>> [x+y for x,y in zip('12345','ab')]
['1a', '2b']
>>> [x+y for x,y in zip('ab', '12345')]
['a1', 'b2']
您可以使用itertools进行压缩,直到最长序列用完为止,但结果不同:
>>> import itertools
>>> [x+y for x,y in itertools.zip_longest('12345','ab',fillvalue='*')]
['1a', '2b', '3*', '4*', '5*']