提示:文章写完后,目录可以自动生成,如何生成可参考右边的帮助文档
集合和字典(Python)
集合
# 集合
cast = set()
# 查看元素数量
number = len(cast)
# 增加元素
cast.add('The name of element')
# 删除元素
cast.remove("The name of element") # 或者 cast.discard("The name of element")
# 两个集合合并
cast2 = set()
cast_U = cast.union(cast2) # 合并返回一个新的集合,不会修改任何一个集合
# 交集
inBoth = cast.intersection(cast2)
# 差集
cast.difference(cast2) # 差集有顺序关系
字典
contacts = {'Fred': 7235591,'Mary': 3841212, 'Bob': 3841212, 'Sarag': 2213278}
# 访问字典
contacts['Fred']
# 修改值
contacts['Mary'] = 2228102
# 增加项
contacts['Adam'] = 'Blue'
# 删除项
contacts.pop('Fred')
# 迭代字典项
for item in contacts.items():
print(item[0],item[1]) # item[0]存储的是字典的键,item[1]存储的是字典的值
'''或者
for (key, value) in contacts.items:
print(key,value)
'''
两个长度相等的列表组成字典,重复的键值以列表形式存储
value = [1,2,3,4,5,6]
key = ['a','a','a','b','b','c']
dict1 = {}
for i in range(len(value)):
if key[i] in dict1.keys():
dict1[key[i]].append(value[i])
continue
dict1[key[i]]=[value[i]]
print(dict1)