我正在努力学习Scala,到目前为止它似乎是一种非常强大的语言,但有些事情似乎难以实现,可能只是我的学习曲线。我已经在网上研究了几天,但找不到一个好的解决方案来做我想做的事。
我有多个方法(具有不同的签名,包括返回类型),我想在重试逻辑中包含它。
我希望继续调用方法预定次数,直到方法成功为止。
以下是一个例子:
def downloadLocal(memory: Boolean, userName: Name, version: Int): Int
def downloadRemote(
memory: Boolean, userName: Name, masterNodeId: String, masterNodeId: String
): Pair(Int, Int)
我想在重试逻辑中包装这两个方法。这是我对重试逻辑的尝试:
trait WithRetry{
def withRetry(retry :Int){
try{
callBack
}catch{
case exception:Throwable =>
if(retry>0){
logger.warn(exec+" method failed with an exception. retry number is:" + retry);
logger.warn(exception);
withRetry(retry-1)
}
else{
throw exception
}
}
}
def callBack():Any
}
我遇到的问题是我无法在重试逻辑中找到一种简洁的方法来包裹我的方法(downloadRemote
和downloadLocal
)。
有任何建议/想法吗?
答案 0 :(得分:3)
您可以定义一个通用函数:
import scala.util.{Try, Success, Failure}
def retry[T](times: Int)(block: => T): T = Try(block) match {
case Success(result) => result
case Failure(e) =>
if (times > 0) {
logger.warn(s"method failed with an exception, retry #$times")
logger.warn(exception)
retry(times - 1)(block)
}
else throw e
}
这是一个尾递归函数,因此它与在Java中的for循环中调用函数一样高效。
然而,更多惯用的Scala将返回Try
:
def retry2[T](times: Int)(block: => T): Try[T] =
Try(block) match {
case Failure(e) if (times > 0) =>
logger.warn(s"method failed with an exception, retry #$times")
logger.warn(exception)
retry2(times - 1)(block)
case other => other
}
两个版本都可以用作:
def failRandomly: Int =
if (scala.util.Random.nextInt < 0.80) throw new Exception("boom")
else 1
scala> retry(2)(failRandomly)
res0: Int = 1
scala> retry(2)(failRandomly)
java.lang.Exception: boom // ...
scala> retry2(2)(failRandomly)
res1: scala.util.Try[Int] = Success(1)
scala> retry2(2)(failRandomly)
res2: scala.util.Try[Int] = Failure(java.lang.Exception: boom)