马上注册,结交更多好友,享用更多功能^_^
您需要 登录 才可以下载或查看,没有账号?立即注册
x
列表中一些常用操作符:
比较操作符: > >= < <= ==(比较的是阿斯卡码大小)(返回结果为Bool值)
以 > 为例
>>> list1 = [123]
>>> list2 = [234]
>>> list1 > list2
→False
若列表中是多个元素,则默认比较第一个元素
>>> list1 = [123, 456]
>>> list2 = [234, 123]
>>> list1 > list2
→False
逻辑操作符: and
>>> list1 = [123, 456]
>>> list2 = [234, 123]
>>> list3 = [123, 456]
>>> (list1 < list2) and (list1 == list3)
→True
连接操作符:+
可以用 “+” 给列表进行扩展,作用类似于extend()用法
>>> list1 = [123, 456]
>>> list2 = [234, 123]
>>> list4 = list1 + list2
>>> list4
→[123, 456, 234, 123]
但 “+” 左右两边必须为同一类型,否则会报错:
>>> list1 = [123, 456]
>>> list1 + '小甲鱼'
Traceback (most recent call last):
File "<pyshell#12>", line 1, in <module>
list1 + '小甲鱼'
TypeError: can only concatenate list (not "str") to list
重复操作符: *
>>> list3
[123, 456]
>>> list3*3
[123, 456, 123, 456, 123, 456]
>>> list3*=3
>>> list3
[123, 456, 123, 456, 123, 456]
>>> list3 *= 5
>>> list3
[123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456]
成员关系操作符:in not in(返回结果为Bool值)
>>> list3
[123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456]
>>> 123 in list3
True
>>> '小甲鱼' not in list3
True
>>> 123 not in list3
False
>>> list5 = [123, ['小甲鱼','牡丹'], 456]
>>> '小甲鱼' in list5
False
>>> '小甲鱼' in list5[1]
True
>>> list5[1][1]
'牡丹'
列表的小伙伴
count()可返回某元素在列表中出现的次数
用法: 列表变量名 + “.” + count(此元素)
index()可返回某元素在列表中的索引值
用法: 列表变量名 + “.” + index(此元素)
实际上这里index()有三个参数,为index(此元素,start,stop)
start为所检索范围起始索引值,stop为所检索范围终止索引值,而这两个参数通常是省略的,两个省略后默认返回所检索元素第一个出现的索引值。具体看下例
reverse()可以将整个列表顺序颠倒[无参数]
用法: 列表变量名 + “.” + reverse()
sort()排序可以将列表元素按阿斯卡码大小从小到大排序
用法: 列表变量名 + “.” + sort()
实际上这里sort()有三个参数,为sort(func,key,reverse = False),其中func是某一指定的算法,key是和算法搭配的关键字,二者通常被省略而默认为是归并排序,reverse被省略被默认为False,若为True,则是从大到小排序,如下:
>>> list3
[123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456]
>>> list3.count(123)
→15
>>> list5 = [123, ['小甲鱼','牡丹'], 456]
>>> list5.index(123)
→0
>>> list3.index(123,3,7)
→4
>>> list3.reverse()
>>> list3
[456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123, 456, 123]
>>> list6 = [4, 2, 5, 1, 9, 23, 32, 0]
>>> list6.sort()
>>> list6
[0, 1, 2, 4, 5, 9, 23, 32]
>>> list6.sort(reserve = True)
Traceback (most recent call last):
File "<pyshell#37>", line 1, in <module>
list6.sort(reserve = True)
TypeError: 'reserve' is an invalid keyword argument for this function
>>> list6.sort(reverse = True)
>>> list6
[32, 23, 9, 5, 4, 2, 1, 0] |