Imagine you have a Laravel web application with different types of users. Let's you can have both internal as well as external users. Let's also assume that for logging, depending on which guard is used, you want to either allow only internal or exteral users to login. There might be places where you want to allow both.

Shouldn't be hard, except if you happen to have a global scope that filters out all external users. So when you try to login as an external user, you get a ModelNotFoundException because the global scope filters out all external users.

Let's first take a look at how the global scope was configured.

In my apps, I prefer to define them as a class and then add them to the model in the booted method. This way, I can easily reuse them or find them.

app/Scopes/OnlyInternalUsersScope.php```php

where('type', 'internal'); } } ``` _`app/Models/User.php`_```php createModel() ->newQuery() ->withoutGlobalScope(OnlyInternalUsersScope::class) ->find($identifier); } } ``` The next step is to add a new auth provider to the `AuthServiceProvider`. In my scenario, I called it `external` and uses the provider which we just created. _`app/Providers/AuthServiceProvider.php`_```php [ 'web' => [ 'driver' => 'session', 'provider' => 'internal-users', ], 'all-users' => [ 'driver' => 'session', 'provider' => 'all-users', ], ], 'providers' => [ 'internal-users' => [ 'driver' => 'eloquent', 'model' => App\User::class, ], 'all-users' => [ 'driver' => 'all-users', 'model' => App\User::class, ], ], ]; ``` [inspired by a post on laracasts.com](https://laracasts.com/discuss/channels/laravel/ignore-global-scopes-for-auth)