假设我可以控制这两个类并且我需要协变过滤,那么根据这些对象的类型参数过滤对象集合的最佳方法是什么?
这是一些无法正常工作的代码:
trait Foo
case class Foo1() extends Foo
trait ReadableFoo extends Foo {def field: Int}
case class Foo2(field: Int, flag: Boolean) extends ReadableFoo
case class Foo3(field: Int, name: String) extends ReadableFoo
case class Bar[+F <: Foo](foo: F)
val seq = Seq(
Bar[Foo1](Foo1()),
Bar[Foo2](Foo2(1,true)),
Bar[Foo3](Foo3(1,"Fooz"))
)
// Should keep one
val first = seq collect {case x: Bar[Foo2] => x}
// Should keep two
val both = seq collect {case x: Bar[ReadableFoo] => x}
现在,我知道这是因为case x: Bar[Foo1]
通过类型擦除将其转换为case x: Bar[_]
编译后。我一直无法使用清单来解决这个问题。有没有办法添加一个成员类型(即memberType = F
)Bar
,我可以像这样打开case x if (x.memberType <:< ReadableFoo) => x
?
更新
0__ 很快就找到了解决原问题的好办法。一个轻微的修改是当案例类字段本身是一个集合时:
case class Bar[+F <: Foo](foo: Seq[F])
val seq = Seq(
Bar[Foo1](Seq(Foo1())),
Bar[Foo2](Seq(Foo2(1,true))),
Bar[ReadableFoo](Seq(Foo2(1,true), Foo3(1,"Fooz")))
)
// Should keep one
val first = seq collect {case x: Bar[Foo2] => x}
// Should keep two
val both = seq collect {case x: Bar[ReadableFoo] => x}
我不确定这是否可行,因为Seq
可能是空的,因此没有要测试的元素。