第 1 部分:首先让我们解决柯里化语法:
withUser
是一种采用f
类型为 curried 函数的方法User => Request[AnyContent] => Result
。它接受一个User
对象并返回另一个接受 aRequest
并返回 a 的函数Result
。分解它,如果f
是那个功能,那么:
val g = f(user) // g is a function
val result = g(request) // returns a result
// same as:
val result = f(user)(request)
实际上f
,它就像一个带有两个参数的函数,而不是调用f(a, b)
你 call f(a)(b)
。
withAuth
也是一种采用柯里化函数的方法。它的类型几乎与withUser
.
第 2 部分:现在如何使用这些方法:
正如这里所解释的,play 让您通过告诉它如何将Request
对象转换为Result
对象来定义您的应用程序逻辑。
withAuth
是一个辅助函数,负责为您进行身份验证并方便地检索用户名。所以你像这样使用它:
def index = withAuth { username => implicit request =>
Ok(html.index(username))
}
它返回一个接受 aRequest
并返回 a的函数Result
,这正是 play 所需要的。但它需要的是一个柯里化函数(接受用户名)并返回一个函数(接受请求)。请求参数被标记为隐式,因此它可以隐式传递给任何需要隐式请求参数的函数/方法调用。出于本说明的目的,只需忽略implicit
关键字。
第 3 部分:翻译withUser
好吧,它的签名类似于,withAuth
目标是以相同的方式使用它,除了第一个参数将是 aUser
而不是 a String
。所以它必须采取一个User => Request => Result
. 请求特征接受一个类型参数,该参数指示其内容的类型。在这里AnyContent
。所以参数的正确类型withUser
是User => Request[AnyContent] => Result
。这意味着您将能够像这样使用它:
withUser { user => implicit request =>
// do something with user and request to return a result
}
如果您查看 的定义withUser
,它所做的就是调用withAuth
:
def withUser(f: User => Request[AnyContent] => Result) = withAuth {
// ...
}
因此,它将返回相同的类型,withAuth
这意味着它将返回一个将 aRequest
转换为 a的函数Result
(参见上面的第 2 部分)。这意味着我们将能够像这样使用它:
def index = withUser { user => implicit request =>
Ok(html.index(user))
}
作为参数传递的withAuth
是柯里化函数。我介绍了中间val
,以便您可以遵循以下类型:
username => // first param is the username as a String
implicit request => // second param is the request
// here we have to return a Result...
// we lookup the user - we may not have one:
val userOption: Option[User] = UserDAO.findOneByUsername(username)
// f is the code block that will be provided inside withUser { f }
// Part 1 explains the f(user)(request) syntax
// We call f to get a result, in the context of the Option monad
val resultOption: Option[Result] = userOption.map(user => f(user)(request))
// if we have a result, return it; otherwise return an error.
resultOption.getOrElse(onUnauthorized(request))