列表是一個可以修改的,元素以逗號分割,用中括弧包圍的有序序列 格式:變數名 = [元素1,元素2,元素3,...] 列表序列操作: 1.相加: 2.重覆: 3.索引: 4.修改: 列表方法: 1.增加操作: append:追加,在列表尾部加入指定元素 append方法直接在原列表上做修改,返回值是N ...
列表是一個可以修改的,元素以逗號分割,用中括弧包圍的有序序列
格式:變數名 = [元素1,元素2,元素3,...]
列表序列操作:
1.相加:
list_1 = [1,2,3] list_2 = ["a","b","c"] print(list_1 + list_2) # [1, 2, 3, 'a', 'b', 'c']
2.重覆:
list_1 = [1,2] print(list_1 * 3) # [1, 2, 1, 2, 1, 2]
3.索引:超出列表範圍之外的索引會報錯
list_1 = [1,2,3] print(list_1[1]) # 2
list_1[5] # IndexError: list index out of range
4.修改:
list_1 = [1,2,3] print(list_1) # [1, 2, 3] list_1[1] = "a" print(list_1) # [1,"a",3]
列表方法:
1.增加操作:
- append:追加,在列表尾部加入指定元素
list_1 = [1,2,3] list_1.append("a") print(list_1) # [1, 2, 3, 'a']
append方法直接在原列表上做修改,返回值是None
- extend:將指定序列的元素依次追加到列表的尾部
list_1 = [1,2,3] list_2 = ["a","b","c"] list_1.extend(list_2) print(list_1) # [1, 2, 3, 'a', 'b', 'c']
註意:用+拼接和用extend擴展不一樣,用+拼接是生成一個新的列表,而extend是在原列表上直接更改
- insert:在索引之前插入對象(L.insert(index, object) -- insert object before index),超出正數索引就會在最後加入,超出負數索引就會在最前面加入
list_1 = [1,2,3] list_1.insert(1,"a") print(list_1) # [1,"a",2,3] list_1.insert(-1,"b") print(list_1) # [1,"a",2,"b",3]
總結:列表有4種插入對象的方法:append,extend,insert,+;append,extend,insert直接修改原列表,+生成新的列表
2.刪除操作:
- pop:彈出,會刪除指定索引位上的數據,預設索引為-1,會返回刪除的數據,超出索引會報錯
list_1 = [1,2,3,4,5] n = list_1.pop() print(n) # 5 print(list_1) # [1, 2, 3, 4] list_1.pop(2) print(list_1) # [1, 2, 4]
- remove:從左到右刪除第一個指定的元素,如果指定的元素不存在,則會報錯
list_1 = [1,1,1,2,3,4,5] list_1.remove(1) print(list_1) # [1, 1, 2, 3, 4, 5] list_1.remove(6) print(list_1) # ValueError: list.remove(x): x not in list
- del:刪除整個列表或列表的數據,del是Python的內置功能,不是列表獨有的
list_1 = [1,2,3,4,5] del list_1[2] print(list_1) # [1, 2, 4, 5] del list_1 print(list_1) # NameError: name 'list_1' is not defined
- clear:清空列表
list_1 = [1,2,3,4,5] list_1.clear() print(list_1) # []
3.修改操作:
- list_name[index]:通過索引修改內容
list_1 = [1,2,3,4,5] list_1[2] = "a" print(list_1) # [1, 2, 'a', 4, 5]
- reverse:反轉序列
list_1 = [1,2,3,4,5] list_1.reverse() print(list_1) # [5, 4, 3, 2, 1]
- sort:按照ASCII碼表的順序進行排序
list_1 = [2,1,3,5,4] # def sort(self, key=None, reverse=False): list_1.sort() print(list_1) # [1, 2, 3, 4, 5] list_1.sort(reverse=True) print(list_1) # [5, 4, 3, 2, 1]
- sorted:Python內置函數,可以對列表進行排序,並且返回一個新的列表
list_1 = [2,1,3,5,4] # sorted函數預設reverse = False list_2 = sorted(list_1) print(list_2) # [1, 2, 3, 4, 5] list_2 = sorted(list_1,reverse=True) print(list_2) # [5, 4, 3, 2, 1]
4.查找操作:
- count:計數,返回要統計的元素在列表當中的個數
list_1 = [1,1,1,2,2,3,3] num = list_1.count(1) print(num) # 3
- index:查找,返回從左往右查找到的第一個指定元素的索引,如果沒有,則報錯
list_1 = [1,1,1,2,2,3,3] a = list_1.index(2) print(a) # 3 b = list_1.index(5) print(b) # ValueError: 5 is not in list