Overriding onRouteRequest with custom handler in Play! scala

天大地大妈咪最大 提交于 2019-11-30 09:02:16

问题


I'm using Play 2.2.1 and trying to override the onRouteRequest function in GlobalSettings. All the examples that I found online are for before Play 2.2.x and they don't seem to work in 2.2.x. Basically want to set some custom stuff in the response header for all responses.

So far, I've tried the following, based on this:

object Global extends GlobalSettings {

  override def onRouteRequest(request: RequestHeader): Option[Handler] = {
    super.onRouteRequest(request).map { handler =>
      handler match {
        case a: Action[_] => CustomAction(a)
        case _            => handler
      }
    }
  }

However this doesn't work as nothing matches Action[_].

Thanks a lot for all the help in advance!


回答1:


You need to match on an EssentialAction instead of Action. Here is an example which shows how to set the "pragma" header to "no-cache" for every request in playframework 2.2

import play.api._
import play.api.mvc._
import play.api.Play.current
import play.api.http.HeaderNames._

object Global extends GlobalSettings {

  def NoCache(action: EssentialAction): EssentialAction = EssentialAction { request =>
    action(request).map(_.withHeaders(PRAGMA -> "no-cache"))
  }

  override def onRouteRequest(request: RequestHeader): Option[Handler] = {
    if (Play.isDev) {
      super.onRouteRequest(request).map { handler =>
        handler match {
          case a: EssentialAction => NoCache(a)
          case other => other
        }
      }
    } else {
      super.onRouteRequest(request)
    }
  }
}

The code is ported from the question you are refering to which targeted a previous playframework version.

Since playframework 2.1 you can also use doFilter instead of onRouteRequest to achieve the same:

override def doFilter(action: EssentialAction) = EssentialAction { request =>
  if (Play.isDev) {
    action(request).map(_.withHeaders(
      PRAGMA -> "no-cache"
    ))
  } else {
    action(request) 
  }
}


来源:https://stackoverflow.com/questions/20533289/overriding-onrouterequest-with-custom-handler-in-play-scala

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!