1 enumerate()
enumerate() 函数用于将一个可遍历的数据对象(如列表、元组或字符串)组合为一个索引序列,同时列出数据和数据下标,一般用在 for 循环当中。
以下是 enumerate() 方法的语法:
enumerate(sequence, [start=0])
- sequence -- 一个序列、迭代器或其他支持迭代对象。
- start -- 下标起始位置。
返回 enumerate(枚举) 对象。
list1 = ["这", "是", "一个", "测试"] for index, item in enumerate(list1): print (index, item) 结果: 0 这 1 是 2 一个 3 测试 list1 = ["这", "是", "一个", "测试"] for index, item in enumerate(list1,5): print (index, item) 结果: #返回索引和值,索引默认从0计数,可修改 5 这 6 是 7 一个 8 测试
1 In [9]: list(enumerate('abcde')) 2 Out[9]: [(0, 'a'), (1, 'b'), (2, 'c'), (3, 'd'), (4, 'e')] 3 4 In [10]: list(enumerate('abcde',100)) 5 Out[10]: [(100, 'a'), (101, 'b'), (102, 'c'), (103, 'd'), (104, 'e')] 6 7 In [11]: list(enumerate(['abc','def','xyz'])) 8 Out[11]: [(0, 'abc'), (1, 'def'), (2, 'xyz')] 9 10 In [12]: list(enumerate({'a':1,'b':'22','c':[1,2,3]})) 只包含键的元组 11 Out[12]: [(0, 'a'), (1, 'b'), (2, 'c')] 12 13 14 In [14]: list(enumerate({'a':1,'b':'22','c':[1,2,3]}.items())) 用items(),才显示的是键值对的索引和值的元组 15 Out[14]: [(0, ('a', 1)), (1, ('b', '22')), (2, ('c', [1, 2, 3]))]