3

我正在做一个作业,这需要我做一个代码演练。我想简要介绍一下 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]
4

1 回答 1

3

来自文档:https ://docs.python.org/3/library/stdtypes.html#frozenset.union

union(*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]

因此,您运行的代码本质上创建了 list 中所有子列表的x并集,并且由于您知道 set[1,2,3][1,2,3,5,8]is的并集[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}
于 2019-05-09T04:26:46.507 回答