关于列表的独特(笛卡尔)产品有很多问题,但我正在寻找一些我在任何其他问题中都没有找到的特殊内容。
我的输入将始终包含两个列表。当列表相同时,我希望获得所有组合,但当它们不同时,我需要唯一的产品(即订单无关紧要)。 然而,此外我还需要保留订单,因为输入列表的顺序很重要。事实上,我需要的是第一个列表中的项应该始终是产品元组的第一项。
我有以下工作代码,它做了我想要的事情,除了我没有设法找到一个好的,有效的方法来保持订单如上所述。
import itertools
xs = ['w']
ys = ['a', 'b', 'c']
def get_up(x_in, y_in):
if x_in == y_in:
return itertools.combinations(x_in, 2)
else:
ups = []
for x in x_in:
for y in y_in:
if x == y:
continue
# sort so that cases such as (a,b) (b,a) get filtered by set later on
ups.append(sorted((x, y)))
ups = set(tuple(up) for up in ups)
return ups
print(list(get_up(xs, ys)))
# [('c', 'w'), ('b', 'w'), ('a', 'w')]
如您所见,结果是按字母顺序排序的唯一元组列表。我使用了排序,所以我可以使用一组来过滤重复的条目。但是因为第一个列表(xs
)包含w
,所以我希望元组将w
作为第一项。
[('w', 'c'), ('w', 'b'), ('w', 'a')]
如果两个列表之间存在重叠,则两个列表中出现的项目顺序无关紧要。因此,对于xs = ['w', 'a', 'b']
和ys = ['a', 'b', 'c']
,a
的顺序并不重要<重要
[('w', 'c'), ('w', 'b'), ('w', 'a'), ('a', 'b'), ('a', 'c'), ('b', 'c')]
^
或
[('w', 'c'), ('w', 'b'), ('w', 'a'), ('a', 'c'), ('b', 'a'), ('b', 'c')]
^
最好我最终得到一个生成器(如combinations
返回)。我也只对Python&gt; = 3.6感兴趣。
答案 0 :(得分:0)
我会回答我自己的问题,不过我打赌使用itertools或其他人有更好的解决方案。
xs = ['c', 'b']
ys = ['a', 'b', 'c']
def get_unique_combinations(x_in, y_in):
""" get unique combinations that maintain order, i.e. x is before y """
yielded = set()
for x in x_in:
for y in y_in:
if x == y or (x, y) in yielded or (y, x) in yielded:
continue
yield x, y
yielded.add((x, y))
return None
print(list(get_unique_combinations(xs, ys)))
答案 1 :(得分:0)
以保持顺序的方式收集元组(如列表相同时),然后通过删除其倒数也在列表中的元组进行过滤。
if x_in == y_in:
return itertools.combinations(x_in, 2)
else:
seen = set()
for a,b in itertools.product(x_in, y_in):
if a == b or (b, a) in seen:
continue
else:
yield (a,b)
seen.add((a,b))
这将以(x, y)
顺序为您提供元组;当(a,b)
和(b,a)
都出现时,您只会获得首先看到的订单。