我收到了一个谜题作为礼物。它由 4 个并排排列的立方体组成。每个立方体的面是四种颜色之一。
为了解决这个难题,立方体的方向必须使所有四个立方体的顶部不同,正面不同,背面不同,底部不同。左右两边都无所谓。
我的伪代码解决方案是:
- 创建每个立方体的表示。
- 获取每个立方体的所有可能方向(每个有 24 个)。
- 获取每个立方体的所有可能的方向组合。
- 找到满足解决方案的方向组合。
我在 F# 中使用该伪代码的实现解决了这个难题,但对我执行第 3 步的方式不满意:
let problemSpace =
seq { for c1 in cube1Orientations do
for c2 in cube2Orientations do
for c3 in cube3Orientations do
for c4 in cube4Orientations do
yield [c1; c2; c3; c4] }
上面的代码很具体,只计算出四个方向序列的笛卡尔积。我开始考虑一种方法来为 n 个方向序列编写它。
我想出了(从现在开始的所有代码都应该在 F# 交互中正常执行):
// Used to just print the contents of a list.
let print =
Seq.fold (fun s i -> s + i.ToString()) "" >> printfn "%s"
// Computes the product of two sequences - kind of; the 2nd argument is weird.
let product (seq1:'a seq) (seq2:'a seq seq) =
seq { for item1 in seq1 do
for item2 in seq2 do
yield item1 |> Seq.singleton |> Seq.append item2 }
产品功能可以这样使用......
seq { yield Seq.empty }
|> product [ 'a'; 'b'; 'c' ]
|> product [ 'd'; 'e'; 'f' ]
|> product [ 'h'; 'i'; 'j' ]
|> Seq.iter print
...导致...
let productn (s:seq<#seq<'a>>) =
s |> Seq.fold (fun r s -> r |> product s) (seq { yield Seq.empty })
[ [ 'a'; 'b'; 'c' ]
[ 'd'; 'e'; 'f' ]
[ 'h'; 'i'; 'j' ] ]
|> productn
|> Seq.iter print
这正是我想要的用法。productn 正是我想要的签名并且可以工作。
然而,使用 product 涉及到讨厌的行 seq { yield Seq.empty },它不直观地采用:
- 值序列 (seq<'a>)
- 一系列值序列(seq<seq<'a>>)
第二个论点似乎不正确。
productn 很好地隐藏了那个奇怪的界面,但无论如何仍然在唠叨我。
Are there any nicer, more intuitive ways to generically compute the cartesian product of n sequences? Are there any built in functions (or combination of) that do this?