python第五——字典
程序员文章站
2022-07-09 19:14:52
...
文章目录
本篇文章记录一下python字典学习内容
个人感觉字典类似于C++里的 map ;
其构成是一个键值对 key-value
使用{}进行字典创建
举个栗子
scores = {'jiayou':1,'nihao':2}
jiayou , nihao ;分别对应 1 ,2。
使用内置函数 dict() 进行创建
student = dict(name='jack',age='20')
结果为
{'name': 'jack', 'age': '20'}
获取字典中的值也是有两种方法:
第一种:直接获取
scores = {'加油': 1,'nihao':2}
print(scores ['加油'])
其结果为1;
第二种使用get()函数 获取字典中的值
scores = {'加油': 1,'nihao':2}
print(scores.get('加油'))
特别的:
当键值对中不存在查找的值时要使用 get() 函数,其可以返回None ,若要指定返回值需要在函数后加上返回的变量值
例如
scores = {'加油1': 1,'nihao':2}
print(scores.get('加油',99))
其返回值为 99;
字典中 key 值的判断
key 值的判断 采用 in 其结果返回 True 或者 False
scores = {'加油1': 1,'nihao':2}
print ('加油1'in scores)
其结果为 True
del scores['张三']
删除张三这个key 值
scores = {'加油1': 1,'nihao':2}
del scores ['加油1']
print(scores)
其结果为
{'nihao': 2}
clear()
scores.clear()
print(scores)
其结果为 {}
新增+修改操作
新增+修改直接进行操作就行
scores = {'加油1': 1,'nihao':2}
scores['陈六']=98
print(scores)
其结果为
{'加油1': 1, 'nihao': 2, '陈六': 98}
修改:
scores = {'加油1': 1,'nihao':2}
scores['加油1']=98
print(scores)
结果为
{'加油1': 98, 'nihao': 2}
视图操作
视图操作可以理解为查看字典里所有的值
1、查看key
scores = {'加油1': 1,'nihao':2}
keys=scores.keys()
print (list(keys))
其中keys 可以强制类型转换,在例子中就是转换成列表类型
2、查看所有 value
scores = {'加油1': 1,'nihao':2}
keys=scores.values()
print (list(keys))
3、输出整个字典中的键值对
scores = {'加油1': 1,'nihao':2}
keys=scores.items()
print (list(keys))
结果为
[('加油1', 1), ('nihao', 2)]
scores = {'加油1': 1,'nihao':2}
for item in scores:
print(item,scores [item],scores.get(item))
从输出来看
前面是输出的key 后两种都是输出的value
输出结果为
加油1 1 1
nihao 2 2
字典生成式
内置函数 zip():用于将可迭代的元素作为参数,将对象中对应的元素打包成一个元组,然后返回由这些元组组成的列表;
items=['一','二','三']
price=[1,2,3]
d={items.upper():price for items,price in zip(items,price)}
print(d)
其中 .upper是转换成大写函数
结果为
{'一': 1, '二': 2, '三': 3}
上一篇: 实验三链队列