本文共 1629 字,大约阅读时间需要 5 分钟。
set()建立的集合都是可以原处修改的集合,或者说可变的,也可以说是unhashable。
frozenset() 是一种不变的集合,或者说该集合类型是hashable。
说明⚠️: frozen 冻结的
>>> frozen_setfrozenset(['h', 'o', 'n', 'p', 't', 'y'])>>> frozen_set.add("learn")Traceback (most recent call last): File "", line 1, in AttributeError: 'frozenset' object has no attribute 'add'
说明⚠️: 根据报错信息来看,frozenset 集合不支持修改!
只有一种关系,元素要么属于集合,要么不属于。
>>> set1set(['h', 'o', 'n', 'p', 't', 'y'])>>> set2set(['i', 'h', 'n', 'p', 't', 'y'])>>> set1 == set2False # set1,set2并不相等
如判断集合A是否是集合B的子集,可以使用A<B,返回true则是子集,否则不是。也可以使用函数A.issubset(B)判断。
>>> set1set(['h', 'o', 'n', 'p', 't', 'y'])>>> set3set(['e', 'd', 'h', 'o', 'n', 'p', 't', 'y'])>>> set1 < set3True #set1 是 set3 的子集
或者使用issubset()函数进行判断:
>>> set1.issubset(set3)True>>> set3.issubset(set1)False
>>> set2set(['t', 'w', 'f'])>>> set4set(['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'])
>>> set5set(['a', 'd', 't'])>>> set6set(['a', 'e', 'd', 't'])>>> set5 & set6 # 使用“&” 得到两个集合的交集set(['a', 'd', 't'])
或者使用intersection()函数进行判断:
>>> set5.intersection(set6)set(['a', 'd', 't'])
>>> set4set(['a', 'h', 'z', 'o'])>>> set6set(['a', 'e', 'd', 't'])>>> set4 - set6set(['h', 'z', 'o'])>>> set6 - set4set(['e', 'd', 't'])
或者使用difference()函数,如下:
>>> set4.difference(set6)set(['h', 'z', 'o'])>>> set6.difference(set4)set(['e', 'd', 't'])
转载于:https://blog.51cto.com/wutengfei/2286708