本文將通過for ... in ...的語法結構,遍歷字串、列表、元組、字典等資料結構。
字串遍歷
>>> a_str = "hello itcast"
>>> for char in a_str:
... print(char,end=' ')
...
h e l l o i t c a s t
列表遍歷
>>> a_list = [1, 2, 3, 4, 5]
>>> for num in a_list:
... print(num,end=' ')
...
1 2 3 4 5
元組遍歷
>>> a_turple = (1, 2, 3, 4, 5)
>>> for num in a_turple:
... print(num,end=" ")
1 2 3 4 5
字典遍歷
- 遍歷字典的key(鍵)
>>> a_dict = {"name":"lxy","sex":"男","age":18}
>>> for key in a_dict.keys():
print(key)
name
sex
age
- 遍歷字典的value(值)
>>> a_dict = {"name":"lxy","sex":"男","age":18}
>>> for value in a_dict.values():
print(value)
lxy
男
18
>>>
- 遍歷字典的項(元素)
>>> a_dict = {"name":"lxy","sex":"男","age":18}
>>> for key,value in a_dict.items():
print("key=%s,value=%s"%(key,value))
key=name,value=lxy
key=sex,value=男
key=age,value=18
重點:帶下標索引的遍歷
- 正常情況我們是這樣的
>>> chars = ['a', 'b', 'c', 'd']
>>> i = 0
>>> for chr in chars:
... print("%d %s"%(i, chr))
... i += 1
...
0 a
1 b
2 c
3 d
- 升級版使用enumerate()
- 介紹:enumerate()函式用於將一個可遍歷的資料物件(如列表、元組或字串)組合為一個索引序列,同時列出資料和資料下標,一般用在 for 迴圈當中。
- 語法:enumerate(sequence, [start=0])
- 引數:
- sequence -- 一個序列、迭代器或其他支援迭代物件。
- start -- 下標起始位置。
- 返回值:返回 tuple(元組) 物件。
>>> chars = ['a', 'b', 'c', 'd']
>>> for i, chr in enumerate(chars):
print(i,chr)
0 a
1 b
2 c
3 d
>>>