Scala:Map.flatten的用例?

时间:2015-04-11 13:16:52

标签: scala dictionary flatten

documentation on Map.flatten声明如下:

  

将此可遍历集合的映射转换为由这些可遍历集合的元素组成的映射。

我得到了“可遍历集合的地图”。例如,这将是一个列表地图。仅凭这个定义,Map[Int, List[Int]]就符合条件。

但是什么是“由这些可遍历集合的元素组成的地图”?这听起来很简单,但我很难让它发挥作用。

文档中提供的示例代码是......嗯......我们应该说,不适用吗?

val xs = List(
           Set(1, 2, 3),
           Set(1, 2, 3)
         ).flatten
// xs == List(1, 2, 3, 1, 2, 3)

val ys = Set(
           List(1, 2, 3),
           List(3, 2, 1)
         ).flatten
// ys == Set(1, 2, 3)

我尝试了一些不同的东西,但它们会产生同样的错误。以下是几个例子:

scala> val m = Map(List(1) -> List(1,2,3), List(2) -> List(4,5,6), List(3) -> List(7,8,9))
m: scala.collection.immutable.Map[List[Int],List[Int]] = Map(List(1) -> List(1, 2, 3), List(2) -> List(4, 5, 6), List(3) -> List(7, 8, 9))

scala> m.flatten
<console>:9: error: No implicit view available from (List[Int], List[Int]) => scala.collection.GenTraversableOnce[B].
              m.flatten
                ^

scala> val m = Map(1 -> List(1,2,3), 2 -> List(4,5,6), 4 -> List(7,8,9))
m: scala.collection.immutable.Map[Int,List[Int]] = Map(1 -> List(1, 2, 3), 2 -> List(4, 5, 6), 4 -> List(7, 8, 9))

scala> m.flatten
<console>:9: error: No implicit view available from (Int, List[Int]) => scala.collection.GenTraversableOnce[B].
              m.flatten
                ^

我错过了什么?

1 个答案:

答案 0 :(得分:4)

问题是编译器不知道&#34;如何解释存储在地图中的元素。也就是说,解释并不明显,因此您必须将自己隐含的元素视图提供给可遍历的元素。例如,对于您提供的情况,您希望将类型为(Int, List[Int])的映射的每个元素解释为新的元组列表,其中第一个元素是原始元素键,值是每个值最初在给定键的值。在代码中:

implicit val flattener = (t: (Int,List[Int])) ⇒ t._2.map(x ⇒ (t._1, x))

val m = Map(1 → List(1, 2, 3), 2 → List(4, 5), 3 → List(6))
val fm = m.flatten

但你必须提供&#34;展平&#34;自己动手。