Laravel 5.1 multiple authentication

前端 未结 5 1182
隐瞒了意图╮
隐瞒了意图╮ 2020-12-06 14:09

How can you authenticate multiple types of users in Laravel 5.1 e.g. Jobseeker, Recruiter, Admin etc.

Some of you have suggested using a single users table to store

相关标签:
5条回答
  • 2020-12-06 14:17

    You can achieve multiple authentication easily by pulling up the sarav/laravel-multiauth package

     composer require sarav/laravel-multiauth
    

    I assume you have separate tables for Jobseeker, Recruiter, Admin.

    Step 1 : Open app.php and replace

    Illuminate\Auth\AuthServiceProvider::class
    

    with

    Sarav\Multiauth\MultiauthServiceProvider::class
    

    Then, open up auth.php file and remove

    <?php
    
    return [
    
        'driver' => 'eloquent',
        'model'  => 'App\User::class',
        'table'  => 'users',
        'password' => [
           'email' => 'emails.password',
           'table' => 'password_resets',
           'expire' => 60,
        ],
    ];
    

    and add the following code

    return [
    'multi' => [
        'jobseeker' => [
            'driver' => 'eloquent',
            'model'  => App\Jobseeker::class, // Model Class
            'table'  => 'jobseeker' // jobseeker table
        ],
        'recruiter' => [
            'driver' => 'eloquent',
            'model'  => App\Recruiter::class, // Model Class
            'table'  => 'recruiter' //recruiter table
        ],
        'admin' => [
            'driver' => 'eloquent',
            'model'  => App\Admin::class, // Model Class
            'table'  => 'admin' //admin table
        ],
     ],
     'password' => [
           'email' => 'emails.password',
           'table' => 'password_resets',
           'expire' => 60,
      ]
     ];
    

    Thats it!

    Now you can try login attempt by calling

    \Auth::attempt('jobseeker', ['email'=> 'johndoe@example.com', 'password' => 'secret']);
    
    \Auth::attempt('recruiter', ['email'=> 'johndoe@example.com', 'password' => 'secret']);
    
    \Auth::attempt('admin', ['email'=> 'johndoe@example.com', 'password' => 'secret']);
    

    Always remember first paramter should be your user parameter. Here I have given jobseeker for jobseeker login attempt, recruiter for recruiter attempt and admin for admin login attempt. Without the proper first parameter system will throw exception.

    For more detailed information checkout this article http://sarav.co/blog/multiple-authentication-in-laravel-continued/

    0 讨论(0)
  • 2020-12-06 14:21

    Short Answer: Add user types to your users table with specific number.

    TL;DR answer.

    Long Answer:

    1. If you have migrated your table, just run php artisan migrate:rollback.
    2. Add following line to your migration table for users: $table->integer("user_type")->default(0);

    Here I am considering that user type zero is just a simple JobSeeker.

    1. And in your form, you can add option with value zero and one such that people will be selecting what they want to be like recruiter. There is no need of other
    0 讨论(0)
  • 2020-12-06 14:29

    This is not a solution to your question directly, but alternative way to solve your question problem with.

    In stead of creating different username and password for different groups, make a central authentication that has roles. It called user and roles.

    You can define groups with different roles, and each roles has specific access to respective area.

    Regarding registration process you can make two differnet views but using the same controller, and for each view you can create a hidden field to indicate if it is jobseekers group or recruiter group.

    Both will receive two different confirmation emails where they should fill the rest of the profile information, like recruiter should put company name and jobseeker should put his name etc. they might have two different tables for profile information, but still using the same login system.

    By adding condition to middleware and correct route, if jobseeker tries to access recruiter area even if jobseeker is logged in the system, the jobseeker won't be able to access that area or the opposite way.

    Since Laravel 5.1 has build in user login system, so you have few choices, build your own roles or use 3rd party.

    I suggest you to build your own so you have control over your code and can further develop it as you wish with time. It might take you half day to get it run and understand how it works, but it is worth spending that time with the right approach in stead of the way you go in your Question OR using 3rd party is fine too, there is a lot of packages around you can search for. I have personally used Entrust (https://github.com/Zizaco/entrust) it is easy and nice way to provide roles and permissions to your project.

    Here is also a link to video developed by Jeffrey Way at Laracast, it builds user and roles system from scratch for Laravel 4. but since you have user part, just follow roles part and with small modifications you will have a roles system to your Laravel 5.1, I have tried it and it works.

    Regarding your question in the comments, when you follow the video you will understand the concept.

    Link to the video: https://laracasts.com/lessons/users-and-roles

    You might need to create account to see the video, most of videos are free.

    Good practice It is always also a good practice to illustrate what you want to achieve that makes things easier, I have just made an example for your project, but that is only example for learning:

    I encourage you to read some of the topics regarding roles, here you will also find some inspiration to 3rd party acl systems to Laravel, there might be more articles but here is some:

    Reading:
    https://laracasts.com/discuss/channels/laravel/which-package-is-best-for-roles-permissions/?page=2
    https://laracasts.com/discuss/channels/general-discussion/laravel-5-user-groups-management
    https://laracasts.com/discuss/channels/general-discussion/roles-and-permissions-in-laravel-5


    EDIT

    Important Note
    Laravel 5.1 has introduced Authorization, I have not found much documentation online yet but it is worth to spend some time learning it:

    http://laravel.com/docs/5.1/authorization#policies

    NEW UPDATE
    There are some great videos solution for what you asking, follow ACL parts here https://laracasts.com/series/whats-new-in-laravel-5-1

    This might be very interesting too: https://laracasts.com/lessons/email-verification-in-laravel

    This will give you a complete own developed solution.

    0 讨论(0)
  • 2020-12-06 14:34

    I will try to explain how authentication is managed in Laravel 5.1

    On application start AuthServiceProvider is called, which calls registerAuthenticator() function in which new AuthManager is created.

    AuthServiceProvider -> registerAuthenticator() -> new AuthManager()

    On manager create createNameDriver function will be called in which new nameProvider will be created, where name is your auth driver selected in auth config file. Then in that function new Guard will be created and nameProivder will be passed to its contractor. All auth functions in that Guard will use functions from that provider to manage auth. Provider implements UserProvider which has

    • retrieveById($identifier),
    • retrieveByToken($identifier, $token),
    • updateRememberToken(Authenticatable $user, $token),
    • retrieveByCredentials(array $credentials),
    • validateCredentials(Authenticatable $user, array $credentials)

    functions.

    Main idea of managing multi auth in Laravel 5.1 is to create new AutServiceProvider and on its boot pass app auth new AuthModelProvider which functions then will be used in same Guard. In AuthModelProvider you can manage all retrieve functions the way you need.

    Here is all changed I've made to manage multi auth. My project name is APC, that's why I use it everywhere.

    Add this function to your models

    public function getAuthIdentifier()
    {
        return [self::MODULE_NAME => $this->getKey()];
    }
    

    Create AuthServiceProvider in Provider/YourProjectName directory. In boot function we extend auth from our new provider AuthModelProvider.

    <?php
    
    namespace App\Providers\Apc;
    
    use Illuminate\Contracts\Auth\Access\Gate as GateContract;
    use Illuminate\Foundation\Support\Providers\AuthServiceProvider as ServiceProvider;
    use Illuminate\Hashing\BcryptHasher;
    
    class AuthServiceProvider extends ServiceProvider
    {
        /**
         * Bootstrap the application services.
         *
         * @return void
         */
        public function boot()
        {
            self::getAuthModels();
            $this->app['auth']->extend('apc', function() {
                return new AuthModelProvider(self::getAuthModels(), new BcryptHasher());
            });
        }
    
        /**
         * Register the application services.
         *
         * @return void
         */
        public function register()
        {
    
        }
    
        public static function getAuthModels()
        {
            $configModels = config('auth.models');
            $authModels = [];
            foreach ($configModels as $key => $class) {
                $authModel = new $class();
                $authModels [$key]=  $authModel;
            }
    
            return $authModels;
        }
    }
    

    Create AuthModelProvider in same directory. Diff in my models is existence of login field in company table. But you can be more specific if you want. In retrieveByCridentials function I just look for existence of login and choose my model accordingly.

    <?php
    
    namespace App\Providers\Apc;
    
    use Illuminate\Contracts\Auth\Authenticatable;
    use Illuminate\Contracts\Auth\UserProvider;
    use Illuminate\Contracts\Hashing\Hasher as HasherContract;
    use Illuminate\Support\Str;
    
    class AuthModelProvider implements UserProvider
    {
        protected $users;
    
        protected $hasher;
    
        public function __construct($usersModels, HasherContract $hasher)
        {
            $this->users = $usersModels;
            $this->hasher = $hasher;
        }
    
        /**
         * Retrieve a user by their unique identifier.
         *
         * @param  mixed $identifier
         * @return \Illuminate\Contracts\Auth\Authenticatable|null
         */
        public function retrieveById($identifiers)
        {
            foreach ($identifiers as $key => $id) {
                if (isset($this->users[$key])) {
                    return $this->users[$key]->where('id', $id)->active()->base()->first();
                }
            }
        }
    
        /**
         * Retrieve a user by their unique identifier and "remember me" token.
         *
         * @param  mixed $identifier
         * @param  string $token
         * @return \Illuminate\Contracts\Auth\Authenticatable|null
         */
        public function retrieveByToken($identifiers, $token)
        {
            return null;
            $user = $this->getUserByIdentifier($identifiers);
            if ($user) {
                return $user->where($user->getRememberTokenName(), $token)->active()->first();
            }
        }
    
        /**
         * Update the "remember me" token for the given user in storage.
         *
         * @param  \Illuminate\Contracts\Auth\Authenticatable $user
         * @param  string $token
         * @return void
         */
        public function updateRememberToken(Authenticatable $user, $token)
        {
            $user->setRememberToken($token);
            $user->save();
        }
    
        /**
         * Retrieve a user by the given credentials.
         *
         * @param  array $credentials
         * @return \Illuminate\Contracts\Auth\Authenticatable|null
         */
        public function retrieveByCredentials(array $credentials)
        {
            if (empty($credentials)) {
                return null;
            }
    
            if (isset($credentials['login'])) {
                $userModel = $this->users['company'];
            } else {
                $userModel = $this->users['user'];
            }
    
            $query = $userModel->newQuery();
    
            foreach ($credentials as $key => $value) {
                if (! Str::contains($key, 'password')) {
                    $query->where($key, $value);
                }
            }
    
            return $query->first();
        }
    
        /**
         * Validate a user against the given credentials.
         *
         * @param  \Illuminate\Contracts\Auth\Authenticatable $user
         * @param  array $credentials
         * @return bool
         */
        public function validateCredentials(Authenticatable $user, array $credentials)
        {
            $plain = $credentials['password'];
    
            return $this->hasher->check($plain, $user->getAuthPassword());
        }
    
        private function getUserByIdentifier($identifiers)
        {
            if (!$identifiers) {
    
            }
    
            foreach ($identifiers as $namespace => $id) {
                if (isset($this->users[$namespace])) {
                    return $this->users[$namespace];
                }
            }
            return null;
        }
    
    }
    

    Add AuthServiceProvider to app conf file.

     \App\Providers\Apc\AuthServiceProvider::class,
    

    Make this changes to auth conf file.

    'driver' => 'apc',
    
    'models' => [
            \App\Apc\User\User::MODULE_NAME => \App\Apc\User\User::class,
            \App\Apc\Company\Company::MODULE_NAME => \App\Apc\Company\Company::class
    ],
    

    That's all. Hope it was helpful.

    0 讨论(0)
  • 2020-12-06 14:42

    As another solution, i can suggest you to use a polymorphic relation between User and Account, like

    class User extends Eloquent {
    
      ...
    
      public function account() {
        return $this->morphTo();
      }
    
    }
    
    class Account extends Eloquent {
    
      ...
    
      public function user() {
        return $this->morphOne(App\User::class, 'account');
      }
    }
    
    class JobSeeker extends Account { ... }
    
    class Recruiter extends Account { ... }
    

    For different types of Account, you can use route prefixes and different auth controllers, specially for registration who differs for each account instances :

    // Recruiter Authentication routes...
    Route::group(['prefix' => 'recruiter'], function() {
      Route::controller('auth', 'Auth\RecruiterAuthController');
    });
    

    At last, you can access the authenticated account directly from auth()->user()->account. it will return any instance of Account (Recruiter, Admin, ....)

    hope it helps you ;)

    0 讨论(0)
提交回复
热议问题