同步遍歷多個列表
阿新 • • 發佈:2019-02-24
結果 log 姓名 利用 人物 ase 不能 color 之間
Python的for循環十分靈活,使用for循環我們可以很輕松地遍歷一個列表,例如:
a_list = [‘z‘, ‘c‘, 1, 5, ‘m‘] for each in a_list: print(each)
運行結果:
但是,有時遍歷一個列表並不能滿足我們的需求,在一些特殊的場合,我們可能會需要遍歷兩個甚至多個列表,例如,有兩個列表,第一個列表存放的是人物的姓名,第二個列表存放的是人物的年紀,他們之間的關系是對應的,這時候該怎麽辦呢?
①使用zip()函數 (推薦)
name_list = [‘張三‘, ‘李四‘, ‘王五‘] age_list = [54, 18, 34]for name, age in zip(name_list, age_list): print(name, ‘:‘, age)
運行結果:
下面了解一下zip()函數:
name_list = [‘張三‘, ‘李四‘, ‘王五‘] age_list = [54, 18, 34] print(zip(name_list, age_list)) print(type(zip(name_list, age_list))) print(*zip(name_list, age_list)) print(list(zip(name_list, age_list))) print(dict(zip(name_list, age_list)))
運行結果:
可以看出,直接輸出zip(list1, list2)返回的是一個zip對象, 在前面加上*, 它輸出了三個元組, 正是兩個列表中的三個數據一一對應的結果,我們可以將此對象直接轉化成列表,甚至字典!
當然,使用zip()來遍歷三個及以上的列表也是可行的:
list1 = [1, 2, 3, 4, 5] list2 = [‘a‘, ‘b‘, ‘c‘, ‘d‘, ‘f‘] list3 = [‘A‘, ‘B‘, ‘C‘, ‘D‘, ‘F‘] for number, lowercase, capital in zip(list1, list2, list3): print(number, lowercase, capital)
運行結果:
②利用下標
既然列表的內容是一一對應的,我們可以自己設置好一個下標,同樣使用一個for循環也可以遍歷。
list1 = [1, 2, 3, 4, 5] list2 = [‘a‘, ‘b‘, ‘c‘, ‘d‘, ‘f‘] n = 0 for each in list1: print(each, list2[n]) n += 1
運行結果:
同樣也得到了我們想要的效果~
---------------------
作者:Gsdxiaohei
來源:CSDN
原文:https://blog.csdn.net/Gsdxiaohei/article/details/81701957
同步遍歷多個列表