我有两个清单:
list1=['a', 'z', 'd', 'e','b']
list2=['d','e', 'b' ]
我需要这两个列表元素的组合(而不是排列).我已经尝试了itertools.combinations和itertools.product,但我没有得到我想要的.例如,(‘d’,’d’)将是错误的. (‘a’,’z’)也是错误的,因为’a’和’z’属于同一个列表(list1),并且它们中没有一个出现在list2中.最后,我不想要(‘d’,’e’)和(‘e’,’d’) – 只有这些对中的一对,因为顺序并不重要.理想的输出是:
('a','d'), ('a','e'), ('a','b'),
('z','d'), ('z','e'), ('z','b'),
('d','e'), ('d','b'), ('e','b')
编辑:通常,list2并不总是list1的子集,但我也想处理这种情况.这两个列表也可能存在重叠,而不是完整的子集.
最佳答案 可能效率不高但您可以尝试以下方法:
list1=['a', 'z', 'd', 'e','b']
list2=['d','e', 'b' ]
result = []
for i in list1:
for j in list2:
if i != j and (j,i) not in result:
result.append((i,j))
print(result)
结果:
[('a', 'd'), ('a', 'e'), ('a', 'b'),
('z', 'd'), ('z', 'e'), ('z', 'b'),
('d', 'e'), ('d', 'b'), ('e', 'b')]