枚举,对于一个可迭代的(iterable)/可遍历的对象(如列表,字符串),enumerate将其组成一个索引序列,利用它可以同时获得索引和值。
1. 第一种类型
```Python
lst = ["a", "b", "c", "d"]
for i in enumerate(lst):
print(i)
```
执行结果为:
```Python
(0, 'a')
(1, 'b')
(2, 'c')
(3, 'd')
```
2. 改变enumerate索引起始
```Python
lst = ["a", "b", "c", "d"]
for index, name in enumerate(lst, 1):
print(index, name)
```
执行结果为:
```Python
1 a
2 b
3 c
4 d
```
3. 改变enumerate索引起始(二)
```Python
lst = ["a", "b", "c", "d"]
for index, name in enumerate(lst, 100):
print(index, name)
```
执行结果为:
```Python
100 a
101 b
102 c
103 d
```