10 集合
10.1 创建集合
创建集合使用 { } 或 set(), 但是如果要创建空集合只能使用 set(),因为 { } 用来创建空字典
s1 = {10, 20, 30, 40, 50} print(s1) # {40, 10, 50, 20, 30} s2 = {10, 30, 20, 40, 30, 20} print(s2) # {40, 10, 20, 30} s3 = set('abcdefg') print(s3) # {'a', 'c', 'b', 'f', 'g', 'e', 'd'} s4 = set() print(type(s4)) # set s5 = {} print(type(s5)) # dict- 集合会掉重复数据
- 集合数据是无序的,故不支持下标
10.2 集合操作
10.2.1 增
- add()
s1 = {10, 20} s1.add(100) s1.add(10) print(s1) # {100, 10, 20}- 因为集合有去重功能,所以,当向集合内追加的数据是当前集合已有数据的话,则不进行任何操作
update():追加的数据是序列
s1.update([10, 20, 30, 40, 50]) print(s1) # {40, 10, 50, 20, 30} # s1.update(100) # 报错
10.2.2 删
remove():删除集合中的指定数据,如果数据不存在则报错
s1 = {10, 20} s1.remove(10) print(s1) s1.remove(10) # 报错 print(s1)
discard():删除集合中的指定数据,如果数据不存在也不会报错
s1 = {10, 20} s1.discard(10) print(s1) s1.discard(10) print(s1)
pop():随机删除集合中的某个数据,并返回这个数据
s1 = {10, 20, 30, 40, 50} del_num = s1.pop() print(del_num) print(s1)
10.2.3 查
- in:判断数据在集合序列
not in:判断数据不在集合序列
s1 = {10, 20, 30, 40, 50} print(10 in s1) print(10 not in s1)