1

我正在编写一个用于验证的库/实用程序。我将有一组元素和一个以某种顺序使用它们的被测系统。该集合代表所有可能的输入,系统将接收这些元素的有限序列。

由于有限序列的集合是无限的,我不打算计算一个集合的所有序列,而是设想使用 python 生成器来完成以下任务:

def seq(s): # s is a set
  length = 0
  nth = 0
  # r = calculate nth sequence of length
  # if there are no more sequences of length, length += 1
  # else n += 1, yield r

我最终会将其扩展到单射和双射序列,但现在集合的元素可以出现任意次数。

生成器是解决这个问题的最佳方法吗?使用这样的生成器会消除递归带来的任何简单性吗?任何人都可以向我指出可能对我有帮助的任何 itertools(或其他模块)捷径吗?

4

1 回答 1

2

听起来您正在寻找itertools.product. 我相信这会满足您的要求:

def seq(s):
    length = 1
    while True:
        for p in itertools.product(s, repeat=length):
            yield p
        length += 1

现在您可以执行以下操作:

>>> zip(range(10), seq(set((1, 2, 3))))
[(0, (1,)), (1, (2,)), (2, (3,)), (3, (1, 1)), (4, (1, 2)), 
 (5, (1, 3)), (6, (2, 1)), (7, (2, 2)), (8, (2, 3)), (9, (3, 1))]

或这个:

>>> test_seq = itertools.izip(itertools.count(), seq(set((1, 2, 3))))
>>> for i in range(10):
...     next(test_seq)
... 
(0, (1,))
(1, (2,))
(2, (3,))
(3, (1, 1))
(4, (1, 2))
(5, (1, 3))
(6, (2, 1))
(7, (2, 2))
(8, (2, 3))
(9, (3, 1))

这也可以使用 other 进一步压缩itertools

>>> from itertools import chain, product, count
>>> s = set((1, 2, 3))
>>> test_seq = chain.from_iterable(product(s, repeat=n) for n in count(1))
>>> zip(range(10), test_seq)
[(0, (1,)), (1, (2,)), (2, (3,)), (3, (1, 1)), (4, (1, 2)), (5, (1, 3)), 
 (6, (2, 1)), (7, (2, 2)), (8, (2, 3)), (9, (3, 1))]
于 2012-04-19T13:25:11.243 回答