给定多个骰子的重复排列

Permutations with repetition given a number of dices

我一直在网上寻找解决方案,但找不到答案,主要是因为我的英语不好(我无法提出正确的问题)。

我需要生成一个列表,其中包含给定多个骰子的所有可能的骰子排列(组合)。

例如,2 个骰子应该给出以下列表:

[(1, 1), (1, 2), (1, 3), (1, 4), (1, 5), (1, 6),
(2, 1), (2, 2), (2, 3), (2, 4), (2, 5), (2, 6),
(3, 1), (3, 2), (3, 3), (3, 4), (3, 5), (3, 6),
(4, 1), (4, 2), (4, 3), (4, 4), (4, 5), (4, 6),
(5, 1), (5, 2), (5, 3), (5, 4), (5, 5), (5, 6),
(6, 1), (6, 2), (6, 3), (6, 4), (6, 5), (6, 6)]

我正在考虑使用 itertools 作为以下代码:

from itertools import permutations

perm = permutations([1, 2, 3, 4, 5, 6], 2)

print(list(perm))

然而,当我 运行 它时,我得到了与需要完全相同的结果,但没有重复数字:

[(1, 1), (2, 2), (3, 3), (4, 4), (5, 5), (6, 6)]

我也可以使用下面的代码:

lst = []

for i in list(range(1,7)):
    for j in list(range(1,7)):
        lst.append([i, j])
                  
print(lst)

...但我必须提前知道我使用了多少个骰子。

希望我能正确解释我的问题。我很抱歉我的英语。

您要找的是 Cartesian Productitertools 有一个名为 product 的方法可以为您完成此操作。

在你的情况下,你会像这样使用它:

from itertools import product
prod = product([1,2,3,4,5,6], repeat=2)

print(list(prod))