day05:python列表方法
阿新 • • 發佈:2018-05-04
python 列表 1、list.append(obj)在列表末尾添加新的對象,且一次只添加一個元素。
>>> list = [123, ‘kobego‘, [1, 2, 3], (1, 2)]
>>> list.append([24, 23])
>>> list
[123, ‘kobego‘, [1, 2, 3], (1, 2), [24, 23]]
2、list.extend(seq)在列表末尾可一次性添加多個列表元素。
>>> list = [123, ‘kobego‘, [1, 2, 3], (1, 2)] >>> list.extend([24, 23]) >>> list [123, ‘kobego‘, [1, 2, 3], (1, 2), 24, 23]
3、list.pop(obj=list[-1])移除列表中的某一個元素(默認為末尾元素),且返回該移除元素的值。
>>> list = [123, ‘kobego‘, [1, 2, 3], (1, 2)]
>>> list.pop()
(1, 2)
>>> list
[123, ‘kobego‘, [1, 2, 3]]
4、list.remove(obj)移除列表中某一個元素的第一個匹配項,沒有返回值。
>>> list = [123, ‘kobego‘, 123, [1, 2, 3], (1, 2)] >>> list.remove(123) >>> list [‘kobego‘, 123, [1, 2, 3], (1, 2)]
5、list.index(obj)從列表中找出某個值第一個匹配項的索引位置,未找到則會報錯。
>>> list = [123, ‘kobego‘, 123, [1, 2, 3], (1, 2)]
>>> list.index(123)
0
6、list.insert(index, obj)將指定對象插入列表的指定位置。
>>> list = [123, ‘kobego‘, 123, [1, 2, 3], (1, 2)] >>> list.insert(1, ‘kobego24‘) >>> list [123, ‘kobego24‘, ‘kobego‘, 123, [1, 2, 3], (1, 2)]
7、list.reverse()對列表的元素進行反向排序。
>>> list = [123, ‘kobego‘, 123, [1, 2, 3], (1, 2)]
>>> list.reverse()
>>> list
[(1, 2), [1, 2, 3], 123, ‘kobego‘, 123]
8、list.sort([func])對原列表進行排序。
>>> list = [‘james‘, ‘kobego‘, ‘curry‘]
>>> list.sort()
>>> list
[‘curry‘, ‘james‘, ‘kobego‘]
day05:python列表方法