我刚刚接触过akka,在学习akka-http时,我被Rest API DSL所吸引,这里有一段代码:
import akka.actor.ActorSystem
import akka.http.scaladsl.Http
import akka.http.scaladsl.model._
import akka.http.scaladsl.server.Directives._
import akka.stream.ActorMaterializer
import scala.io.StdIn
object WebServer {
def main(args: Array[String]) {
implicit val system = ActorSystem("my-system")
implicit val materializer = ActorMaterializer()
// needed for the future flatMap/onComplete in the end
implicit val executionContext = system.dispatcher
val route =
path("hello") {
get {
complete("Say hello to akka-http")
}
}
val bindingFuture = Http().bindAndHandle(route, "localhost", 8080)
println(s"Server online at http://localhost:8080/\nPress RETURN to stop...")
StdIn.readLine() // let it run until user presses return
bindingFuture
.flatMap(_.unbind()) // trigger unbinding from the port
.onComplete(_ => system.terminate()) // and shutdown when done
}
}
我无法理解的是val route = path("hello") {....}
。我知道“path”方法将返回一个指令,而“get”方法也是一个指令,但我无法理解指令如何通过大括号“{}”“嵌入”另一个指令。
我知道,必须有一些隐式转换,通过调试,我看到,应用了以下隐式转换:akka.http.scaladsl.server.Directive#addByNameNullaryApply
implicit def addByNameNullaryApply(directive: Directive0): (⇒ Route) ⇒ Route =
r ⇒ directive.tapply(_ ⇒ r)
任何人都可以向我解释:这种隐式转换如何被选中并发生?什么剂量的适用和tapply尝试做?非常感谢!
答案 0 :(得分:5)
首先:
val bindingFuture = Http().bindAndHandle(route, "localhost", 8080)
等于:
val bindingFuture = Http().bindAndHandle(Route.handlerFlow(route), "localhost", 8080)
Route.handlerFlow
方法用于将Route
转换为Flow[HttpRequest, HttpResponse, NotUsed]
,因为我们看到bindAndHandle
接受handler
类型为:Flow[HttpRequest, HttpResponse, Any]
< / p>
route
实施隐式转化 Flow[HttpRequest, HttpResponse, NotUsed]
至RouteResult.route2HandlerFlow
。这由Directives
扩展,并与import akka.http.scaladsl.server.Directives._
一起使用。
因此当您导入指令时,您会导入此隐式转化。
对于addByNameNullaryApply
,我们可以重写如下代码:
...
val path1: Directive0 = path("hello")
val contextToEventualResult: Route = get(complete("Say hello to akka-http"))
val route: Route = path1.apply(contextToEventualResult)
...
我们可以看到,path1.apply(contextToEventualResult)
使用contextToEventualResult
参数调用高阶函数。但path1
的类型为Directive0
,所以:
implicit def addByNameNullaryApply(directive: Directive0): (⇒ Route) ⇒ Route
用于将Directive0
类型转换为高阶函数,类型为:(⇒ Route) ⇒ Route
。