当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


Python frozenset()用法及代码示例


frozenset() 函数返回一个不可变的 frozenset 对象,该对象使用给定迭代中的元素初始化。

Frozen set 只是Python set 对象的不可变版本。虽然集合的元素可以随时修改,但冻结集合的元素在创建后保持不变。

因此,冻结集可以用作Dictionary 中的键或作为另一个集合的元素。但像集合一样,它没有顺序(元素可以设置在任何索引处)。

用法:

frozenset([iterable])

参数:

frozenset() 函数采用单个参数:

  • 可迭代(可选)- 包含用于初始化frozenset 的元素的可迭代对象。
    可以设置迭代,字典,元组, 等等。

返回:

frozenset() 函数返回一个不可变的frozenset,并使用给定迭代中的元素进行了初始化。

如果未传递任何参数,则返回一个空的 frozenset

示例 1:Python frozenset() 的工作

# tuple of vowels
vowels = ('a', 'e', 'i', 'o', 'u')

fSet = frozenset(vowels)
print('The frozen set is:', fSet)
print('The empty frozen set is:', frozenset())

# frozensets are immutable
fSet.add('v')

输出

The frozen set is: frozenset({'a', 'o', 'u', 'i', 'e'})
The empty frozen set is: frozenset()
Traceback (most recent call last):
  File "<string>, line 8, in <module>
    fSet.add('v')
AttributeError: 'frozenset' object has no attribute 'add'

示例 2:frozenset() 用于字典

当您将字典用作冻结集的迭代时,它只需要字典的键来创建集合。

# random dictionary
person = {"name": "John", "age": 23, "sex": "male"}

fSet = frozenset(person)
print('The frozen set is:', fSet)

输出

The frozen set is: frozenset({'name', 'sex', 'age'})

冻结集操作

与普通集合一样,frozenset 也可以执行不同的操作,例如 copy , difference , intersection , symmetric_differenceunion

# Frozensets
# initialize A and B
A = frozenset([1, 2, 3, 4])
B = frozenset([3, 4, 5, 6])

# copying a frozenset
C = A.copy()  # Output: frozenset({1, 2, 3, 4})
print(C)

# union
print(A.union(B))  # Output: frozenset({1, 2, 3, 4, 5, 6})

# intersection
print(A.intersection(B))  # Output: frozenset({3, 4})

# difference
print(A.difference(B))  # Output: frozenset({1, 2})

# symmetric_difference
print(A.symmetric_difference(B))  # Output: frozenset({1, 2, 5, 6})

输出

frozenset({1, 2, 3, 4})
frozenset({1, 2, 3, 4, 5, 6})
frozenset({3, 4})
frozenset({1, 2})
frozenset({1, 2, 5, 6})

同样,也可以使用其他设置方法,例如 isdisjoint , issubsetissuperset

# Frozensets
# initialize A, B and C
A = frozenset([1, 2, 3, 4])
B = frozenset([3, 4, 5, 6])
C = frozenset([5, 6])

# isdisjoint() method
print(A.isdisjoint(C))  # Output: True

# issubset() method
print(C.issubset(B))  # Output: True

# issuperset() method
print(B.issuperset(C))  # Output: True

输出

True
True
True

相关用法


注:本文由纯净天空筛选整理自 Python frozenset()。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。