Authentication mechanisms in Quarkus
The Quarkus Security framework supports multiple authentication mechanisms, which you can use to secure your applications. You can also combine authentication mechanisms.
| Before you choose an authentication mechanism for securing your Quarkus applications, review the information provided. | 
Overview of supported authentication mechanisms
Some supported authentication mechanisms are built into Quarkus, while others require you to add an extension. All of these mechanisms are detailed in the following sections:
The following table maps specific authentication requirements to a supported mechanism that you can use in Quarkus:
| Authentication requirement | Authentication mechanism | 
|---|---|
| Username and password | |
| Bearer access token | |
| Single sign-on (SSO) | |
| Client certificate | |
| WebAuthn | |
| Kerberos ticket | 
For more information, see the following Token authentication mechanism comparison table.
Built-in authentication mechanisms
Quarkus Security provides the following built-in authentication support:
Basic authentication
You can secure your Quarkus application endpoints with the built-in HTTP Basic authentication mechanism. For more information, see the following documentation:
Form-based authentication
Quarkus provides form-based authentication that works similarly to traditional Servlet form-based authentication. Unlike traditional form authentication, the authenticated user is not stored in an HTTP session because Quarkus does not support clustered HTTP sessions. Instead, the authentication information is stored in an encrypted cookie, which can be read by all cluster members who share the same encryption key.
To apply encryption, add the quarkus.http.auth.session.encryption-key property, and ensure the value you set is at least 16 characters long.
The encryption key is hashed by using SHA-256.
The resulting digest is used as a key for AES-256 encryption of the cookie value.
The cookie contains an expiry time as part of the encrypted value, so all nodes in the cluster must have their clocks synchronized.
At one-minute intervals, a new cookie gets generated with an updated expiry time if the session is in use.
To get started with form authentication, you should have similar settings as described in Enable Basic authentication and property quarkus.http.auth.form.enabled must be set to true.
Simple application.properties with form-base authentication can look similar to this:
quarkus.http.auth.form.enabled=true
quarkus.http.auth.form.login-page=login.html
quarkus.http.auth.form.landing-page=hello
quarkus.http.auth.form.error-page=
# Define testing user
quarkus.security.users.embedded.enabled=true
quarkus.security.users.embedded.plain-text=true
quarkus.security.users.embedded.users.alice=alice
quarkus.security.users.embedded.roles.alice=user| Configuring user names, secrets, and roles in the application.properties file is appropriate only for testing scenarios. For securing a production application, it is crucial to use a database or LDAP to store this information. For more information you can take a look at Quarkus Security with Jakarta Persistence or other mentioned in Enable Basic authentication. | 
and application login page will contain HTML form similar to this:
<form action="/j_security_check" method="post">
    <label>Username</label>
    <input type="text" placeholder="Username" name="j_username" required>
    <label>Password</label>
    <input type="password" placeholder="Password" name="j_password" required>
    <button type="submit">Login</button>
</form>With single-page applications (SPA), you typically want to avoid redirects by removing default page paths, as shown in the following example:
# do not redirect, respond with HTTP 200 OK
quarkus.http.auth.form.landing-page=
# do not redirect, respond with HTTP 401 Unauthorized
quarkus.http.auth.form.login-page=
quarkus.http.auth.form.error-page=
# HttpOnly must be false if you want to log out on the client; it can be true if logging out from the server
quarkus.http.auth.form.http-only-cookie=falseNow that you have disabled redirects for the SPA, you must log in and log out programmatically from your client.
Below are examples of JavaScript methods for logging into the j_security_check endpoint and logging out of the application by destroying the cookie.
const login = () => {
    // Create an object to represent the form data
    const formData = new URLSearchParams();
    formData.append("j_username", username);
    formData.append("j_password", password);
    // Make an HTTP POST request using fetch against j_security_check endpoint
    fetch("j_security_check", {
        method: "POST",
        body: formData,
        headers: {
            "Content-Type": "application/x-www-form-urlencoded",
        },
    })
    .then((response) => {
        if (response.status === 200) {
            // Authentication was successful
            console.log("Authentication successful");
        } else {
            // Authentication failed
            console.error("Invalid credentials");
        }
    })
    .catch((error) => {
        console.error(error);
    });
};To log out of the SPA from the client, the cookie must be set to quarkus.http.auth.form.http-only-cookie=false so you can destroy
the cookie and possibly redirect back to your main page.
const logout= () => {
    // delete the credential cookie, essentially killing the session
    const removeCookie = `quarkus-credential=; Max-Age=0;path=/`;
    document.cookie = removeCookie;
    // perform post-logout actions here, such as redirecting back to your login page
};To log out of the SPA from the server, the cookie can be set to quarkus.http.auth.form.http-only-cookie=true and use this example
code to destroy the cookie.
import io.quarkus.security.identity.SecurityIdentity;
import io.quarkus.vertx.http.runtime.security.FormAuthenticationMechanism;
import jakarta.ws.rs.core.Response;
import jakarta.ws.rs.POST;
@Inject
SecurityIdentity identity;
@POST
public Response logout() {
    if (identity.isAnonymous()) {
        throw new UnauthorizedException("Not authenticated");
    }
    FormAuthenticationMechanism.logout(identity); (1)
    return Response.noContent().build();
}| 1 | Perform the logout by removing the session cookie. | 
Form-based authentication configuration reference
The following properties can be used to configure form-based authentication:
Configuration property fixed at build time - All other configuration properties are overridable at runtime
| Configuration property | 类型 | 默认 | 
|---|---|---|
| Determines whether the entire permission set is enabled, or not. By default, if the permission set is defined, it is enabled. Environment variable:  Show more | boolean | |
| The HTTP policy that this permission set is linked to. There are three built-in policies: permit, deny and authenticated. Role based policies can be defined, and extensions can add their own policies. Environment variable:  Show more | string | required | 
| The methods that this permission set applies to. If this is not set then they apply to all methods. Note that if a request matches any path from any permission set, but does not match the constraint due to the method not being listed then the request will be denied. Method specific permissions take precedence over matches that do not have any methods set. This means that for example if Quarkus is configured to allow GET and POST requests to /admin to and no other permissions are configured PUT requests to /admin will be denied. Environment variable:  Show more | list of string | |
| The paths that this permission check applies to. If the path ends in /* then this is treated as a path prefix, otherwise it is treated as an exact match. Matches are done on a length basis, so the most specific path match takes precedence. If multiple permission sets match the same path then explicit methods matches take precedence over matches without methods set, otherwise the most restrictive permissions are applied. Environment variable:  Show more | list of string | |
| Path specific authentication mechanism which must be used to authenticate a user. It needs to match  Environment variable:  Show more | string | |
| Indicates that this policy always applies to the matched paths in addition to the policy with a winning path. Avoid creating more than one shared policy to minimize the performance impact. Environment variable:  Show more | boolean | 
 | 
| Whether permission check should be applied on all matching paths, or paths specific for the Jakarta REST resources. Environment variable:  Show more | 
 | 
 | 
| The roles that are allowed to access resources protected by this policy. By default, access is allowed to any authenticated user. Environment variable:  Show more | list of string | 
 | 
| Add roles granted to the  Environment variable:  Show more | Map<String,List<String>> | |
| Permissions granted to the  Environment variable:  Show more | Map<String,List<String>> | |
| Permissions granted by this policy will be created with a  Environment variable:  Show more | string | 
 | 
| Map the  For example, if  Environment variable:  Show more | Map<String,List<String>> | |
| Client certificate attribute whose values are going to be mapped to the 'SecurityIdentity' roles according to the roles mapping specified in the certificate properties file. The attribute must be either one of the Relative Distinguished Names (RDNs) or Subject Alternative Names (SANs). By default, the Common Name (CN) attribute value is used for roles mapping. Supported values are: 
 Environment variable:  Show more | string | 
 | 
| Properties file containing the client certificate attribute value to role mappings. Use it only if the mTLS authentication mechanism is enabled with either  Properties file is expected to have the  Environment variable:  Show more | path | |
| The authentication realm Environment variable:  Show more | string | |
| The login page. Redirect to login page can be disabled by setting  Environment variable:  Show more | string | 
 | 
| The username field name. Environment variable:  Show more | string | 
 | 
| The password field name. Environment variable:  Show more | string | 
 | 
| The error page. Redirect to error page can be disabled by setting  Environment variable:  Show more | string | 
 | 
| The landing page to redirect to if there is no saved page to redirect back to. Redirect to landing page can be disabled by setting  Environment variable:  Show more | string | 
 | 
| Option to control the name of the cookie used to redirect the user back to the location they want to access. Environment variable:  Show more | string | 
 | 
| The inactivity (idle) timeout When inactivity timeout is reached, cookie is not renewed and a new login is enforced. Environment variable:  Show more | 
 | |
| How old a cookie can get before it will be replaced with a new cookie with an updated timeout, also referred to as "renewal-timeout". Note that smaller values will result in slightly more server load (as new encrypted cookies will be generated more often); however, larger values affect the inactivity timeout because the timeout is set when a cookie is generated. For example if this is set to 10 minutes, and the inactivity timeout is 30m, if a user’s last request is when the cookie is 9m old then the actual timeout will happen 21m after the last request because the timeout is only refreshed when a new cookie is generated. That is, no timeout is tracked on the server side; the timestamp is encoded and encrypted in the cookie itself, and it is decrypted and parsed with each request. Environment variable:  Show more | 
 | |
| The cookie that is used to store the persistent session Environment variable:  Show more | string | 
 | 
| The cookie path for the session and location cookies. Environment variable:  Show more | string | 
 | 
| Cookie domain parameter value which, if set, will be used for the session and location cookies. Environment variable:  Show more | string | |
| Set the HttpOnly attribute to prevent access to the cookie via JavaScript. Environment variable:  Show more | boolean | 
 | 
| SameSite attribute for the session and location cookies. Environment variable:  Show more | 
 | 
 | 
| Max-Age attribute for the session cookie. This is the amount of time the browser will keep the cookie. The default value is empty, which means the cookie will be kept until the browser is closed. Environment variable:  Show more | ||
| The post location. Environment variable:  Show more | string | 
 | 
| Require that all registered HTTP authentication mechanisms must attempt to verify the request credentials. By default, when the  All produced security identities can be retrieved using the following utility method: An injected  This property is false by default which means that the authentication process is complete as soon as the first  This property will be ignored if the path specific authentication is enabled. Environment variable:  Show more | boolean | 
 | 
| Inclusive authentication mode. Environment variable:  Show more | 
 | 
 | 
| About the Duration format To write duration values, use the standard  You can also use a simplified format, starting with a number: 
 In other cases, the simplified format is translated to the  
 | 
Set up Form-based authentication programmatically
In addition to the configuration properties listed in the Form-based authentication configuration reference section, Quarkus supports a programmatic set up during the runtime as in the example below:
package org.acme.http.security;
import io.quarkus.vertx.http.security.Form;
import io.quarkus.vertx.http.security.HttpSecurity;
import jakarta.enterprise.event.Observes;
public class FormConfiguration {
    void configure(@Observes HttpSecurity httpSecurity) {   (1)
        httpSecurity.mechanism(Form.builder()
                .httpOnlyCookie()
                .loginPage("/my-login.html")
                .errorPage("/my-error.html")
                .build());
    }
}| 1 | Observe the io.quarkus.vertx.http.security.HttpSecurityCDI event and configure Form authentication mechanism programmatically. | 
Mutual TLS authentication
Quarkus provides mutual TLS (mTLS) authentication so that you can authenticate users based on their X.509 certificates.
To use this authentication method, you must first enable SSL/TLS for your application. For more information, see the Supporting secure connections with SSL/TLS section of the Quarkus "HTTP reference" guide.
After your application accepts secure connections, the next step is to configure the quarkus.http.ssl.certificate.trust-store-file property with the name of the file that holds all the certificates your application trusts. This file also includes information about how your application requests certificates when a client, such as a browser or another service, tries to access one of its protected resources.
Because JKS is no longer the default keystore and truststore format in Quarkus, the framework makes an educated guess based on the file extension:
- 
.pem,.crt, and.keyare read as PEM certificates and keys.
- 
.jks,.keystore, and.truststoreare read as JKS keystores and truststores.
- 
.p12,.pkcs12, and.pfxare read as PKCS12 keystores and truststores.
If your file does not use one of these extensions, you must set the format by using the following properties:
quarkus.http.ssl.certificate.key-store-file-type=JKS  # or P12 or PEM
quarkus.http.ssl.certificate.trust-store-file-type=JKS  # or P12 or PEMJKS is becoming less commonly used. Since Java 9, the default keystore format in Java is PKCS12. The most significant difference between JKS and PKCS12 is that JKS is a format specific to Java. In contrast, PKCS12 is a standardized, language-neutral way of storing encrypted private keys and certificates.
Here is an example configuration for enabling mTLS:
quarkus.http.ssl.certificate.key-store-file=server-keystore.jks (1)
quarkus.http.ssl.certificate.key-store-password=the_key_store_secret
quarkus.http.ssl.certificate.trust-store-file=server-truststore.jks (2)
quarkus.http.ssl.certificate.trust-store-password=the_trust_store_secret
quarkus.http.ssl.client-auth=required (3)
quarkus.http.auth.permission.default.paths=/* (4)
quarkus.http.auth.permission.default.policy=authenticated
quarkus.http.insecure-requests=disabled (5)| 1 | The keystore where the server’s private key is located. | 
| 2 | The truststore from which the trusted certificates are loaded. | 
| 3 | Setting quarkus.http.ssl.client-authtorequiredmakes the server demand client certificates. You can set it toREQUESTif the server should accept requests without a certificate. This setting is useful when supporting multiple authentication methods besides mTLS. | 
| 4 | Defines a policy where only authenticated users can access resources from your application. | 
| 5 | Disables the plain HTTP protocol, requiring all requests to use HTTPS. When you set quarkus.http.ssl.client-authtorequired,quarkus.http.insecure-requestsis automatically disabled. | 
When an incoming request matches a valid certificate in the truststore, your application can obtain the subject by injecting a SecurityIdentity as follows:
@Inject
SecurityIdentity identity;
@GET
@Produces(MediaType.TEXT_PLAIN)
public String hello() {
    return String.format("Hello, %s", identity.getPrincipal().getName());
}You can also get the certificate by using the code outlined in the following example:
import java.security.cert.X509Certificate;
import io.quarkus.security.credential.CertificateCredential;
CertificateCredential credential = identity.getCredential(CertificateCredential.class);
X509Certificate certificate = credential.getCertificate();Mapping certificate attributes to roles
The information from the client certificate can be used to add roles to Quarkus SecurityIdentity.
You can add new roles to SecurityIdentity after checking a client certificate’s common name (CN) attribute.
The easiest way to add new roles is to use a certificate attribute to role mapping feature.
For example, you can update the properties shown in the section which introduces Mutual TLS authentication as follows:
quarkus.http.ssl.certificate.key-store-file=server-keystore.jks
quarkus.http.ssl.certificate.key-store-password=the_key_store_secret
quarkus.http.ssl.certificate.trust-store-file=server-truststore.jks
quarkus.http.ssl.certificate.trust-store-password=the_trust_store_secret
quarkus.http.ssl.client-auth=required
quarkus.http.insecure-requests=disabled
quarkus.http.auth.certificate-role-properties=cert-role-mappings.properties (1)
quarkus.http.auth.permission.certauthenticated.paths=/*   (2)
quarkus.http.auth.permission.certauthenticated.policy=role-policy-cert (2)
quarkus.http.auth.policy.role-policy-cert.roles-allowed=user,admin     (2)| 1 | The cert-role-mappings.propertiesclasspath resource contains a map of certificate’s CN values to roles in the formCN=roleorCN=role1,role2, etc. Let us assume it contains three entries:alice=user,admin,bob=userandjdoe=tester. | 
| 2 | Use HTTP security policy to require that SecurityIdentitymust have eitheruseroradminroles for the requests to be authorized. | 
Given the preceding configuration, the request is authorized if the client certificate’s CN attribute is equal to alice or bob and forbidden if it is equal to jdoe.
Using certificate attributes to augment SecurityIdentity
You can always register SecurityIdentityAugmentor if the automatic Mapping certificate attributes to roles option does not suit.
Custom SecurityIdentityAugmentor can check the values of different client certificate attributes and augment the SecurityIdentity accordingly.
For more information about customizing SecurityIdentity, see the Security identity customization section in the Quarkus "Security tips and tricks" guide.
Set up the mutual TLS client authentication programmatically
In the Mutual TLS authentication section we configured the mutual TLS client authentication in the application.properties file like this:
quarkus.tls.tls-config-1.key-store.p12.path=server-keystore.p12 quarkus.tls.tls-config-1.key-store.p12.password=the_key_store_secret quarkus.tls.tls-config-1.trust-store.p12.path=server-truststore.p12 quarkus.tls.tls-config-1.trust-store.p12.password=the_trust_store_secret quarkus.http.ssl.client-auth=required (1) quarkus.http.tls-configuration-name=tls-config-1 (2)
| 1 | Enable and require the mutual TLS client authentication. | 
| 2 | Use the tls-config-1TLS configuration for the HTTP server TLS communication. | 
The io.quarkus.vertx.http.security.HttpSecurity CDI event enable you to configuration the mutual TLS authentication programmatically like in the example below:
package org.acme.http.security;
import io.quarkus.tls.BaseTlsConfiguration;
import io.vertx.core.net.KeyCertOptions;
import io.vertx.core.net.KeyStoreOptions;
import io.vertx.core.net.SSLOptions;
import io.vertx.core.net.TrustOptions;
import java.util.Set;
import java.util.concurrent.TimeUnit;
public class MyTlsConfiguration extends BaseTlsConfiguration {
    @Override
    public KeyCertOptions getKeyStoreOptions() {
        return new KeyStoreOptions()
                .setPath("/tmp/certs/server-keystore.p12")
                .setPassword("the_key_store_secret")
                .setType("PKCS12");
    }
    @Override
    public TrustOptions getTrustStoreOptions() {
        return new KeyStoreOptions()
                .setPath("/tmp/certs/server-truststore.jks")
                .setPassword("the_trust_store_secret")
                .setType("PKCS12");
    }
    @Override
    public SSLOptions getSSLOptions() {
        SSLOptions options = new SSLOptions();
        options.setKeyCertOptions(getKeyStoreOptions());
        options.setTrustOptions(getTrustStoreOptions());
        options.setSslHandshakeTimeoutUnit(TimeUnit.SECONDS);
        options.setSslHandshakeTimeout(10);
        options.setEnabledSecureTransportProtocols(Set.of("TLSv1.3", "TLSv1.2"));
        return options;
    }
}package org.acme.http.security;
import io.quarkus.vertx.http.security.HttpSecurity;
import jakarta.enterprise.event.Observes;
public class MutualTlsClientAuthConfig {
    void configure(@Observes HttpSecurity httpSecurity) {
        httpSecurity.mTLS("tls-config-1", new MyTlsConfiguration());    (1)
    }
}| 1 | Enable and require the mutual TLS client authentication and use the tls-config-1TLS configuration for the HTTP server TLS communication.
Thetls-config-1TLS configuration is registered in the TLS registry. | 
It is also possible to map certificate attributes to roles. Let’s consider the example explained in the Mapping certificate attributes to roles section:
quarkus.tls.tls-config-1.key-store.p12.path=server-keystore.p12
quarkus.tls.tls-config-1.key-store.p12.password=the_key_store_secret
quarkus.tls.tls-config-1.trust-store.p12.path=server-truststore.p12
quarkus.tls.tls-config-1.trust-store.p12.password=the_trust_store_secret
quarkus.http.ssl.client-auth=required
quarkus.http.tls-configuration-name=tls-config-1
quarkus.http.auth.certificate-role-properties=cert-role-mappings.propertiesThe configuration with the programmatic set up would look like this:
package org.acme.http.security;
import io.quarkus.vertx.http.security.MTLS;
import io.quarkus.vertx.http.security.HttpSecurity;
import jakarta.enterprise.event.Observes;
public class MutualTlsClientAuthConfig {
    void configure(@Observes HttpSecurity httpSecurity) {
        httpSecurity.mTLS(MTLS.builder()
                .tls("tls-config-1", new MyTlsConfiguration())
                .rolesMapping("CN-value", "user", "admin")
                .build());
    }
}This API also enables you to use certificate to augment SecurityIdentity:
quarkus.http.tls-configuration-name=tls-config-1
quarkus.tls.tls-config-1.key-store.p12.path=server-keystore.p12
quarkus.tls.tls-config-1.key-store.p12.password=the_key_store_secret
quarkus.tls.tls-config-1.trust-store.p12.path=server-truststore.jks
quarkus.tls.tls-config-1.trust-store.p12.password=the_trust_store_secretpackage org.acme.http.security;
import io.quarkus.vertx.http.security.HttpSecurity;
import io.quarkus.vertx.http.security.MTLS;
import jakarta.enterprise.event.Observes;
import java.util.Set;
public class MutualTlsClientAuthConfig {
    void configure(@Observes HttpSecurity httpSecurity) {
        httpSecurity.mTLS(MTLS.builder()
                .certificateToRolesMapper(x509Certificate -> {   (1)
                    final Set<String> securityIdentityRoles;
                    // replace this logic with your own certificate to roles mapping
                    if (x509Certificate.getIssuerX500Principal() != null
                            && "CN=quarkus.io".equals(x509Certificate.getIssuerX500Principal().getName())) {
                        securityIdentityRoles = Set.of("admin");
                    } else {
                        securityIdentityRoles = Set.of();
                    }
                    return securityIdentityRoles;
                })
                .build());
    }
}| 1 | In the Using certificate attributes to augment SecurityIdentity section we have mentioned that the SecurityIdentityAugmentorcan be used to map the client certificate attribute values to theSecurityIdentityroles.
TheMTLSAPI allows you to define such roles mapping as well. | 
| If Quarkus starts the HTTP server in DEV mode after a failed start, Quarkus may need to fallback to the configuration provided in the application.propertiesfile. This is a known limitation. | 
Other supported authentication mechanisms
Quarkus Security also supports the following authentication mechanisms through extensions:
WebAuthn认证机制
WebAuthn is an authentication mechanism that replaces passwords. When you write a service for registering new users, or logging them in, instead of asking for a password, you can use WebAuthn, which replaces the password. For more information, see the Secure a Quarkus application by using the WebAuthn authentication mechanism guide.
OpenID Connect authentication
OpenID Connect (OIDC) is an identity layer that works on top of the OAuth 2.0 protocol. OIDC enables client applications to verify the identity of a user based on the authentication performed by the OIDC provider and retrieve basic information about that user.
The Quarkus quarkus-oidc extension provides a reactive, interoperable, multitenant-enabled OIDC adapter that supports Bearer token and Authorization Code Flow authentication mechanisms.
The Bearer token authentication mechanism extracts the token from the HTTP Authorization header.
The Authorization Code Flow mechanism redirects the user to an OIDC provider to authenticate the user’s identity. After the user is redirected back to Quarkus, the mechanism completes the authentication process by exchanging the provided code that was granted for the ID, access, and refresh tokens.
You can verify ID and access JSON Web Token (JWT) tokens by using the refreshable JSON Web Key (JWK) set or introspect them remotely. However, opaque, also known as binary tokens, can only be introspected remotely.
| Using the Quarkus OIDC extension, both the Bearer token and Authorization Code Flow authentication mechanisms use SmallRye JWT authentication to represent JWT tokens as MicroProfile JWT  | 
用于OIDC认证的其他Quarkus资源
For more information about OIDC authentication and authorization methods that you can use to secure your Quarkus applications, see the following resources:
| OIDC topic | Quarkus information resource | 
|---|---|
| Bearer token authentication mechanism | |
| Authorization Code Flow authentication mechanism | |
| OIDC and SAML Identity broker | OpenID Connect (OIDC) Authorization Code Flow and SAML Identity broker | 
| Multiple tenants that can support the Bearer token authentication or Authorization Code Flow mechanisms | |
| Securing Quarkus with commonly used OpenID Connect providers | |
| 使用Keycloak进行集中授权 | |
| 以编程方式配置Keycloak | 
| To enable the Quarkus OIDC extension at runtime, set  For more information about managing the individual tenant configurations in multitenant OIDC deployments, see the Disabling tenant configurations section in the "Using OpenID Connect (OIDC) multi-tenancy" guide. | 
OpenID Connect client and filters
quarkus-oidc-client 扩展提供 OidcClient ,用于从支持以下token授权的OpenID Connect和OAuth2提供者那里获取和刷新访问token:
- 
client-credentials
- 
password
- 
refresh_token
The quarkus-resteasy-client-oidc-filter extension requires the quarkus-oidc-client extension.
It provides JAX-RS RESTful Web Services OidcClientRequestFilter, which sets the access token acquired by OidcClient as the Bearer scheme value of the HTTP Authorization header.
This filter can be registered with MicroProfile REST client implementations injected into the current Quarkus endpoint, but it is not related to the authentication requirements of this service endpoint.
For example, it can be a public endpoint or be protected with mTLS.
| 在这种情况下,您不需要通过使用Quarkus OpenID Connect适配器来保护您的Quarkus节点。 | 
The quarkus-resteasy-client-oidc-token-propagation extension requires the quarkus-oidc extension.
It provides Jakarta REST TokenCredentialRequestFilter, which sets the OpenID Connect Bearer token or Authorization Code Flow access token as the Bearer scheme value of the HTTP Authorization header.
This filter can be registered with MicroProfile REST client implementations injected into the current Quarkus endpoint, which must be protected by using the Quarkus OIDC adapter.
This filter can propagate the access token to the downstream services.
更多信息请参见《 使用OpenID Connect客户端和token传递quickstart 》和 《 link:security-openid-connect-client-reference.htmlOpenID Connect (OIDC) 和 OAuth2 客户端以及过滤器参考] 》指南。
SmallRye JWT authentication
The quarkus-smallrye-jwt extension provides a MicroProfile JSON Web Token (JWT) 2.1 implementation and multiple options to verify signed and encrypted JWT tokens.
It represents them as org.eclipse.microprofile.jwt.JsonWebToken.
quarkus-smallrye-jwt is an alternative to the quarkus-oidc Bearer token authentication mechanism and verifies only JWT tokens by using either Privacy Enhanced Mail (PEM) keys or the refreshable JWK key set.
quarkus-smallrye-jwt also provides the JWT generation API, which you can use to easily create signed, inner-signed, and encrypted JWT tokens.
For more information, see the Using JWT RBAC guide.
OAuth2 认证机制
quarkus-elytron-security-oauth2 provides an alternative to the Quarkus quarkus-oidc Bearer token authentication mechanism extension.
quarkus-elytron-security-oauth2 is based on Elytron and is primarily intended for introspecting opaque tokens remotely.
For more information, see the Quarkus Using OAuth2 guide.
在OpenID Connect、SmallRye JWT和OAuth2扩展之间做出选择
Use the following information to select the appropriate token authentication mechanism to secure your Quarkus applications.
- 
quarkus-oidcrequires an OpenID Connect provider such as Keycloak, which can verify the bearer tokens or authenticate the end users with the Authorization Code flow. In both cases,quarkus-oidcrequires a connection to the specified OpenID Connect provider.
- 
If the user authentication requires Authorization Code flow, or you need to support multiple tenants, use quarkus-oidc.quarkus-oidccan also request user information by using both Authorization Code Flow and Bearer access tokens.
- 
If your bearer tokens must be verified, use quarkus-oidc,quarkus-elytron-security-oauth2, orquarkus-smallrye-jwt.
- 
If your bearer tokens are in a JSON web token (JWT) format, you can use any extensions in the preceding list. Both quarkus-oidcandquarkus-smallrye-jwtsupport refreshing theJsonWebKey(JWK) set when the OpenID Connect provider rotates the keys. Therefore, if remote token introspection must be avoided or is unsupported by the providers, usequarkus-oidcorquarkus-smallrye-jwtto verify JWT tokens.
- 
To introspect the JWT tokens remotely, you can use quarkus-oidcorquarkus-elytron-security-oauth2for verifying the opaque or binary tokens by using remote introspection.quarkus-smallrye-jwtdoes not support the remote introspection of both opaque or JWT tokens but instead relies on the locally available keys that are usually retrieved from the OpenID Connect provider.
- 
quarkus-oidcandquarkus-smallrye-jwtsupport the JWT and opaque token injection into the endpoint code. Injected JWT tokens provide more information about the user. All extensions can have the tokens injected asPrincipal.
- 
quarkus-smallrye-jwt比quarkus-oidc支持更多的密钥格式。后者只使用属于JWK集的JWK格式的密钥,反之前者还支持PEM密钥。
- 
quarkus-smallrye-jwthandles locally signed, inner-signed-and-encrypted, and encrypted tokens. In contrast, althoughquarkus-oidcandquarkus-elytron-security-oauth2can also verify such tokens, they treat them as opaque tokens and verify them through remote introspection.
- 
如果您需要一个轻量级的库来进行不透明或JWT token 的远程自查,请使用 quarkus-elytron-security-oauth2。
| Architectural considerations drive your decision to use opaque or JSON web token (JWT) token format. Opaque tokens tend to be much shorter than JWT tokens but need most of the token-associated state to be maintained in the provider database. Opaque tokens are effectively database pointers. JWT tokens are significantly longer than opaque tokens. Nonetheless, the providers effectively delegate most of the token-associated state to the client by storing it as the token claims and either signing or encrypting them. | 
| Feature required | Authentication mechanism | ||
|---|---|---|---|
| 
 | 
 | 
 | |
| Bearer JWT verification | 本地验证或自查 | 本地验证 | 自查 | 
| Bearer opaque token verification | 自查 | 不 | 自查 | 
| Refreshing  | 是 | 是 | 不 | 
| Represent token as  | 是 | 是 | 是 | 
| Inject JWT as MP JWT | 是 | 是 | 不 | 
| Authorization code flow | 是 | 不 | 不 | 
| 多租户 | 是 | 不 | 不 | 
| User information support | 是 | 不 | 不 | 
| 支持Pem密钥格式 | 不 | 是 | 不 | 
| 支持SecretKey | 不 | 以JsonWebKey (JWK) 格式 | 不 | 
| Inner-Signed/Encrypted 或 Encrypted tokens | 自查 | 本地验证 | 自查 | 
| 自定义token验证 | 不 | 使用注入的JWT Parser | 不 | 
| JWT as a cookie support | 不 | 是 | 是 | 
组合认证机制
If different sources provide the user credentials, you can combine authentication mechanisms.
For example, you can combine the built-in Basic and the Quarkus quarkus-oidc Bearer token authentication mechanisms.
The authentication process completes as soon as the first SecurityIdentity is produced by one of the authentication mechanisms.
Inclusive Authentication
In some cases it can be required that all registered authentication mechanisms create their SecurityIdentity.
It can be required when the credentials such as tokens have to be passed over Mutual TLS authentication,
for example, when users are authenticating via Virtual Private Network, or when the current token has to be bound
to the client certificate for the token verification to succeed, guaranteeing that the token was issued exactly
to the same client which is currently passing this token to Quarkus alongside its client certificate.
In Quarkus such authentication is called inclusive and you can enable it like this:
quarkus.http.auth.inclusive=trueIf the authentication is inclusive then SecurityIdentity created by the first authentication mechanism can be
injected into the application code.
For example, if both Mutual TLS authentication and basic authentication mechanism authentications are required,
the Mutual TLS authentication mechanism will create SecurityIdentity first.
| The Mutual TLS authentication mechanism has the highest priority when inclusive authentication is enabled, to ensure
that an injected SecurityIdentityalways represents Mutual TLS authentication and can be used to get access toSecurityIdentityidentities provided by other authentication mechanisms. | 
Additional SecurityIdentity instances can be accessed as a quarkus.security.identities attribute on the first
SecurityIdentity, however, accessing these extra identities directly may not be necessary, for example,
when both Mutual TLS authentication and OIDC Bearer authentication mechanisms
have been combined and done their authentications, the authenticated bearer token can be injected as a token
credential alongside SecurityIdentity created by Mutual TLS authentication. This is exemplified below:
package org.acme.security;
import io.quarkus.oidc.AccessTokenCredential;
import io.quarkus.oidc.common.runtime.OidcConstants;
import io.quarkus.security.identity.SecurityIdentity;
import io.quarkus.vertx.http.runtime.security.HttpSecurityUtils;
import jakarta.enterprise.context.ApplicationScoped;
import jakarta.inject.Inject;
@ApplicationScoped
public class InclusiveAuthExampleBean {
    @Inject
    SecurityIdentity mtlsIdentity;  (1)
    @Inject
    AccessTokenCredential accessTokenCredential;
    private AccessTokenCredential getAccessTokenCredential() {
        if (doItHardWay()) {
            var securityIdentities = HttpSecurityUtils.getSecurityIdentities(mtlsIdentity);    (2)
            if (securityIdentities != null) {
                SecurityIdentity bearerIdentity = securityIdentities.get(OidcConstants.BEARER_SCHEME);
                if (bearerIdentity != null) {
                    return bearerIdentity.getCredential(AccessTokenCredential.class);
                }
            }
        }
        return accessTokenCredential;
    }
}| 1 | This is the SecurityIdentitycreated by applicable authentication mechanism with the highest priority. | 
| 2 | Other applicable authentication mechanisms performed authentication and are available on the SecurityIdentity. | 
| You cannot combine the Quarkus  | 
Path-based authentication
Use HTTP Security Policy to enable path-based authentication
以下配置示例演示了如何强制要求对一个给定的请求路径选择一个认证机制:
quarkus.http.auth.permission.basic-or-bearer.paths=/service
quarkus.http.auth.permission.basic-or-bearer.policy=authenticated
quarkus.http.auth.permission.basic.paths=/basic-only
quarkus.http.auth.permission.basic.policy=authenticated
quarkus.http.auth.permission.basic.auth-mechanism=basic
quarkus.http.auth.permission.bearer.paths=/bearer-only
quarkus.http.auth.permission.bearer.policy=authenticated
quarkus.http.auth.permission.bearer.auth-mechanism=bearerauth-mechanism 属性值必须与 HttpAuthenticationMechanism 支持的认证方案相匹配,如 basic 或 bearer 或 form 等等。
Use annotations to enable path-based authentication for Jakarta REST endpoints
It is possible to use annotations to select an authentication mechanism specific to each Jakarta REST endpoint. This feature is only enabled when 主动认证 is disabled due to the fact that the annotations can only be used to select authentication mechanisms after a REST endpoint has been matched. Here is how you can select an authentication mechanism per a REST endpoint basis:
quarkus.http.auth.proactive=falseimport io.quarkus.oidc.AuthorizationCodeFlow;
import io.quarkus.vertx.http.runtime.security.annotation.BasicAuthentication;
import jakarta.annotation.security.RolesAllowed;
import jakarta.ws.rs.GET;
import jakarta.ws.rs.Path;
@Path("hello")
public class HelloResource {
    @GET
    @BasicAuthentication (1) (2)
    @Path("basic")
    public String basicAuthMechanism() {
        return "basic";
    }
    @GET
    @RolesAllowed("admin") (3)
    @AuthorizationCodeFlow (4)
    @Path("code-flow")
    public String codeFlowAuthMechanism() {
        return "code-flow";
    }
}| 1 | The REST endpoint /hello/basiccan only ever be accessed by using the Basic authentication. | 
| 2 | This endpoint requires authentication, because when no standard security annotation accompanies the @BasicAuthenticationannotation, the@Authenticatedannotation is added by default. | 
| 3 | The @AuthorizationCodeFlowannotation can be combined with any other standard security annotation like@RolesAllowed,@PermissionsAllowedand others. | 
| 4 | The REST endpoint /hello/code-flowcan only ever be accessed by using the OIDC authorization code flow mechanism. | 
| Authentication mechanism^ | Annotation | 
|---|---|
| Basic authentication mechanism | 
 | 
| Form-based authentication mechanism | 
 | 
| Mutual TLS authentication mechanism | 
 | 
| WebAuthn authentication mechanism | 
 | 
| Bearer token authentication mechanism | 
 | 
| OIDC authorization code flow mechanism | 
 | 
| SmallRye JWT authentication mechanism | 
 | 
| Quarkus automatically secures endpoints annotated with the authentication mechanism annotation. When no standard security annotation is present on the REST endpoint and resource, the io.quarkus.security.Authenticatedannotation is added for you. | 
It is also possible to use the io.quarkus.vertx.http.runtime.security.annotation.HttpAuthenticationMechanism annotation to select any authentication mechanism based on its scheme.
Annotation-based analogy to the quarkus.http.auth.permission.basic.auth-mechanism=custom configuration property is the @HttpAuthenticationMechanism("custom") annotation.
| For consistency with various Jakarta EE specifications, it is recommended to always repeat annotations instead of relying on annotation inheritance. | 
Use inclusive authentication to enable path-based authentication
By default, Quarkus only supports Path-based authentication for one authentication mechanism per path.
If more than one authentication mechanism must be used for the path-based authentication, you can write a custom HttpAuthenticationMechanism as documented in the Dealing with more than one HttpAuthenticationMechanism section of the Security Tips and Tricks guide.
Another option is to enable Inclusive Authentication in the lax mode and write a custom HttpSecurityPolicy or PermissionChecker that verifies that all registered HTTP authentication mechanisms created their mechanism-specific SecurityIdentity.
quarkus.http.auth.inclusive-mode=lax (1)
quarkus.http.auth.inclusive=true| 1 | By default, inclusive authentication requires that all registered HTTP authentication mechanisms must create the SecurityIdentity.
However, in the lax mode, the authentication succeeds if at least one registeredHttpAuthenticationMechanismcreated theSecurityIdentity. | 
Let’s assume that we have 3 registered mechanisms, mTLS, Basic and OIDC and you only require Basic and mTLS authentications to succeed to permit access to the hello method.
In this case, enabling an inclusive authentication in a lax mode allows to check which mechanisms produced the identity as shown in the example below:
import io.quarkus.security.PermissionChecker;
import io.quarkus.security.PermissionsAllowed;
import io.quarkus.security.identity.SecurityIdentity;
import io.quarkus.vertx.http.runtime.security.HttpSecurityUtils;
import jakarta.ws.rs.GET;
import jakarta.ws.rs.Path;
import java.util.Map;
@Path("/hello")
public class HelloResource {
    @PermissionsAllowed("mtls-basic")
    @GET
    public String hello() {
        return "Hello world";
    }
    @PermissionChecker("mtls-basic")
    boolean isMtlsAndBasicAuthentication(SecurityIdentity identity) {
        Map<String, SecurityIdentity> identities = HttpSecurityUtils.getSecurityIdentities(identity);
        if (identities != null) {
            return identities.containsKey("basic") && identities.containsKey("x509"); (1)
        }
        return false;
    }
}| 1 | Permit access to the endpoint only if it is confirmed that both mTLSandBasicauthentication mechanisms have authenticated the current request. | 
How to combine it with HTTP Security Policy
The easiest way to define roles that are allowed to access individual resources is the @RolesAllowed annotation.
Nevertheless, it is also possible to use the HTTP Security Policy like in the example below:
quarkus.http.auth.policy.roles1.roles-allowed=user
quarkus.http.auth.permission.roles1.paths=/hello/code-flow
quarkus.http.auth.permission.roles1.applies-to=JAXRS (1)
quarkus.http.auth.permission.roles1.policy=roles1
quarkus.http.auth.permission.roles1.methods=GET (2)| 1 | Delay this policy’s permission check after the endpoint-specific authentication mechanism has been selected. | 
| 2 | Make the roles1permission match only the endpoint annotated with the@AuthorizationCodeFlowannotation.
Unannotated endpoints must avoid the delay caused by theapplies-to=JAXRSoption. | 
主动认证
Proactive authentication is enabled in Quarkus by default. This means that if an incoming request has a credential, the request will always be authenticated, even if the target page does not require authentication. For more information, see the Quarkus Proactive authentication guide.