python--集合概念和实战
可变的集合
set()建立的集合都是可以原处修改的集合,或者说可变的,也可以说是unhashable。
不变的集合
frozenset() 是一种不变的集合,或者说该集合类型是hashable。
说明⚠️: frozen 冻结的
>>> frozen_set
frozenset(['h', 'o', 'n', 'p', 't', 'y'])
>>> frozen_set.add("learn")
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'frozenset' object has no attribute 'add'
说明⚠️: 根据报错信息来看,frozenset 集合不支持修改!
集合运算
元素与集合的关系
只有一种关系,元素要么属于集合,要么不属于。
集合和集合的关系
两个集合是否相等
>>> set1
set(['h', 'o', 'n', 'p', 't', 'y'])
>>> set2
set(['i', 'h', 'n', 'p', 't', 'y'])
>>> set1 == set2
False # set1,set2并不相等
一个集合是否是另一个集合的子集
如判断集合A是否是集合B的子集,可以使用A<B,返回true则是子集,否则不是。也可以使用函数A.issubset(B)判断。
>>> set1
set(['h', 'o', 'n', 'p', 't', 'y'])
>>> set3
set(['e', 'd', 'h', 'o', 'n', 'p', 't', 'y'])
>>> set1 < set3
True #set1 是 set3 的子集
或者使用issubset()函数进行判断:
>>> set1.issubset(set3)
True
>>> set3.issubset(set1)
False
两个集合的并集,即两个集合的所有元素
>>> set2
set(['t', 'w', 'f'])
>>> set4
set(['a', 'h', 'z', 'o'])
>>> set2|set4 # 使用 “|” 得到就是两个集合并集
set(['a', 't', 'w', 'f', 'h', 'z', 'o'])
或者使用union()函数进行判断:
>>> set2.union(set4)
set(['a', 't', 'w', 'f', 'h', 'z', 'o'])
两个集合的交集,即两个集合的公有的元素
>>> set5
set(['a', 'd', 't'])
>>> set6
set(['a', 'e', 'd', 't'])
>>> set5 & set6 # 使用“&” 得到两个集合的交集
set(['a', 'd', 't'])
或者使用intersection()函数进行判断:
>>> set5.intersection(set6)
set(['a', 'd', 't'])
两个集合相对的差(补),即A相对B不同部分的元素
>>> set4
set(['a', 'h', 'z', 'o'])
>>> set6
set(['a', 'e', 'd', 't'])
>>> set4 - set6
set(['h', 'z', 'o'])
>>> set6 - set4
set(['e', 'd', 't'])
或者使用difference()函数,如下:
>>> set4.difference(set6)
set(['h', 'z', 'o'])
>>> set6.difference(set4)
set(['e', 'd', 't'])