有两种定义 PF 的方法:1) 使用文字 case {}
语法和 2) 作为显式类。我需要以下函数抛出 MatchError,但在第二种情况下不会发生。
1) 带 shell
val test: PartialFunction[Int, String] = {
case x if x > 100 => x.toString
}
2)作为类(class)
val test = new PartialFunction[Int, String] {
def isDefinedAt(x: Int) = x > 100
def apply(x: Int) = x.toString
}
在秒的情况下,我是否应该手动调用
isDefinedAt
,编译器不应该隐式调用它吗? 最佳答案
您必须在 isDefinedAt
方法中手动调用 apply
:
val test = new PartialFunction[Int, String] {
def isDefinedAt(x: Int) = x > 100
def apply(x: Int) = if(isDefinedAt(x)) x.toString else throw new MatchError(x)
}
如果你想避免这段代码,你可以简单地使用第一种方法来定义你的部分函数。它是语法糖,将导致
isDefinedAt
和 apply
的有效定义。如 Scala language specification 中所述,您的第一个定义将扩展为以下内容:val test = new scala.PartialFunction[Int, String] {
def apply(x: Int): String = x match {
case x if x > 100 => x.toString
}
def isDefinedAt(x: Int): Boolean = {
case case x if x > 100 => true
case _ => false
}
}
关于scala - PartialFunction 和 MatchError,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/17806246/