3 namespace BookStack\Auth\Access;
5 use BookStack\Actions\ActivityType;
6 use BookStack\Auth\SocialAccount;
7 use BookStack\Auth\User;
8 use BookStack\Exceptions\SocialDriverNotConfigured;
9 use BookStack\Exceptions\SocialSignInAccountNotUsed;
10 use BookStack\Exceptions\UserRegistrationException;
11 use BookStack\Facades\Activity;
12 use BookStack\Facades\Theme;
13 use BookStack\Theming\ThemeEvents;
14 use Illuminate\Support\Facades\Event;
15 use Illuminate\Support\Str;
16 use Laravel\Socialite\Contracts\Factory as Socialite;
17 use Laravel\Socialite\Contracts\Provider;
18 use Laravel\Socialite\Contracts\User as SocialUser;
19 use SocialiteProviders\Manager\SocialiteWasCalled;
20 use Symfony\Component\HttpFoundation\RedirectResponse;
22 class SocialAuthService
25 * The core socialite library used.
32 * The default built-in social drivers we support.
36 protected $validSocialDrivers = [
50 * Callbacks to run when configuring a social driver
51 * for an initial redirect action.
52 * Array is keyed by social driver name.
53 * Callbacks are passed an instance of the driver.
55 * @var array<string, callable>
57 protected $configureForRedirectCallbacks = [];
60 * SocialAuthService constructor.
62 public function __construct(Socialite $socialite)
64 $this->socialite = $socialite;
68 * Start the social login path.
70 * @throws SocialDriverNotConfigured
72 public function startLogIn(string $socialDriver): RedirectResponse
74 $driver = $this->validateDriver($socialDriver);
76 return $this->getDriverForRedirect($driver)->redirect();
80 * Start the social registration process.
82 * @throws SocialDriverNotConfigured
84 public function startRegister(string $socialDriver): RedirectResponse
86 $driver = $this->validateDriver($socialDriver);
88 return $this->getDriverForRedirect($driver)->redirect();
92 * Handle the social registration process on callback.
94 * @throws UserRegistrationException
96 public function handleRegistrationCallback(string $socialDriver, SocialUser $socialUser): SocialUser
98 // Check social account has not already been used
99 if (SocialAccount::query()->where('driver_id', '=', $socialUser->getId())->exists()) {
100 throw new UserRegistrationException(trans('errors.social_account_in_use', ['socialAccount' => $socialDriver]), '/login');
103 if (User::query()->where('email', '=', $socialUser->getEmail())->exists()) {
104 $email = $socialUser->getEmail();
106 throw new UserRegistrationException(trans('errors.error_user_exists_different_creds', ['email' => $email]), '/login');
113 * Get the social user details via the social driver.
115 * @throws SocialDriverNotConfigured
117 public function getSocialUser(string $socialDriver): SocialUser
119 $driver = $this->validateDriver($socialDriver);
121 return $this->socialite->driver($driver)->user();
125 * Handle the login process on a oAuth callback.
127 * @throws SocialSignInAccountNotUsed
129 public function handleLoginCallback(string $socialDriver, SocialUser $socialUser)
131 $socialId = $socialUser->getId();
133 // Get any attached social accounts or users
134 $socialAccount = SocialAccount::query()->where('driver_id', '=', $socialId)->first();
135 $isLoggedIn = auth()->check();
136 $currentUser = user();
137 $titleCaseDriver = Str::title($socialDriver);
139 // When a user is not logged in and a matching SocialAccount exists,
140 // Simply log the user into the application.
141 if (!$isLoggedIn && $socialAccount !== null) {
142 auth()->login($socialAccount->user);
143 Activity::add(ActivityType::AUTH_LOGIN, $socialAccount);
144 Theme::dispatch(ThemeEvents::AUTH_LOGIN, $socialDriver, $socialAccount->user);
146 return redirect()->intended('/');
149 // When a user is logged in but the social account does not exist,
150 // Create the social account and attach it to the user & redirect to the profile page.
151 if ($isLoggedIn && $socialAccount === null) {
152 $account = $this->newSocialAccount($socialDriver, $socialUser);
153 $currentUser->socialAccounts()->save($account);
154 session()->flash('success', trans('settings.users_social_connected', ['socialAccount' => $titleCaseDriver]));
156 return redirect($currentUser->getEditUrl());
159 // When a user is logged in and the social account exists and is already linked to the current user.
160 if ($isLoggedIn && $socialAccount !== null && $socialAccount->user->id === $currentUser->id) {
161 session()->flash('error', trans('errors.social_account_existing', ['socialAccount' => $titleCaseDriver]));
163 return redirect($currentUser->getEditUrl());
166 // When a user is logged in, A social account exists but the users do not match.
167 if ($isLoggedIn && $socialAccount !== null && $socialAccount->user->id != $currentUser->id) {
168 session()->flash('error', trans('errors.social_account_already_used_existing', ['socialAccount' => $titleCaseDriver]));
170 return redirect($currentUser->getEditUrl());
173 // Otherwise let the user know this social account is not used by anyone.
174 $message = trans('errors.social_account_not_used', ['socialAccount' => $titleCaseDriver]);
175 if (setting('registration-enabled') && config('auth.method') !== 'ldap' && config('auth.method') !== 'saml2') {
176 $message .= trans('errors.social_account_register_instructions', ['socialAccount' => $titleCaseDriver]);
179 throw new SocialSignInAccountNotUsed($message, '/login');
183 * Ensure the social driver is correct and supported.
185 * @throws SocialDriverNotConfigured
187 protected function validateDriver(string $socialDriver): string
189 $driver = trim(strtolower($socialDriver));
191 if (!in_array($driver, $this->validSocialDrivers)) {
192 abort(404, trans('errors.social_driver_not_found'));
195 if (!$this->checkDriverConfigured($driver)) {
196 throw new SocialDriverNotConfigured(trans('errors.social_driver_not_configured', ['socialAccount' => Str::title($socialDriver)]));
203 * Check a social driver has been configured correctly.
205 protected function checkDriverConfigured(string $driver): bool
207 $lowerName = strtolower($driver);
208 $configPrefix = 'services.' . $lowerName . '.';
209 $config = [config($configPrefix . 'client_id'), config($configPrefix . 'client_secret'), config('services.callback_url')];
211 return !in_array(false, $config) && !in_array(null, $config);
215 * Gets the names of the active social drivers.
217 public function getActiveDrivers(): array
221 foreach ($this->validSocialDrivers as $driverKey) {
222 if ($this->checkDriverConfigured($driverKey)) {
223 $activeDrivers[$driverKey] = $this->getDriverName($driverKey);
227 return $activeDrivers;
231 * Get the presentational name for a driver.
233 public function getDriverName(string $driver): string
235 return config('services.' . strtolower($driver) . '.name');
239 * Check if the current config for the given driver allows auto-registration.
241 public function driverAutoRegisterEnabled(string $driver): bool
243 return config('services.' . strtolower($driver) . '.auto_register') === true;
247 * Check if the current config for the given driver allow email address auto-confirmation.
249 public function driverAutoConfirmEmailEnabled(string $driver): bool
251 return config('services.' . strtolower($driver) . '.auto_confirm') === true;
255 * Fill and return a SocialAccount from the given driver name and SocialUser.
257 public function newSocialAccount(string $socialDriver, SocialUser $socialUser): SocialAccount
259 return new SocialAccount([
260 'driver' => $socialDriver,
261 'driver_id' => $socialUser->getId(),
262 'avatar' => $socialUser->getAvatar(),
267 * Detach a social account from a user.
269 public function detachSocialAccount(string $socialDriver): void
271 user()->socialAccounts()->where('driver', '=', $socialDriver)->delete();
275 * Provide redirect options per service for the Laravel Socialite driver.
277 protected function getDriverForRedirect(string $driverName): Provider
279 $driver = $this->socialite->driver($driverName);
281 if ($driverName === 'google' && config('services.google.select_account')) {
282 $driver->with(['prompt' => 'select_account']);
284 if ($driverName === 'azure') {
285 $driver->with(['resource' => 'https://graph.windows.net']);
288 if (isset($this->configureForRedirectCallbacks[$driverName])) {
289 $this->configureForRedirectCallbacks[$driverName]($driver);
296 * Add a custom socialite driver to be used.
297 * Driver name should be lower_snake_case.
298 * Config array should mirror the structure of a service
299 * within the `Config/services.php` file.
300 * Handler should be a Class@method handler to the SocialiteWasCalled event.
302 public function addSocialDriver(
305 string $socialiteHandler,
306 callable $configureForRedirect = null
308 $this->validSocialDrivers[] = $driverName;
309 config()->set('services.' . $driverName, $config);
310 config()->set('services.' . $driverName . '.redirect', url('/login/service/' . $driverName . '/callback'));
311 config()->set('services.' . $driverName . '.name', $config['name'] ?? $driverName);
312 Event::listen(SocialiteWasCalled::class, $socialiteHandler);
313 if (!is_null($configureForRedirect)) {
314 $this->configureForRedirectCallbacks[$driverName] = $configureForRedirect;