0

val a = List ("a", 1, 2.34, "b", List(6,7))
a: List[Any] = List(a, 1, 2.34, b, List(6, 7))

所以

a.collect { case s: String => s }
res: List[String] = List(a, b)

然而

a.collect { case s: List[Int] => s }

警告说

non-variable type argument Int in type pattern List[Int] is unchecked 
since it is eliminated by erasure
              a.collect { case s: List[Int] => s }
                                  ^
res: List[List[Int]] = List(List(6, 7))

因此询问是否有一种无警告/正确的方法来收集整数列表。

非常感谢。

4

2 回答 2

3

在 JVM 上,在运行时没有足够的信息来知道 List 是否是 List[Int]。即使是 List[Any] 也可能恰好只包含 Ints,并且绝对无法判断它具有哪种编译时类型。但是,您可以编写以下代码之一:

  1. 对于 a 中的每个 List,产生 Ints 的子集。

  2. 生成仅包含 Int 的列表。

  3. 与 #1 相同,但消除了空列表。

例如,#1 可以编码为

a collect { case list:List[_] => list collect { case x:Int => x } }
于 2014-04-08T05:03:09.860 回答
1

作为@AmigoNico 答案的补充,有一些实用函数将所有这些封装在一个干净、类型安全的函数后面,例如ShapelessTypeable类型类。

使用无形 2.0.0-M1:

scala> val a = List ("a", 1, 2.34, "b", List(6,7))
a: List[Any] = List(a, 1, 2.34, b, List(6, 7))

scala> import syntax.typeable._
import syntax.typeable._

scala> a.flatMap(_.cast[List[Int]])
res0: List[List[Int]] = List(List(6, 7))

scala> a.flatMap(_.cast[List[String]])
res1: List[List[String]] = List()

请参阅无形特征概述中的类型安全转换。

于 2014-04-08T11:24:17.100 回答