提供的indexedMap类型有一个List函数:(http://package.elm-lang.org/packages/elm-lang/core/2.0.0/List#indexedMap

indexedMap : (Int -> a -> b) -> List a -> List b
Same as map but the function is also applied to the index of each element (starting at zero).

indexedMap (,) ["Tom","Sue","Bob"] == [ (0,"Tom"), (1,"Sue"), (2,"Bob") ]


我定义了Grid类型的type alias Grid a = List (List a)

我想为此签名为indexedMapGrid类型创建类似的indexedMap : ((Int, Int) -> a -> b) -> Grid a -> Grid b函数,但请注意确定如何操作。

最佳答案

您必须使用List.indexedMap两次:

indexedMap f grid =
  List.indexedMap
    (\outer list -> List.indexedMap (\inner item -> f (outer,inner) item) list)
    grid


第一个List.indexedMap处理“外部列表”,第二个List.indexedMap处理“内部列表”,其中outerinner分别引用这两个列表中的索引。

如果您更喜欢没有重点的样式,也可以使用

indexedMap f =
  List.indexedMap
    (\outer -> List.indexedMap (\inner -> f (outer,inner)))

07-24 17:04