The play-pac4j
project is an easy and powerful security library for Play framework v2 web applications which supports authentication and authorization, but also logout and advanced features like CSRF protection. It can work with Deadbolt.
It's based on Play 2.6 (and Scala 2.11 or Scala 2.12) and on the pac4j security engine v3. It's available under the Apache 2 license.
Several versions of the library are available for the different versions of the Play framework:
Play version | pac4j version | play-pac4j version |
---|---|---|
2.0 | 1.7 | play-pac4j_java 1.1.x (Java) / play-pac4j_scala2.9 1.1.x (Scala) |
2.1 | 1.7 | play-pac4j_java 1.1.x (Java) / play-pac4j_scala2.10 1.1.x (Scala) |
2.2 | 1.7 | play-pac4j_java 1.2.x (Java) / play-pac4j_scala 1.2.x (Scala) |
2.3 | 1.7 | play-pac4j_java 1.4.x (Java) / play-pac4j_scala2.10 and play-pac4j_scala2.11 1.4.x (Scala) |
2.4 | 1.9 | play-pac4j 2.3.x (Java & Scala) |
2.5 | 2.0 | play-pac4j 3.0.x (Java & Scala) |
2.5 | 2.0 | play-pac4j_2.11 and play-pac4j_2.12 5.0.x (Java & Scala) |
2.6 | 3.0 | 6.0.x (Java & Scala) |
Do NOT use Play 2.6.3 and 2.6.5 versions which have issues in their Cache implementations!
- A client represents an authentication mechanism. It performs the login process and returns a user profile. An indirect client is for UI authentication while a direct client is for web services authentication:
â–¸ OAuth - SAML - CAS - OpenID Connect - HTTP - OpenID - Google App Engine - LDAP - SQL - JWT - MongoDB - Stormpath - IP address
- An authorizer is meant to check authorizations on the authenticated user profile(s) or on the current web context:
â–¸ Roles / permissions - Anonymous / remember-me / (fully) authenticated - Profile type, attribute - CORS - CSRF - Security headers - IP address, HTTP method
-
The
Secure
annotation / function or theSecurityFilter
protects an url by checking that the user is authenticated and that the authorizations are valid, according to the clients and authorizers configuration. If the user is not authenticated, it performs authentication for direct clients or starts the login process for indirect clients -
The
CallbackController
finishes the login process for an indirect client -
The
LogoutController
logs out the user from the application.
Just follow these easy steps to secure your Play 2 web application:
You need to add a dependency on:
- the
play-pac4j_2.11
orplay-pac4j_2.12
library:"org.pac4j" %% "play-pac4j" % "6.0.0"
- the appropriate
pac4j
submodules (groupId: org.pac4j, version: 3.0.0):pac4j-oauth
for OAuth support (Facebook, Twitter...),pac4j-cas
for CAS support,pac4j-ldap
for LDAP authentication, etc.
All released artifacts are available in the Maven central repository.
The configuration (org.pac4j.core.config.Config
) contains all the clients and authorizers required by the application to handle security.
The Config
is bound for injection in a SecurityModule
(or whatever the name you call it):
In Java:
public class SecurityModule extends AbstractModule {
...
@Override
protected void configure() {
bind(HandlerCache.class).to(Pac4jHandlerCache.class);
bind(Pac4jRoleHandler.class).to(MyPac4jRoleHandler.class);
final PlayCacheSessionStore playCacheSessionStore = new PlayCacheSessionStore(getProvider(SyncCacheApi.class));
//bind(PlaySessionStore.class).toInstance(playCacheSessionStore);
bind(PlaySessionStore.class).to(PlayCacheSessionStore.class);
// callback
final CallbackController callbackController = new CallbackController();
callbackController.setDefaultUrl("/");
callbackController.setMultiProfile(true);
bind(CallbackController.class).toInstance(callbackController);
// logout
final LogoutController logoutController = new LogoutController();
logoutController.setDefaultUrl("/?defaulturlafterlogout");
//logoutController.setDestroySession(true);
bind(LogoutController.class).toInstance(logoutController);
}
@Provides
protected FacebookClient provideFacebookClient() {
final String fbId = configuration.getString("fbId");
final String fbSecret = configuration.getString("fbSecret");
return new FacebookClient(fbId, fbSecret);
}
@Provides
protected TwitterClient provideTwitterClient() {
return new TwitterClient("HVSQGAw2XmiwcKOTvZFbQ", "FSiO9G9VRR4KCuksky0kgGuo8gAVndYymr4Nl7qc8AA");
}
@Provides
protected FormClient provideFormClient() {
return new FormClient(baseUrl + "/loginForm", new SimpleTestUsernamePasswordAuthenticator());
}
...
@Provides
protected SAML2Client provideSaml2Client() {
final SAML2ClientConfiguration cfg = new SAML2ClientConfiguration("resource:samlKeystore.jks",
"pac4j-demo-passwd", "pac4j-demo-passwd", "resource:openidp-feide.xml");
cfg.setMaximumAuthenticationLifetime(3600);
cfg.setServiceProviderEntityId("urn:mace:saml:pac4j.org");
cfg.setServiceProviderMetadataPath(new File("target", "sp-metadata.xml").getAbsolutePath());
return new SAML2Client(cfg);
}
@Provides
protected Config provideConfig(FacebookClient facebookClient, TwitterClient twitterClient, FormClient formClient,
IndirectBasicAuthClient indirectBasicAuthClient, CasClient casClient, SAML2Client saml2Client,
OidcClient oidcClient, ParameterClient parameterClient, DirectBasicAuthClient directBasicAuthClient,
CasProxyReceptor casProxyReceptor, DirectFormClient directFormClient) {
final Clients clients = new Clients(baseUrl + "/callback", facebookClient, twitterClient, formClient,
indirectBasicAuthClient, casClient, saml2Client, oidcClient, parameterClient, directBasicAuthClient,
new AnonymousClient(), casProxyReceptor, directFormClient);
final Config config = new Config(clients);
config.addAuthorizer("admin", new RequireAnyRoleAuthorizer<>("ROLE_ADMIN"));
config.addAuthorizer("custom", new CustomAuthorizer());
config.addMatcher("excludedPath", new PathMatcher().excludeRegex("^/facebook/notprotected\\.html$"));
config.setHttpActionAdapter(new DemoHttpActionAdapter());
return config;
}
}
See a full example here.
In Scala:
class SecurityModule(environment: Environment, configuration: Configuration) extends AbstractModule {
val baseUrl = configuration.getString("baseUrl").get
override def configure(): Unit = {
bind(classOf[PlaySessionStore]).to(classOf[PlayCacheSessionStore])
// callback
val callbackController = new CallbackController()
callbackController.setDefaultUrl("/?defaulturlafterlogout")
callbackController.setMultiProfile(true)
bind(classOf[CallbackController]).toInstance(callbackController)
// logout
val logoutController = new LogoutController()
logoutController.setDefaultUrl("/")
bind(classOf[LogoutController]).toInstance(logoutController)
// security components used in controllers
bind(classOf[SecurityComponents]).to(classOf[DefaultSecurityComponents])
}
...
@Provides
def provideCasProxyReceptor: CasProxyReceptor = new CasProxyReceptor()
@Provides
def provideCasClient(casProxyReceptor: CasProxyReceptor) = {
val casConfiguration = new CasConfiguration("https://localhost:8888/cas/login") // ("https://casserverpac4j.herokuapp.com/login")
casConfiguration.setProtocol(CasProtocol.CAS20)
casConfiguration.setProxyReceptor(casProxyReceptor)
new CasClient(casConfiguration)
}
@Provides
def provideOidcClient: OidcClient[OidcProfile] = {
val oidcConfiguration = new OidcConfiguration()
oidcConfiguration.setClientId("343992089165-i1es0qvej18asl33mvlbeq750i3ko32k.apps.googleusercontent.com")
oidcConfiguration.setSecret("unXK_RSCbCXLTic2JACTiAo9")
oidcConfiguration.setDiscoveryURI("https://accounts.google.com/.well-known/openid-configuration")
oidcConfiguration.addCustomParam("prompt", "consent")
val oidcClient = new OidcClient[OidcProfile](oidcConfiguration)
oidcClient.addAuthorizationGenerator(new RoleAdminAuthGenerator)
oidcClient
}
@Provides
def provideParameterClient: ParameterClient = {
val jwtAuthenticator = new JwtAuthenticator()
jwtAuthenticator.addSignatureConfiguration(new SecretSignatureConfiguration("12345678901234567890123456789012"))
val parameterClient = new ParameterClient("token", jwtAuthenticator)
parameterClient.setSupportGetRequest(true)
parameterClient.setSupportPostRequest(false)
parameterClient
}
@Provides
def provideDirectBasicAuthClient: DirectBasicAuthClient = new DirectBasicAuthClient(new SimpleTestUsernamePasswordAuthenticator)
@Provides
def provideConfig(facebookClient: FacebookClient, twitterClient: TwitterClient, formClient: FormClient, indirectBasicAuthClient: IndirectBasicAuthClient,
casClient: CasClient, saml2Client: SAML2Client, oidcClient: OidcClient[OidcProfile], parameterClient: ParameterClient, directBasicAuthClient: DirectBasicAuthClient,
casProxyReceptor: CasProxyReceptor): Config = {
val clients = new Clients(baseUrl + "/callback", facebookClient, twitterClient, formClient,
indirectBasicAuthClient, casClient, saml2Client, oidcClient, parameterClient, directBasicAuthClient,
new AnonymousClient(), casProxyReceptor)
val config = new Config(clients)
config.addAuthorizer("admin", new RequireAnyRoleAuthorizer[Nothing]("ROLE_ADMIN"))
config.addAuthorizer("custom", new CustomAuthorizer)
config.addMatcher("excludedPath", new PathMatcher().excludeRegex("^/filter/facebook/notprotected\\.html$"))
config.setHttpActionAdapter(new DemoHttpActionAdapter())
config
}
}
See a full example here.
https://localhost:8080/callback
is the url of the callback endpoint, which is only necessary for indirect clients. The PlayCacheSessionStore
is defined as the implementation for the session store: profiles will be saved in the Play Cache.
Notice that you can also configure a specific HttpActionAdapter
to handle specific HTTP actions (like redirections, forbidden / unauthorized pages) via the setHttpActionAdapter
method of the Config
object. The default available implementation is the DefaultHttpActionAdapter
, but you can subclass it to define your own HTTP 401 / 403 error pages for example.
Notice that you can also define matchers via the addMatcher(name, Matcher)
method.
You can also define a specific SecurityLogic
via the setSecurityLogic
method.
In addition to the PlayCacheStore
, the play-pac4j
project allows you the option to store your session into the native Play Session Cookie with the PlayCookieStore
. It's useful in cases where you want to preserve Play's statelessness.
If you choose to use the PlayCookieStore
instead of the PlayCacheStore
, you'll need to bind PlaySessionStore
to PlayCookieStore
:
Java:
bind(PlaySessionStore.class).to(PlayCookieStore.class);
Scala:
bind(classOf[PlaySessionStore]).to(classOf[PlayCookieStore])
or if in addition to signing cookie contents, you want to also encrypt the contents, pass a custom DataEncrypter
:
Java:
DataEncrypter encrypter = NoOpDataEncrypter();
PlayCookieStore playCookieStore = new PlayCookieStore(encrypter);
bind(PlaySessionStore.class).toInstance(playCookieStore);
Scala:
val encrypter = new NoOpDataEncrypter()
val playCookieStore = new PlayCookieStore(encrypter)
bind(classOf[PlaySessionStore]).toInstance(playCookieStore)
You can protect (authentication + authorizations) the urls of your Play application by using the Secure
annotation / function. It has the following behaviour:
-
If the HTTP request matches the
matchers
configuration (or nomatchers
are defined), the security is applied. Otherwise, the user is automatically granted access. -
First, if the user is not authenticated (no profile) and if some clients have been defined in the
clients
parameter, a login is tried for the direct clients. -
Then, if the user has a profile, authorizations are checked according to the
authorizers
configuration. If the authorizations are valid, the user is granted access. Otherwise, a 403 error page is displayed. -
Finally, if the user is still not authenticated (no profile), he is redirected to the appropriate identity provider if the first defined client is an indirect one in the
clients
configuration. Otherwise, a 401 error page is displayed.
The following parameters are available:
clients
(optional): the list of client names (separated by commas) used for authentication:
- in all cases, this filter requires the user to be authenticated. Thus, if the
clients
is blank or not defined, the user must have been previously authenticated - if the
client_name
request parameter is provided, only this client (if it exists in theclients
) is selected.
authorizers
(optional): the list of authorizer names (separated by commas) used to check authorizations:
- if the
authorizers
is blank or not defined, no authorization is checked - the following authorizers are available by default (without defining them in the configuration):
isFullyAuthenticated
to check if the user is authenticated but not remembered,isRemembered
for a remembered user,isAnonymous
to ensure the user is not authenticated,isAuthenticated
to ensure the user is authenticated (not necessary by default unless you use theAnonymousClient
)hsts
to use theStrictTransportSecurityHeader
authorizer,nosniff
forXContentTypeOptionsHeader
,noframe
forXFrameOptionsHeader
,xssprotection
forXSSProtectionHeader
,nocache
forCacheControlHeader
orsecurityHeaders
for the five previous authorizerscsrfToken
to use theCsrfTokenGeneratorAuthorizer
with theDefaultCsrfTokenGenerator
(it generates a CSRF token and saves it as thepac4jCsrfToken
request attribute and in thepac4jCsrfToken
cookie),csrfCheck
to check that this previous token has been sent as thepac4jCsrfToken
header or parameter in a POST request andcsrf
to use both previous authorizers.
-
multiProfile
(optional): it indicates whether multiple authentications (and thus multiple profiles) must be kept at the same time (false
by default). -
matchers
(optional): the list of matcher names (separated by commas) that the request must satisfy to check authentication / authorizations
For example in your controllers:
In Java:
@Secure(clients = "FacebookClient")
public Result facebookIndex() {
return protectedIndexView();
}
In Scala:
import org.pac4j.play.scala.Security
class MyController @Inject()(val controllerComponents: SecurityComponents) extends MyBaseController with Security[CommonProfile] {
def facebookIndex = Secure("FacebookClient") { implicit request =>
Ok(views.html.protectedIndex(profiles))
}
}
In order to protect multiple urls at the same time, you can configure the SecurityFilter
. You need to configure your application to include the SecurityFilter
as follows:
First define a Filters
class in your application (if you have not yet done so).
In Java:
package filters;
import org.pac4j.play.filters.SecurityFilter;
import play.http.HttpFilters;
import play.mvc.EssentialFilter;
import javax.inject.Inject;
public class Filters implements HttpFilters {
private final SecurityFilter securityFilter;
@Inject
public Filters(SecurityFilter securityFilter) {
this.securityFilter = securityFilter;
}
@Override
public EssentialFilter[] filters() {
return new EssentialFilter[] { securityFilter.asJava() };
}
}
In Scala:
package filters
import javax.inject.Inject
import org.pac4j.play.filters.SecurityFilter
import play.api.http.HttpFilters
class Filters @Inject()(securityFilter: SecurityFilter) extends HttpFilters {
def filters = Seq(securityFilter)
}
Then tell your application to use the filters in application.conf
:
play.http.filters = "filters.Filters"
See for more information on the use of filters in Play the Play documentation on Filters.
Rules for the security filter can be supplied in application.conf. An example is shown below. It consists of a list of filter rules, where the key is a regular expression that will be used to match the url. Make sure that the / is escaped by \ to make a valid regular expression.
For each regex key, there are three subkeys: authorizers
, clients
and matchers
. Here you can define the
correct values, like you would supply to the RequireAuthentication
method in controllers. There
two exceptions: authorizers
can have two special values: _authenticated_
and _anonymous_
.
_anonymous_
will disable authentication and authorization for urls matching the regex.
_authenticated_
will require authentication, but will set clients and authorizers both to null
.
Rules are applied top to bottom. The first matching rule will define which clients and authorizers
are used. When not provided, the value will be null
.
pac4j.security.rules = [
# Admin pages need a special authorizer and do not support login via Twitter.
{"/admin/.*" = {
authorizers = "admin"
clients = "FormClient"
}}
# Rules for the REST services. These don't specify a client and will return 401
# when not authenticated.
{"/restservices/.*" = {
authorizers = "_authenticated_"
}}
# The login page needs to be publicly accessible.
{"/login.html" = {
authorizers = "_anonymous_"
}}
# 'Catch all' rule to make sure the whole application stays secure.
{".*" = {
authorizers = "_authenticated_"
clients = "FormClient,TwitterClient"
matchers = "excludedPath"
}}
]
While the play-pac4j
security library can handle authorizations on its own, Deadbolt is a famous and much used library for authorizations. So you can use it seamlessly with play-pac4j
.
You need to bind the Deadbolt HandlerCache
to the Pac4jHandlerCache
(in your SecurityModule
):
Also pac4j
does not require a linked of permissions with roles, you must bind a Pac4jRoleHandler
handler to correct use of @RoleBasedPermissions
action.
In Java:
import org.pac4j.play.deadbolt2.*;
import be.objectify.deadbolt.java.cache.HandlerCache;
bind(Pac4jRoleHandler.class).to(MyCustomRoleHandler.class);
bind(HandlerCache.class).to(Pac4jHandlerCache.class);
In Scala:
import org.pac4j.play.scala.deadbolt2._
import be.objectify.deadbolt.scala.cache.HandlerCache
bind(classOf[Pac4jRoleHandler]).to(classOf[SimpleRoleHandler]) // or MyCustomRoleHandler
bind(classOf[HandlerCache]).to(classOf[Pac4jHandlerCache])
Thus, everytime you use a Deadbolt handler, the Deadbolt subject will be automatically built from the current pac4j authenticated user profile, the key used to get the appropriate handler will represent the clients
parameter used to perform the pac4j authentication (like in the Secure
annotation).
In Java:
Example to secure an action in a controller:
@SubjectPresent
Example to secure an action in a controller and start a Facebook login process if not authenticated:
@SubjectPresent(handlerKey = "FacebookClient", forceBeforeAuthCheck = true)
In Scala:
import org.pac4j.play.scala.deadbolt2.ClientsHandlerKey
somewhereNeeds.key(ClientsHandlerKey("FacebookClient"))
For indirect clients (like Facebook), the user is redirected to an external identity provider for login and then back to the application.
Thus, a callback endpoint is required in the application. It is managed by the CallbackController
which has the following behaviour:
-
the credentials are extracted from the current request to fetch the user profile (from the identity provider) which is then saved in the web session
-
finally, the user is redirected back to the originally requested url (or to the
defaultUrl
).
The following parameters are available:
-
defaultUrl
(optional): it's the default url after login if no url was originally requested (/
by default) -
saveInSession
(optional) : it indicates whether the profile should be saved into the web session (true
by default) -
multiProfile
(optional): it indicates whether multiple authentications (and thus multiple profiles) must be kept at the same time (false
by default) -
defaultClient
(optional): it defines the default client to use to finish the login process if none is provided on the URL (not defined by default).
In the routes
file:
GET /callback @org.pac4j.play.CallbackController.callback()
In the SecurityModule
:
In Java:
CallbackController callbackController = new CallbackController();
callbackController.setDefaultUrl("/");
bind(CallbackController.class).toInstance(callbackController);
In Scala:
val callbackController = new CallbackController()
callbackController.setDefaultUrl("/")
bind(classOf[CallbackController]).toInstance(callbackController)
You can get the profile of the authenticated user using profileManager.get(true)
(false
not to use the session, but only the current HTTP request).
You can test if the user is authenticated using profileManager.isAuthenticated()
.
You can get all the profiles of the authenticated user (if ever multiple ones are kept) using profileManager.getAll(true)
.
Examples:
In Java:
public class Application {
@Inject
protected PlaySessionStore playSessionStore;
public Result getUserProfile() {
PlayWebContext webContext = new PlayWebContext(ctx(), playSessionStore)
ProfileManager<CommonProfile> profileManager = new ProfileManager(webContext);
Optional<CommonProfile> profile = profileManager.get(true);
....
}
}
In Scala:
class Application @Inject()(sessionStore: PlaySessionStore, val controllerComponents: ControllerComponents) extends Controller {
def getUserProfile() = Action { request =>
val webContext = new PlayWebContext(request, playSessionStore)
val profileManager = new ProfileManager[CommonProfile](webContext)
val profile = profileManager.get(true)
....
}
}
The retrieved profile is at least a CommonProfile
, from which you can retrieve the most common attributes that all profiles share. But you can also cast the user profile to the appropriate profile according to the provider used for authentication. For example, after a Facebook authentication:
In Java:
FacebookProfile facebookProfile = (FacebookProfile) commonProfile;
In Scala:
val facebookProfile = commonProfile.asInstanceOf[FacebookProfile]
To retrive the current profile/profiles or ProfileManager within a twirl template you can inject the: Pac4jScalaTemplateHelper in to your controller or template.
First you have to register the Pac4jScalaTemplateHelper in your SecurityModule like this:
bind(classOf[Pac4jScalaTemplateHelper[CommonProfile]])
Than in your Controller inject the Pac4jScalaTemplateHelper as an implicit:
class ApplicationWithScalaHelper @Inject()(implicit val pac4jTemplateHelper: Pac4jScalaTemplateHelper[CommonProfile] ...
In your action you must define the request as an implicit:
def userView = Secure("FormClient") { implicit request =>
Ok(views.html.index())
}
And finally in your template you can use the Pac4jScalaTemplateHelper to access the current profile:
@import org.pac4j.play.scala.Pac4jScalaTemplateHelper
@import org.pac4j.core.profile.CommonProfile
@(title: String)(implicit pac4jScalaTemplateHelper: Pac4jScalaTemplateHelper[CommonProfile], requestHeader: RequestHeader)
<h1>@title</h1>
@if(pac4jScalaTemplateHelper.getCurrentProfile.isDefined) {
<h2>Hello user: @pac4jScalaTemplateHelper.getCurrentProfile.get.getUsername</h2>
}
The LogoutController
can handle:
- the local logout by removing the pac4j profiles from the session (it can be used for the front-channel logout from the identity provider in case of a central logout)
- the central logout by calling the identity provider logout endpoint.
It has the following behaviour:
-
If the
localLogout
property istrue
, the pac4j profiles are removed from the web session (and the web session is destroyed if thedestroySession
property istrue
) -
A post logout action is computed as the redirection to the
url
request parameter if it matches thelogoutUrlPattern
or to thedefaultUrl
if it is defined or as a blank page otherwise -
If the
centralLogout
property istrue
, the user is redirected to the identity provider for a central logout and then optionally to the post logout redirection URL (if it's supported by the identity provider and if it's an absolute URL). If no central logout is defined, the post logout action is performed directly.
The following parameters are available:
-
defaultUrl
(optional): the default logout url if nourl
request parameter is provided or if theurl
does not match thelogoutUrlPattern
(not defined by default) -
logoutUrlPattern
(optional): the logout url pattern that theurl
parameter must match (only relative urls are allowed by default) -
localLogout
(optional): whether a local logout must be performed (true
by default) -
destroySession
(optional): whether we must destroy the web session during the local logout (false
by default) -
centralLogout
(optional): whether a central logout must be performed (false
by default).
In the routes
file:
GET /logout @org.pac4j.play.LogoutController.logout()
In the SecurityModule
:
In Java:
LogoutController logoutController = new LogoutController();
logoutController.setDefaultUrl("/");
bind(LogoutController.class).toInstance(logoutController);
In Scala:
val logoutController = new LogoutController()
logoutController.setDefaultUrl("/")
bind(classOf[LogoutController]).toInstance(logoutController)
The play-pac4j
library has been renamed as play-pac4j_2.11
when built with Scala 2.11 and as play-pac4j_2.12
when built with Scala 2.12.
Scala trait Security
was revamped to be more consistent with actions and action builders in Play 2.6.
- removed function
List[P]=>Action[AnyContent]
and replaced byAuthenticatedRequest
encapsulating the request and the list of profiles - introduced support of any content type not only
AnyContent
Secure
method no longer returns anAction
, it returns instance ofActionBuilder
instead. That enables use of a standard simple action as well as use of any parser or even produce an asynchronous result.- introduced
SecurityComponents
extendingControllerComponents
to ease injection of dependencies - for backward compatibility, introduced a method
profiles
accepting implicitAuthenticatedRequest
and returningList[P]
The Security
trait extends the BaseController
and thus, the controllerComponents
must be injected. The HttpExecutionContext
no longer needs to be injected into the Security
trait.
The ApplicationLogoutController
has been renamed as LogoutController
and the PlayCacheStore
as PlayCacheSessionStore
.
The SecurityModule
class needs to bind the PlaySessionStore
to the PlayCacheStore
.
The PlayWebContext
needs a PlaySessionStore
, see examples at heading 5 (Get the user profile (ProfileManager
)).
The RequiresAuthentication
annotation and function have been renamed as Secure
with the clients
and authorizers
parameters (instead of clientName
and authorizerName
).
The UserProfileController
class and the getUserProfile
method in the Security
trait no longer exist and the ProfileManager
must be used instead.
The ApplicationLogoutController
behaviour has slightly changed: even without any url
request parameter, the user will be redirected to the defaultUrl
if it has been defined
The separate Scala and Java projects have been merged. You need to change the dependency play-pac4j-java
or play-pac4j-scala
to simply play-pac4j
.
The getUserProfile
method of the Security
trait returns a Option[CommonProfile]
instead of just a UserProfile
.
The DataStore
concept is replaced by the pac4j SessionStore
concept. The PlayCacheStore
does no longer need to be bound in the security module. A new session store could be defined using the config.setSessionStore
method.
The DefaultHttpActionAdapter
does not need to be bound in the security module, but must to be set using the config.setHttpActionAdapter
method.
Two demo webapps: play-pac4j-java-demo & play-pac4j-scala-demo are available for tests and implement many authentication mechanisms: Facebook, Twitter, form, basic auth, CAS, SAML, OpenID Connect, JWT...
Test them online: https://play-pac4j-java-demo.herokuapp.com and https://play-pac4j-scala-demo.herokuapp.com.
See the release notes. Learn more by browsing the play-pac4j_2.11 Javadoc / play-pac4j_2.12 Javadoc and the pac4j Javadoc.
If you need commercial support (premium support or new/specific features), contact us at [email protected].
If you have any question, please use the following mailing lists:
The version 6.1.0-SNAPSHOT is under development.
Maven artifacts are built via Travis: and available in the Sonatype snapshots repository. This repository must be added in the resolvers
of your build.sbt
file:
resolvers ++= Seq(Resolver.mavenLocal, "Sonatype snapshots repository" at "https://oss.sonatype.org/content/repositories/snapshots/")