2

我正在尝试使用本指南中的示例使用 Spray 的 ExceptionHandler:http: //spray.io/documentation/1.2.2/spray-routing/key-concepts/exception-handling/

class MyServiceActor extends Actor with MyService  {

  def actorRefFactory = context

  def receive = runRoute(handleExceptions(myExceptionHandler)(myRoute))

  implicit def myExceptionHandler(implicit log: LoggingContext) =
    ExceptionHandler {
      case e: ArithmeticException =>
        requestUri { uri =>
          complete(InternalServerError, "Bad numbers, bad result!!!")
        }
    }
}

我故意扔进ArithmeticException这样的路线:

trait MyService extends HttpService {

  val myRoute =
    path("") {
      get {
        complete {
          throw new ArithmeticException("Oops, I failed!")
          "Hello World"
        }
      }
    }
}

如果我使用 curl 发出请求,它会Bad numbers, bad result!!!正确返回错误消息。但是,当使用 Specs2 + spray testkit 进行测试时,它永远不会返回正确的错误消息,而是返回默认的 500 代码错误消息There was an internal server error。即使使用sealRoute也无济于事。

"Test" in {
  Get() ~> sealRoute(myRoute) ~> check {
    println(responseAs[String]) // Always print `There was an internal server error.`
    ok
  }
}

在控制台上,我会看到错误跟踪:

[ERROR] [07/07/2016 00:31:24.661] [specs2.DefaultExecutionStrategy-1] [ActorSystem(com-example-MyServiceSpec)] Error during processing of request HttpRequest(GET,http://example.com/,List(),Empty,HTTP/1.1)
java.lang.ArithmeticException: Oops, I failed!
        at com.example.MyService$$anonfun$1.apply(MyService.scala:62)
        at com.example.MyService$$anonfun$1.apply(MyService.scala:61)
        at spray.routing.directives.RouteDirectives$$anonfun$complete$1$$anon$3.apply(RouteDirectives.scala:49)
        at spray.routing.directives.RouteDirectives$$anonfun$complete$1$$anon$3.apply(RouteDirectives.scala:48)
        at spray.routing.directives.BasicDirectives$$anonfun$mapRequestContext$1$$anonfun$apply$1.apply(BasicDirectives.scala:30)
        ...

我在其中放了一个 println 命令,myExceptionHandler发现 myExceptionHandler 永远不会被执行。

有谁知道为什么它不起作用以及解决方案?

4

1 回答 1

0

显然sealRoute还不够,因为异常处理程序是隐式解析的,如下所述:http: //spray.io/documentation/1.2.4/spray-testkit/

在您的情况下,有一个异常处理程序,但是在您使用/MyServiceActor的测试用例中直接使用,因此不会拾取异常处理程序。MyServicemyRoute

这个文档页面很有用:http ://spray.io/documentation/1.2.4/spray-routing/key-concepts/exception-handling/

解决方案是在测试用例中引入一个隐含的ExceptionHandler范围。所以在这个例子中:

"Test" in {
  implicit val testExceptionHandler = ExceptionHandler {
    case e: ArithmeticException =>
      requestUri { uri =>
        complete(InternalServerError, "Bad numbers, bad result!!!")
      }
  }
  Get() ~> sealRoute(myRoute) ~> check {
    println(responseAs[String])
    ok
  }
}

它起作用了,但是复制当然不是超级优雅。也许您可以从测试中访问异常处理程序MyServiceActor并重用生产代码。我只是将testExceptionHandler所有测试都继承自一个基类。

于 2018-02-15T17:46:24.680 回答