@(Python字典)
特性: 字典中每一个key对应一个value,每一个key都不能相同,但是value可以多个相等
#字典中key和value一一对应,key都是独一无二的不可以相同,value可以多个相同
scores = {'语文':89,'数学':78,'英语':95,'地理':78}
print(scores)
#使用dict创建字典时,列表/序列中的每个元素必须包含两个子元素如下,如若子元素个数不为2,则字典创建失败,返回'ValueError: dictionary update sequence element #3 has length 3; 2 is required'
dicta = dict([('小学',7),('初中',13),('高中',16),('大学',19)])
print(dicta)
#使用关键字参数创建字典(dict)时,不能使用表达式
dictb = dict(小学=7,初中=13,高中=16,大学=19)
print(dictb)
#字典中通过key访问value
dictb = dict(小学=7,初中=13,高中=16,大学=19)
print(dictb['高中'])
#字典元素的添加
dictb = dict(小学=7,初中=13,高中=16,大学=19)
dictb['社会实践'] = 'forever'
print(dictb)
#字典元素替换
dictb = dict(小学=7,初中=13,高中=16,大学=19)
dictb['高中'] = 'forever'
print(dictb)
#字典元素的删除
dictb = dict(小学=7,初中=13,高中=16,大学=19)
del dictb['高中']
print(dictb)
#字典元素的删除
dictb = dict(小学=7,初中=13,高中=16,大学=19)
del dictb['高中']
dictb['大学'] = None
print(dictb)
del dictb['大学']
print(dictb)
#我这里赋值为None后依然可以被删除,有点疑惑这是为什么,大佬可以评论告诉我,谢谢!
#使用in 、not in判断元素是否再字典内
dictb = dict(小学=7,初中=13,高中=16,大学=19)
print('小学' in dictb) #返回True 说明'小学'在dictb中
print('初中' not in dictb) ##返回False 说明'小学'在dictb中
# 总结:
字典(dict)和列表(list)都是可变的,都可以对内部元素进行增加、删除、修改的操作
但是因为字典的key是不可变的,所以列表(list)不能直接赋值于key
#clear()清空字典内所有key-value,被清空的字典就是一个空字典返回'{}'
scores = {'语文':89,'数学':78,'英语':95,'地理':78}
scores.clear()
print(scores)
#get()根据key来获取value值
scores = {'语文':89,'数学':78,'英语':95,'地理':78}
print(scores.get('数学'))
#使用update()方法,用一个新的字典去更新另一个已有的字典
scores = {'语文':89,'数学':78,'英语':95,'地理':78}
scores_a = {'语文':90,'数学':98,'生物':76}
scores_b = [('历史',98),('自然',75),('Python',100)]
scores_c = dict(彭同学=88,雷同学=79,李同学=90) #注意使用关键字定义字典时,括号内不允许有表达式(key不需要引号)
scores.update(scores_a)
print(scores)
#更新目标.update(使用对象)
scores_a.update(scores_b)
print(scores_a)
#若字典使用序列作为参数,此时序列的每个元素必须包含两个子元素,第一个是key,第二个是value
scores_temp = dict(scores_b) #先将列表转为字典
scores_temp.update(scores_c) #再使用scores_c,来更新这个转化好的字典
print(scores_temp)
#注意使用关键字定义字典时,括号内不允许有表达式(key不需要引号)
#使用items()、keys()、values()分别遍历字典中的所有元素(每个元素包含一个key,一个value)、遍历字典中的所有key(只遍历key)、遍历所有value(只遍历value)
scores = {'语文':89,'数学':78,'英语':95,'地理':78}
for key in scores.keys():
print(key)
for value in scores.values():
print(value)
for item in scores.items(): #liems这里面使用到了序列的解包
print(item)
#使用pop()方法获取并删除key对应的value(删除并返回key对应的value值)
scores = {'语文':89,'数学':78,'英语':95,'地理':78}
return1 = scores.pop('地理')
print(scores)
print(return1)
#使用setdefault()方法获取对应key的value值,如果key不存在,则添加一个key到字典中并设置value为None
scores = {'语文':89,'数学':78,'英语':95,'地理':78}
a = scores.setdefault('数学')
print(a)
scores.setdefault('生物')
print(scores)
#使用formkeys()转化序列为字典
d = dict.fromkeys(['RNG','IG','BLG','LNG'],35) #dict.fromkeys(序列,value默认值) = newscores
print(d)
#使用字典格式化字符串
str1 ="今年是%4.0f年""我在学习%s"
print(str1%(2019,'Python')) #普通的格式化字符串
str2 = "今年是%(nian)4.0f年""我在学习%(name)s" #字典格式化字符串
print(str2 % {'nian':2019,'name':'Python'})
总结:
两种字符格式化原理其时是一样的,不同的时第一种是根据字符的先后位置来填充字符串;而字典格式化字符串则是根据设置好的key来指定对应的value
原文:https://www.cnblogs.com/mlcg/p/11285175.html