为什么 set().union(*list1) 给我一个列表中两个列表的并集?
Why does set().union(*list1) gives me the union of two list inside a list?
我正在做作业,这需要我进行代码演练。我想简要说明一下 set().union(*list1) 的工作原理,以便我在演练期间回答。
list1 = [[1,2,3],[1,2,3,5,8]]
x = set().union(*list1)
print(list(x))
#output = [1, 2, 3, 5, 8]
来自文档:https://docs.python.org/3/library/stdtypes.html#frozenset.union
union(*others)
set | other | ...
Return a new set with elements from the set and all others.
也*list
被称为列表解包,我们得到列表里面的两个子列表
In [37]: list1 = [[1,2,3],[1,2,3,5,8]]
In [38]: print(*list1)
[1, 2, 3] [1, 2, 3, 5, 8]
所以您 运行 的代码实质上创建了列表 x
中所有子列表的并集,并且因为您知道集 [1,2,3]
和 [=16= 的并集] 是 [1,2,3,5,8]
,因此是预期的结果。
请注意,这相当于 list(set([1,2,3]).union(set([1,2,3,5,8])))
我们正在做的 a.union(b)
、a
和 b
是集合
In [31]: list1 = [[1,2,3],[1,2,3,5,8]]
...:
...: x = set().union(*list1)
In [32]: print(list(x))
[1, 2, 3, 5, 8]
In [33]: print(list(set([1,2,3]).union(set([1,2,3,5,8]))))
[1, 2, 3, 5, 8]
除此之外,执行 union
甚至 intersection
的更好方法可能是使用 map(set,list1)
将列表列表转换为集合列表,展开集合然后进行操作
In [39]: list1 = [[1,2,3],[1,2,3,5,8]]
In [40]: print(set.intersection(*map(set,list1)))
{1, 2, 3}
In [41]: print(set.union(*map(set,list1)))
{1, 2, 3, 5, 8}
我正在做作业,这需要我进行代码演练。我想简要说明一下 set().union(*list1) 的工作原理,以便我在演练期间回答。
list1 = [[1,2,3],[1,2,3,5,8]]
x = set().union(*list1)
print(list(x))
#output = [1, 2, 3, 5, 8]
来自文档:https://docs.python.org/3/library/stdtypes.html#frozenset.union
union(*others)
set | other | ...
Return a new set with elements from the set and all others.
也*list
被称为列表解包,我们得到列表里面的两个子列表
In [37]: list1 = [[1,2,3],[1,2,3,5,8]]
In [38]: print(*list1)
[1, 2, 3] [1, 2, 3, 5, 8]
所以您 运行 的代码实质上创建了列表 x
中所有子列表的并集,并且因为您知道集 [1,2,3]
和 [=16= 的并集] 是 [1,2,3,5,8]
,因此是预期的结果。
请注意,这相当于 list(set([1,2,3]).union(set([1,2,3,5,8])))
我们正在做的 a.union(b)
、a
和 b
是集合
In [31]: list1 = [[1,2,3],[1,2,3,5,8]]
...:
...: x = set().union(*list1)
In [32]: print(list(x))
[1, 2, 3, 5, 8]
In [33]: print(list(set([1,2,3]).union(set([1,2,3,5,8]))))
[1, 2, 3, 5, 8]
除此之外,执行 union
甚至 intersection
的更好方法可能是使用 map(set,list1)
将列表列表转换为集合列表,展开集合然后进行操作
In [39]: list1 = [[1,2,3],[1,2,3,5,8]]
In [40]: print(set.intersection(*map(set,list1)))
{1, 2, 3}
In [41]: print(set.union(*map(set,list1)))
{1, 2, 3, 5, 8}