python 數據叠代添加小技巧
阿新 • • 發佈:2018-11-16
ext bar spa brush 技術 報錯 復制 gif 技術分享
1、list中extend方法有趣現象
1.1 List+=Str 與 List.extend(Str)
1 list1 = [11,2,45] 2 str1 = ‘Michael‘ 3 list1.extend(str1) 4 print(list1) #list結果是[11, 2, 45, ‘M‘, ‘i‘, ‘c‘, ‘h‘, ‘a‘, ‘e‘, ‘l‘] 5 # 6 list1 += str1 7 print(list1) #list結果是[11, 2, 45, ‘M‘, ‘i‘, ‘c‘, ‘h‘, ‘a‘, ‘e‘, ‘l‘, ‘M‘, ‘i‘, ‘c‘, ‘h‘, ‘a‘, ‘e‘, ‘l‘]
1.2 List+=Dict 與 List.extend(Dict)
a =[1,2] dic={‘a‘:123,‘b‘:456} a+=dic print(a) #列表a的結果是[1, 2, ‘a‘, ‘b‘] a.extend(dic) print(a) #列表a的結果是[1, 2, ‘a‘, ‘b‘, ‘a‘, ‘b‘]
1.3 List+=Tuple 與 List.extend(Tuple)
1 lis = [974,54,36,] 2 t = (‘a‘,‘b‘,‘c‘) 3 lis +=t 4 print(lis) #lis 結果是[974, 54, 36, ‘a‘, ‘b‘, ‘c‘] 5 lis.extend(t) 6 print(lis) #lis結果是[974, 54, 36, ‘a‘, ‘b‘, ‘c‘, ‘a‘, ‘b‘, ‘c‘]
由以上現象大致得出結論:List += Iterable == List.extend(Iterable),最後的結果是一致的,均是將可叠代對象的每一個元素叠代添加進列表中;因為只有List有extend()方法,所以 可叠代對象+=列表 這種方式就會報錯。
python 數據叠代添加小技巧