Python——列表、元祖、字典 操作方法
一、编码方式占位
1、ASCII码:字母、数字、特殊字符,1个字节占8位
2、Unicode:字母 2字节占16位 / 中文 4字节 占32位
3、UTF8:字母 1字节占8位 / 欧洲 2字节占16位 / 中文 3字节占24位
4、GBK: 字母1字节 占8位 / 中文 2字节占16位
二、列表
列表
names = ['a','b','c','d']
1、追加:append
>>> names.append('e') >>> names ['a', 'b', 'c', 'd', 'e']
2、删除:pop , remove , del
2.1 pop
如果没有指定下标,则默认会删除最后一个元素
>>> names.pop() 'e'
指定下标时,就会删除下标所对应的元素
>>> names.pop(2) 'c'
2.2 remove移除指定内容
>>> names.remove('e') >>> names ['a', 'b', 'c', 'd']
2.3del删除指定下表的内容
>>> del names[4] >>> names ['a', 'b', 'c', 'd']
3、index查找元素的位置
>>> names.index('c') 2
4、count统计元素出现的次数
>>> names.append('d') >>> names.count('d') 2
5、reverse反转
>>> names.reverse() >>> names ['d', 'c', 'b', 'a']
6、clear清空列表
>>> names.clear() >>> names []
7、insert插入内容
>>> names.insert(2,'devilf') >>> names ['a', 'b', 'devilf', 'c', 'd']
其他插入方法
>>> names[3] = 'lebron' >>> names ['a', 'b', 'devilf', 'lebron', 'd']
8、sort按照ASCII码来进行排序
>>> names.insert(4,'&&') >>> names ['a', 'b', 'd', 'devilf', '&&', 'lebron'] >>> names.sort() >>> names ['&&', 'a', 'b', 'd', 'devilf', 'lebron']
9、extend拼接2个列表
>>> names.extend(place) >>> names ['&&', 'a', 'b', 'd', 'devilf', 'lebron', 'beijing', 'shandong', 'usa']
10、对列表进行切片
三、元祖
元祖与列表类似,不同之处在于元祖中的元素不能修改。
1、元祖可以进行+ *
1 tup1=(1,2,3) 2 tup2=(3,4,5) 3 tup3=tup1+tup2 #输出:tup3=(1,2,3,3,4,5) 4 tup4=tup1*3 #输出: tup4=(1,2,3,1,2,3,1,2,3)
2、元祖中的元素是不允许删除的,但是可以使用del语句删除整个元祖
3、元祖可以切片操作
4、元祖的内建操作
——cmp(tup1,tup2): 比较两个元组元素
——len(tup): 返回元组中元素的个数
——max(tup): 返回元组中元素最大的值
——min(tup): 返回元组中元素最小的值
——tuple(seq): 将列表转化为元组
四、字典
字典是一种key-value的数据类型
info ={ 'stu1001':"TengLan Wu", 'Stu1002':"Longze Loula", 'stu1103':"XiaoZe Maliya", }
1、增
dic1['high'] = 185 #没有键值增加 dic1['age'] = 16 #有键值就覆盖原值 dic1.setdefault('weight','key') #无键值,附加NONE
2、删
#删 dic1.pop('age') #有返回值,按键取删除 dic1.pop('www','无此键值')#无键值返回改信息,但不会报错 dic1.popitem() # 默认删除最后一个3.6版本以后 有返回值
3、清空
dic1.clear()
4、改
#改 dict2.update(dict1) #有的覆盖,没有的添加 dict1到dict2
5、查
#查 dic1.keys() #key 值 dic1.values() # values值 dic1.items() #返回元祖,按条目返回 # 默认打印键值 所以 可以不用指定
6、获取键值
dic1.get('key') #获取键值,无次键值,返货none