1. clear()方法
列表的clear()方法用于移除列表中的全部项。L.clear()等价于del L[:]。
例如,使用clear()方法移除animals列表中的全部项:
- >>> animals = ['cat', 'dog', 'fish', 'dog']
- >>> animals.clear()
- >>> animals
- []
2. count()方法
列表的count()方法用于返回指定值在列表中出现的次数:
例如,使用count()方法分别返回animals列表中'dog'、'cat'和'cow'出现的次数:
- >>> animals = ['cat', 'dog', 'fish', 'dog']
- >>> animals.count('dog')
- 2
- >>> animals.count('cat')
- 1
- >>> animals.count('cow')
- 0
3. index()方法
列表的index()方法用于返回列表中指定值的项的从零开始的索引。L.index(x) 返回列表中第一个值为 x 的项的从零开始的索引。如果没有值为x的项,那么会抛出ValueError异常。
例如,使用index()方法分别返回animals列表中值为'dog'和'cow'的项的从零开始的索引:
- >>> animals = ['cat', 'dog', 'fish', 'dog']
- >>> animals.index('dog')
- 1
- >>> animals.index('cow') # 'cow'不在列表中
- Traceback (most recent call last):
- File "
" , line 1, in- ValueError: 'cow' is not in list
可以指定查找索引项的的起始值,L.index(x, n)从列表的第n+1项开始查找:
- >>> animals.index('dog', 2) # 从第3项开始查找,这样就忽略了第一个'dog'
- 3
也可以同时指定查找索引项的起始值和结束值(包括起始值,不包括结束值),这样就会在该范围内查找:
- >>> animals.index('dog', 2, 4) # 查找范围是第3项和第4项
- 3
- >>> animals.index('dog', 2, 3) # 查找范围只有第3项,没有'dog'
- Traceback (most recent call last):
- File "
" , line 1, in- ValueError: 'dog' is not in list
如果对Python开发感兴趣或者想要深入学习的现在可以免费领取学习大礼包哦(点击领取80G课程资料 备注:领资料)。
4 sort()方法
列表的sort()方法用于将列表排序。
例如,使用sort()方法将animals列表按字典顺序排序:
- >>> animals = ['cat', 'dog', 'fish', 'dog']
- >>> animals.sort()
- >>> animals
- ['cat', 'dog', 'dog', 'fish']
使用sort()方法将数字列表排序:
- >>> numbers = [3, 1, 4, 1, 5, 9]
- >>> numbers.sort()
- >>> numbers
- [1, 1, 3, 4, 5, 9]
sort方法还可以使用参数改变列表的排序规则,这需要使用自定义参数,将在第七章进行详细阐述。
5. reverse()方法
列表的reverse()方法用于反转整个列表。
例如,使用reverse()方法反转animals列表:
- >>> animals = ['cat', 'dog', 'fish', 'dog']
- >>> animals.reverse()
- >>> animals
- ['dog', 'fish', 'dog', 'cat']
6. copy()方法
列表的copy()方法用于返回一份列表的浅拷贝。L.copy()等价于L[:]。
要复制一份列表,最先想到的方法可能是将列表赋值给另一个变量,不过这是行不通的:
- >>> animals = ['cat', 'dog', 'fish', 'dog']
- >>> animals_copy = animals
- >>> animals_copy
- ['cat', 'dog', 'fish', 'dog']
- >>> animals.append('cow')
- >>> animals
- ['cat', 'dog', 'fish', 'dog', 'cow']
- >>> animals_copy
- ['cat', 'dog', 'fish', 'dog', 'cow']
运行结果显然不符合预期。简单的“复制”只是给当前列表取了一个别名,用一个名称修改列表的内容,也会影响到用其他名字显示的列表。
使用copy()方法复制animals列表:
- >>> animals = ['cat', 'dog', 'fish', 'dog']
- >>> real_animals_copy = animals.copy()
- >>> real_animals_copy
- ['cat', 'dog', 'fish', 'dog']
- >>> animals.append('cow')
- >>> real_animals_copy.append('elephant')
- >>> animals
- ['cat', 'dog', 'fish', 'dog', 'cow']
- >>> real_animals_copy
- ['cat', 'dog', 'fish', 'dog', 'elephant']
运行结果符合预期,原始列表没有影响到备份列表,备份列表也没有影响到原始列表。