我正在解析一个包含各种结构的文件,其中一个是具有异构值的映射。将映射解析到内存后,我想根据值类型对其进行过滤,以获取给定类型的子映射。
为了方便起见,这里有一个简单的类比示例:
// the types I want to filter on
case class A(c: Char)
case class B(c: Char)
// an example for testing
val m: Map[Int, Any] = Map((1 -> A('x')), (2 -> B('p')),
(3 -> A('y')), (4 -> B('q')))
这是一个将地图过滤为 Map[Int, A] 的函数:
// a successful filter function based on A
def as(m: Map[Int, Any]): Map[Int, A] =
for((int, a: A) <- m) yield (int -> a)
你可以想象实际上相同的函数“bs”也是成功的,但我不想写。相反,我想我会写一个通用函数:
// a failed generic filter function
def typeFilter[T](m: Map[Int, Any]): Map[Int, T] =
for((int, t: T) <- m) yield (int -> t)
所以,这是状态:
val aMap: Map[Int, A] = as(m) // works!
val bMap: Map[Int, B] = bs(m) // works!
val aMapGen: Map[Int, A] = typedFilter[A](m) // doesn't work! returns all of m
val bMapGen: Map[Int, B] = typedFilter[B](m) // doesn't work! returns all of m
既然我对这个已经比较严谨了,要进入这个问题,就显得更加奇怪了。Map[Int, A] 如何包含到 B 值的映射?它按声明编译的事实似乎意味着它应该正常运行,但是当我打印 aMapGen 或 bMapGen 的内容时,我看到了 m 的全部内容,包括具有不兼容类型的值。这是我在 Scala 中遇到的第一个类似问题,就像 Java 中类型擦除的挫败感一样。
我很想解释一下为什么会这样,但我的主要目标是能够编写一些可重用的代码来根据类型进行过滤。否则,我将不得不为列表中的所有类型复制/粘贴具有更改类型的函数。
谢谢你的帮助。