3 namespace BookStack\Access\Oidc;
5 use BookStack\Access\GroupSyncService;
6 use BookStack\Access\LoginService;
7 use BookStack\Access\RegistrationService;
8 use BookStack\Exceptions\JsonDebugException;
9 use BookStack\Exceptions\StoppedAuthenticationException;
10 use BookStack\Exceptions\UserRegistrationException;
11 use BookStack\Facades\Theme;
12 use BookStack\Http\HttpRequestService;
13 use BookStack\Theming\ThemeEvents;
14 use BookStack\Users\Models\User;
15 use Illuminate\Support\Arr;
16 use Illuminate\Support\Facades\Cache;
17 use League\OAuth2\Client\OptionProvider\HttpBasicAuthOptionProvider;
18 use League\OAuth2\Client\Provider\Exception\IdentityProviderException;
21 * Class OpenIdConnectService
22 * Handles any app-specific OIDC tasks.
26 public function __construct(
27 protected RegistrationService $registrationService,
28 protected LoginService $loginService,
29 protected HttpRequestService $http,
30 protected GroupSyncService $groupService
35 * Initiate an authorization flow.
36 * Provides back an authorize redirect URL, in addition to other
37 * details which may be required for the auth flow.
39 * @throws OidcException
41 * @return array{url: string, state: string}
43 public function login(): array
45 $settings = $this->getProviderSettings();
46 $provider = $this->getProvider($settings);
48 $url = $provider->getAuthorizationUrl();
49 session()->put('oidc_pkce_code', $provider->getPkceCode() ?? '');
53 'state' => $provider->getState(),
58 * Process the Authorization response from the authorization server and
59 * return the matching, or new if registration active, user matched to the
60 * authorization server. Throws if the user cannot be auth if not authenticated.
62 * @throws JsonDebugException
63 * @throws OidcException
64 * @throws StoppedAuthenticationException
65 * @throws IdentityProviderException
67 public function processAuthorizeResponse(?string $authorizationCode): User
69 $settings = $this->getProviderSettings();
70 $provider = $this->getProvider($settings);
72 // Set PKCE code flashed at login
73 $pkceCode = session()->pull('oidc_pkce_code', '');
74 $provider->setPkceCode($pkceCode);
76 // Try to exchange authorization code for access token
77 $accessToken = $provider->getAccessToken('authorization_code', [
78 'code' => $authorizationCode,
81 return $this->processAccessTokenCallback($accessToken, $settings);
85 * @throws OidcException
87 protected function getProviderSettings(): OidcProviderSettings
89 $config = $this->config();
90 $settings = new OidcProviderSettings([
91 'issuer' => $config['issuer'],
92 'clientId' => $config['client_id'],
93 'clientSecret' => $config['client_secret'],
94 'authorizationEndpoint' => $config['authorization_endpoint'],
95 'tokenEndpoint' => $config['token_endpoint'],
96 'endSessionEndpoint' => is_string($config['end_session_endpoint']) ? $config['end_session_endpoint'] : null,
97 'userinfoEndpoint' => $config['userinfo_endpoint'],
100 // Use keys if configured
101 if (!empty($config['jwt_public_key'])) {
102 $settings->keys = [$config['jwt_public_key']];
106 if ($config['discover'] ?? false) {
108 $settings->discoverFromIssuer($this->http->buildClient(5), Cache::store(null), 15);
109 } catch (OidcIssuerDiscoveryException $exception) {
110 throw new OidcException('OIDC Discovery Error: ' . $exception->getMessage());
114 // Prevent use of RP-initiated logout if specifically disabled
115 // Or force use of a URL if specifically set.
116 if ($config['end_session_endpoint'] === false) {
117 $settings->endSessionEndpoint = null;
118 } else if (is_string($config['end_session_endpoint'])) {
119 $settings->endSessionEndpoint = $config['end_session_endpoint'];
122 $settings->validate();
128 * Load the underlying OpenID Connect Provider.
130 protected function getProvider(OidcProviderSettings $settings): OidcOAuthProvider
132 $provider = new OidcOAuthProvider([
133 ...$settings->arrayForOAuthProvider(),
134 'redirectUri' => url('/oidc/callback'),
136 'httpClient' => $this->http->buildClient(5),
137 'optionProvider' => new HttpBasicAuthOptionProvider(),
140 foreach ($this->getAdditionalScopes() as $scope) {
141 $provider->addScope($scope);
148 * Get any user-defined addition/custom scopes to apply to the authentication request.
152 protected function getAdditionalScopes(): array
154 $scopeConfig = $this->config()['additional_scopes'] ?: '';
156 $scopeArr = explode(',', $scopeConfig);
157 $scopeArr = array_map(fn (string $scope) => trim($scope), $scopeArr);
159 return array_filter($scopeArr);
163 * Calculate the display name.
165 protected function getUserDisplayName(OidcIdToken $token, string $defaultValue): string
167 $displayNameAttrString = $this->config()['display_name_claims'] ?? '';
168 $displayNameAttrs = explode('|', $displayNameAttrString);
171 foreach ($displayNameAttrs as $dnAttr) {
172 $dnComponent = $token->getClaim($dnAttr) ?? '';
173 if ($dnComponent !== '') {
174 $displayName[] = $dnComponent;
178 if (count($displayName) == 0) {
179 $displayName[] = $defaultValue;
182 return implode(' ', $displayName);
186 * Extract the assigned groups from the id token.
190 protected function getUserGroups(OidcIdToken $token): array
192 $groupsAttr = $this->config()['groups_claim'];
193 if (empty($groupsAttr)) {
197 $groupsList = Arr::get($token->getAllClaims(), $groupsAttr);
198 if (!is_array($groupsList)) {
202 return array_values(array_filter($groupsList, function ($val) {
203 return is_string($val);
208 * Extract the details of a user from an ID token.
210 * @return array{name: string, email: string, external_id: string, groups: string[]}
212 protected function getUserDetails(OidcIdToken $token): array
214 $idClaim = $this->config()['external_id_claim'];
215 $id = $token->getClaim($idClaim);
218 'external_id' => $id,
219 'email' => $token->getClaim('email'),
220 'name' => $this->getUserDisplayName($token, $id),
221 'groups' => $this->getUserGroups($token),
226 * Processes a received access token for a user. Login the user when
227 * they exist, optionally registering them automatically.
229 * @throws OidcException
230 * @throws JsonDebugException
231 * @throws StoppedAuthenticationException
233 protected function processAccessTokenCallback(OidcAccessToken $accessToken, OidcProviderSettings $settings): User
235 $idTokenText = $accessToken->getIdToken();
236 $idToken = new OidcIdToken(
242 session()->put("oidc_id_token", $idTokenText);
244 // TODO - This should not affect id token validation
245 // TODO - Should only call if we're missing properties
246 if (!empty($settings->userinfoEndpoint)) {
247 $provider = $this->getProvider($settings);
248 $request = $provider->getAuthenticatedRequest('GET', $settings->userinfoEndpoint, $accessToken->getToken());
249 $response = $provider->getParsedResponse($request);
250 // TODO - Ensure response content-type is "application/json" before using in this way (5.3.2)
251 // TODO - The sub Claim in the UserInfo Response MUST be verified to exactly match the sub Claim in the ID Token; if they do not match, the UserInfo Response values MUST NOT be used. (5.3.2)
252 // TODO - Response validation (5.3.4)
253 // TODO - Verify that the OP that responded was the intended OP through a TLS server certificate check, per RFC 6125 [RFC6125].
254 // TODO - If the Client has provided a userinfo_encrypted_response_alg parameter during Registration, decrypt the UserInfo Response using the keys specified during Registration.
255 // TODO - If the response was signed, the Client SHOULD validate the signature according to JWS [JWS].
256 $claims = $idToken->getAllClaims();
257 foreach ($response as $key => $value) {
258 $claims[$key] = $value;
260 // TODO - Should maybe remain separate from IdToken completely
261 $idToken->replaceClaims($claims);
264 $returnClaims = Theme::dispatch(ThemeEvents::OIDC_ID_TOKEN_PRE_VALIDATE, $idToken->getAllClaims(), [
265 'access_token' => $accessToken->getToken(),
266 'expires_in' => $accessToken->getExpires(),
267 'refresh_token' => $accessToken->getRefreshToken(),
270 if (!is_null($returnClaims)) {
271 $idToken->replaceClaims($returnClaims);
274 if ($this->config()['dump_user_details']) {
275 throw new JsonDebugException($idToken->getAllClaims());
279 $idToken->validate($settings->clientId);
280 } catch (OidcInvalidTokenException $exception) {
281 throw new OidcException("ID token validate failed with error: {$exception->getMessage()}");
284 $userDetails = $this->getUserDetails($idToken);
285 $isLoggedIn = auth()->check();
287 if (empty($userDetails['email'])) {
288 throw new OidcException(trans('errors.oidc_no_email_address'));
292 throw new OidcException(trans('errors.oidc_already_logged_in'));
296 $user = $this->registrationService->findOrRegister(
297 $userDetails['name'],
298 $userDetails['email'],
299 $userDetails['external_id']
301 } catch (UserRegistrationException $exception) {
302 throw new OidcException($exception->getMessage());
305 if ($this->shouldSyncGroups()) {
306 $groups = $userDetails['groups'];
307 $detachExisting = $this->config()['remove_from_groups'];
308 $this->groupService->syncUserWithFoundGroups($user, $groups, $detachExisting);
311 $this->loginService->login($user, 'oidc');
317 * Get the OIDC config from the application.
319 protected function config(): array
321 return config('oidc');
325 * Check if groups should be synced.
327 protected function shouldSyncGroups(): bool
329 return $this->config()['user_to_groups'] !== false;
333 * Start the RP-initiated logout flow if active, otherwise start a standard logout flow.
334 * Returns a post-app-logout redirect URL.
335 * Reference: https://openid.net/specs/openid-connect-rpinitiated-1_0.html
336 * @throws OidcException
338 public function logout(): string
340 $oidcToken = session()->pull("oidc_id_token");
341 $defaultLogoutUrl = url($this->loginService->logout());
342 $oidcSettings = $this->getProviderSettings();
344 if (!$oidcSettings->endSessionEndpoint) {
345 return $defaultLogoutUrl;
349 'id_token_hint' => $oidcToken,
350 'post_logout_redirect_uri' => $defaultLogoutUrl,
353 $joiner = str_contains($oidcSettings->endSessionEndpoint, '?') ? '&' : '?';
355 return $oidcSettings->endSessionEndpoint . $joiner . http_build_query($endpointParams);