我们经常需要传递代码上下文信息,比如正在执行操作的用户。我们将此上下文用于授权检查等各种事情。在这些情况下,隐式值可以证明对减少样板代码非常有用。
假设我们有一个简单的执行上下文,我们传递:case class EC(initiatingUser:User)
我们可以有方便的警卫:
def onlyAdmins(f: => T)(implicit context:EC) = context match{
case EC(u) if(u.roles.contain(Role.ADMIN)) => f
case _ => throw new UnauthorizedException("Only admins can perform this action")
}
val result = onlyAdmins{
//do something adminy
}
我最近发现自己在使用 Akka actor 时需要这样做,但它们使用模式匹配,我还没有找到一种让隐式与提取器很好地工作的好方法。
首先,您需要使用每个命令传递上下文,但这很简单:
case class DeleteCommand(entityId:Long)(implicit executionContext:EC)
//note that you need to overwrite unapply to extract that context
但是接收函数看起来像这样:
class MyActor extends Actor{
def receive = {
case DeleteCommand(entityId, context) => {
implicit val c = context
sender ! onlyAdmins{
//do something adminy that also uses context
}
}
}
}
如果可以将提取的变量标记为隐式,那会简单得多,但我还没有看到这个功能:
def receive = {
case DeleteCommand(entityId, implicit context) => sender ! onlyAdmins{
//do something adminy (that also uses context)
}
}
您是否知道任何其他编码方式以减少样板代码?