python中列表添加元素的幾種方式(+、append()、extend())
1、使用+加號
+加號是將兩個list列表相加,返回一個新的列表對象,會消耗額外的內存。
#!/usr/bin/env python # -*- coding:utf-8 -*- if __name__ == '__main__': a = [1, 2, 3] b = [4, 5, 6] c = a + b print(c)
輸出:
[1, 2, 3, 4, 5, 6]
Process finished with exit code 0
2、使用append()方法
append()方法在列表的末尾添加新的對象,該方法無返回值,但是會修改原來的列表。
語法:list.append(obj)
參數:obj – 添加到列表末尾的對象。
#!/usr/bin/env python # -*- coding:utf-8 -*- if __name__ == '__main__': a = [1, 2, 3] b = [4, 5, 6] a.append(b) print(a)
輸出:
[1, 2, 3, [4, 5, 6]]
Process finished with exit code 0
3、使用extend()方法
extend()方法用新列表擴展原來的列表,會把對象迭代添加到列表後面,隻支持可迭代對象的數據。(可迭代對象: 能用for循環進行迭代的對象就是可迭代對象, 比如:字符串,列表,元組,字典,集合等等)
該方法沒有返回值,但會在已存在的列表中添加新的列表內容。
語法:list.extend(seq)
參數:seq – 元素列表。
#!/usr/bin/env python # -*- coding:utf-8 -*- if __name__ == '__main__': a = [1, 2, 3] b = [4, 5, 6] a.extend(b) print(a)
輸出:
[1, 2, 3, 4, 5, 6]
Process finished with exit code 0
4、難點
#!/usr/bin/env python # -*- coding:utf-8 -*- if __name__ == '__main__': a = [1, 2, 3] c = [] c.append(a) print(c) a.append(4) print(c)
輸出:
[[1, 2, 3]]
[[1, 2, 3, 4]]
Process finished with exit code 0
可以看到改變a列表以後,c列表也發生瞭改變。
出現這種現象的原因:因為list列表使用append()方法追加時,實際上是淺拷貝造成的。
解決方法:可以使用copy.deepcopy()進行深拷貝。
#!/usr/bin/env python # -*- coding:utf-8 -*- import copy if __name__ == '__main__': a = [1, 2, 3] c = [] c.append(copy.deepcopy(a)) print(c) a.append(4) print(c)
輸出:
[[1, 2, 3]]
[[1, 2, 3]]Process finished with exit code 0
到此這篇關於python中列表添加元素的幾種方式(+、append()、extend())的文章就介紹到這瞭,更多相關python 列表添加元素內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!
推薦閱讀:
- Python列表append()函數使用方法詳解
- Python學習之列表常用方法總結
- python淺拷貝與深拷貝使用方法詳解
- 淺析Python的對象拷貝和內存佈局
- python列表倒序的幾種方法(切片、reverse()、reversed())