我正在编写可以捕获特定类型异常的函数。
def myFunc[A <: Exception]() {
try {
println("Hello world") // or something else
} catch {
case a: A => // warning: abstract type pattern A is unchecked since it is eliminated by erasure
}
}
在这种情况下绕过jvm类型擦除的正确方法是什么?
答案 0 :(得分:22)
您可以使用this answer中的ClassTag
。
但我更喜欢这种方法:
def myFunc(recover: PartialFunction[Throwable, Unit]): Unit = {
try {
println("Hello world") // or something else
} catch {
recover
}
}
用法:
myFunc{ case _: MyException => }
使用ClassTag
:
import scala.reflect.{ClassTag, classTag}
def myFunc[A <: Exception: ClassTag](): Unit = {
try {
println("Hello world") // or something else
} catch {
case a if classTag[A].runtimeClass.isInstance(a) =>
}
}
另请注意,一般情况下,您应使用Try
recover
方法:Try
仅会捕获NonFatal
个例外。
def myFunc(recover: PartialFunction[Throwable, Unit]) = {
Try {
println("Hello world") // or something else
} recover {
recover
}.get // you could drop .get here to return `Try[Unit]`
}
答案 1 :(得分:2)
对于每种类型检查(例如case a: A
),JVM需要相应的class
对象来执行检查。在您的情况下,JVM没有类对象,因为A
是一个变量类型参数。但是,您可以通过隐式将A
传递给Manifest[A]
来获取有关myFunc
的其他信息。作为简写,您只需将: Manifest
添加到A
的类型声明:
def myFunc[A <: Exception : Manifest]() {
try {
println("Hello world") // or something else
} catch {
case a: A => // warning: abstract type pattern A is unchecked since it is eliminated by erasure
}
}