我count
在 Scala 2.9.2 中有一个递归函数,看起来像这样
def count(traces: Seq[(Char, Char)], acc: (TP, TN, FP, FN)): (TP, TN, FP, FN) = {
val (tp, tn, fp, fn) = acc
traces match {
case Nil => acc
case ('(', '(')::rest => count(rest, (tp + 1, tn, fp, fn))
case (')', ')')::rest => count(rest, (tp + 1, tn, fp, fn))
case ('(', ')')::rest => count(rest, (tp, tn + 1, fp, fn))
// ... exhaustive set of cases ...
}
}
在输入Seq(('(', '('))
时,函数会抛出以下内容MatchError
:
scala.MatchError: Vector(((,()) (of class scala.collection.immutable.Vector)
我通过使用 Scala 控制台中的代码对此进行了调查。
scala> val t = Seq(('a', 'b'), ('b', 'c'))
t: Seq[(Char, Char)] = List((a,b), (b,c))
scala> t match { case Nil => "h"; case ('a', 'b')::rest => rest }
res6: java.lang.Object = List((b,c))
scala> t1 match { case Nil => "h"; case ('a', 'b')::rest => rest }
scala.MatchError: List((b,c)) (of class scala.collection.immutable.$colon$colon)
似乎匹配('a', 'b')::rest
(第二行)没有返回正确类型的对象,因为Seq[(Char, Char)]
突然java.lang.Object
变成了 Scala 不知道如何匹配的类型。
什么解释了这种行为?