数组并集 python
时间: 2024-08-12 12:03:57 浏览: 54
Python数组并集交集补集代码实例
在Python中,计算数组的并集通常涉及集合(set)的操作,因为集合数据结构天然支持并集、交集和差集等操作。如果你有两个列表或者其他类型的数组,你可以先将它们转换为集合,然后直接求并集。
例如,假设你有两个列表 `list1` 和 `list2`:
```python
# 定义两个列表
list1 = [1, 2, 3, 4]
list2 = [3, 4, 5, 6]
# 将列表转换为集合
set1 = set(list1)
set2 = set(list2)
# 计算并集
union_set = set1.union(set2)
```
`union_set` 现在就是 `list1` 和 `list2` 的并集,其中不会有重复的元素。如果你需要得到一个列表形式的结果,可以再次将其转换回列表:
```python
# 转换回列表
union_list = list(union_set)
```
阅读全文