有两个列表[1,3,5,7],[3,7,8,9]用pyhton代码实现两个列表求并集
时间: 2023-10-28 18:04:51 浏览: 76
可以使用set()函数将列表转化为集合,然后使用union()函数求并集。
代码如下:
```
list1 = [1, 3, 5, 7]
list2 = [3, 7, 8, 9]
set1 = set(list1)
set2 = set(list2)
union_set = set1.union(set2)
print(union_set)
```
输出结果:
```
{1, 3, 5, 7, 8, 9}
```
相关问题
两个列表[1,3,5,7],[3,7,8,9] ,用用pyhton代码实现:两个列表求交集 [3,7]
可以使用Python中的集合(set)来实现两个列表的求交集操作。代码如下:
```
list1 = [1, 3, 5, 7]
list2 = [3, 7, 8, 9]
set1 = set(list1)
set2 = set(list2)
intersection = list(set1 & set2)
print(intersection)
```
输出结果为[3, 7]。其中,`set1`和`set2`分别将`list1`和`list2`转换成集合,`&`运算符求出两个集合的交集,最后将交集转换成列表即可。
pyhton讲两个列表合并
可以使用extend()方法将一个列表中的元素添加到另一个列表中,从而实现两个列表的合并。示例代码如下:
list1 = [1, 2, 3]
list2 = [4, 5, 6]
list1.extend(list2)
print(list1)
输出结果为:[1, 2, 3, 4, 5, 6]
阅读全文