90

如何同时枚举两个长度相等的列表?我确信必须有一种更 Pythonic 的方式来执行以下操作:

for index, value1 in enumerate(data1):
    print index, value1 + data2[index]

我想在 for 循环中使用索引和 data1[index] 和 data2[index]。

4

6 回答 6

181

用于zipPython2 和 Python3:

for index, (value1, value2) in enumerate(zip(data1, data2)):
    print(index, value1 + value2)  # for Python 2 use: `print index, value1 + value2` (no braces)

请注意,zip它只运行到两个列表中较短的一个(对于等长列表来说不是问题),但是,如果您想遍历整个列表,那么如果列表长度不等,请使用itertools.izip_longest.

于 2013-05-01T21:31:20.590 回答
14
for i, (x, y) in enumerate(zip(data1, data2)):

在 Python 2.x 中,您可能想要使用itertools.izip而不是zip, esp。对于很长的列表。

于 2013-05-01T21:31:34.347 回答
8
from itertools import count

for index, value1, value2 in zip(count(), data1, data2):
    print(index, value1, value2)

资料来源: http: //www.saltycrane.com/blog/2008/04/how-to-use-pythons-enumerate-and-zip-to/#c2603

于 2016-07-04T09:55:50.360 回答
2

虽然这不是很清楚你在寻找什么,

>>> data1 = [3,4,5,7]
>>> data2 = [4,6,8,9]
>>> for index, value in enumerate(zip(data1, data2)):
    print index, value[0]+value[1]


0 7
1 10
2 13
3 16
于 2013-05-01T21:37:14.027 回答
1

既然已经提到长度相等,

for l in range(0, len(a)):
   print a[l], b[l]
于 2016-07-04T10:00:54.580 回答
0

假设您要使用zip

   >>> for x in zip([1,2], [3,4]):
    ...     print x
    ... 
    (1, 3)
    (2, 4)
于 2013-05-01T21:31:33.453 回答