Python 集合 intersection_update() 方法
示例
删除 x
和 y
中都不存在的项
x = {"apple", "banana", "cherry"}
y = {"google", "microsoft", "apple"}
x.intersection_update(y)
print(x)
自己试试 »
定义和用法
The intersection_update()
方法删除在两个集合(或如果在两个以上集合之间进行比较,则在所有集合中)都不存在的项。
The intersection_update()
方法与 intersection()
方法不同,因为 intersection()
方法返回一个新的集合,不包含不需要的项,而 intersection_update()
方法删除原始集合中的不需要的项。
作为快捷方式,您可以使用 &=
运算符,请参阅下面的示例。
语法
set.intersection_update(set1, set2 ... 等)
参数值
参数 | 描述 |
---|---|
set1 | 必需。要搜索相同项的集合 |
set2 | 可选。要搜索相同项的其他集合。 您可以比较任意数量的集合。 用逗号隔开集合 |
较短的语法
set &= set1 & set2 ... 等
参数值
参数 | 描述 |
---|---|
set1 | 必需。要搜索相同项的集合 |
set2 | 可选。要搜索相同项的其他集合。 您可以比较任意数量的集合。 用 & (与运算符)隔开集合。请参阅下面的示例。 |
更多示例
示例
使用 &=
作为 intersection_update()
的快捷方式
x = {"apple", "banana", "cherry"}
y = {"google", "microsoft", "apple"}
x &= y
print(x)
自己试试 »
示例
比较 3 个集合,并返回一个包含所有 3 个集合中都存在的项的集合
x = {"a", "b", "c"}
y = {"c", "d", "e"}
z = {"f", "g", "c"}
x.intersection_update(y, z)
print(x)
自己试试 »
示例
使用 &=
运算符连接 3 个集合
x = {"a", "b", "c"}
y = {"c", "d", "e"}
z = {"f", "g", "c"}
x &= y & z
print(result)
自己试试 »