如何在Laravel 5.2中使用不同的数据库表列名进行登录?

时间:2016-02-29 05:23:25

标签: php laravel laravel-5 laravel-5.2

我必须在Laravel 5.2中实现登录功能。我使用官方的Laravel文档成功完成了这项工作,但我不知道如何使用不同的数据库表列名称验证用户,即st_usernamest_password

我在互联网上寻找线索但无济于事。 我不知道我需要使用哪个类(比如,使用Illuminate .......)来验证。如果有人知道答案,请告诉我。

这是我的代码:

登录视图

@extends('layouts.app')
@section('content')

<div class="contact-bg2">
    <div class="container">
        <div class="booking">
            <h3>Login</h3>
            <div class="col-md-4 booking-form" style="margin: 0 33%;">
                <form method="post" action="{{ url('/login') }}">
                    {!! csrf_field() !!}

                    <h5>USERNAME</h5>
                    <input type="text" name="username" value="abcuser">
                    <h5>PASSWORD</h5>
                    <input type="password" name="password" value="abcpass">

                    <input type="submit" value="Login">
                    <input type="reset" value="Reset">
                </form>
            </div>
        </div>
    </div>

</div>
<div></div>


@endsection

AuthController

namespace App\Http\Controllers\Auth;

use App\User;
use Validator;
use App\Http\Controllers\Controller;
use Illuminate\Foundation\Auth\ThrottlesLogins;
use Illuminate\Foundation\Auth\AuthenticatesAndRegistersUsers;

class AuthController extends Controller
{
    use AuthenticatesAndRegistersUsers, ThrottlesLogins;

    protected $redirectTo = '/home';

    public function __construct()
    {
        $this->middleware('guest', ['except' => 'logout']);
        $this->username = 'st_username';
        $this->password = 'st_password';
    }

    protected function validator(array $data)
    {
        return Validator::make($data, [
                    'name' => 'required|max:255',
                    'email' => 'required|email|max:255|unique:users',
                    'password' => 'required|confirmed|min:6',
        ]);
    }

路线档案

Route::get('/', function () {
    return view('index');
});

Route::group(['middleware' => 'web'], function () {
    Route::auth();

    Route::get('/home', 'HomeController@index');
});

配置/ auth.php

return [
    'defaults' => [
        'guard' => 'web',
        'passwords' => 'users',
    ],
    'guards' => [
        'web' => [
            'driver' => 'session',
            'provider' => 'users',
        ],
        'api' => [
            'driver' => 'token',
            'provider' => 'users',
        ],
    ],
    'providers' => [
        'users' => [
            'driver' => 'eloquent',
            'model' => App\User::class,
        ],
//        'users' => [
//            'driver' => 'database',
//            'table' => 'users',
//        ],
    ],
    'passwords' => [
        'users' => [
            'provider' => 'users',
            'email' => 'auth.emails.password',
            'table' => 'password_resets',
            'expire' => 60,
        ],
    ],
];

3 个答案:

答案 0 :(得分:6)

我搜索了很多如何自定义 Laravel 5.2 授权表格,这对我来说是100%的工作。 这是从下到上的解决方案。

此解决方案最初来自此处:https://laracasts.com/discuss/channels/laravel/replacing-the-laravel-authentication-with-a-custom-authentication

但我必须做一些改变才能让它发挥作用。

我的网络应用程序适用于DJ,因此我的自定义列名称为“dj _&#39;”,例如name为dj_name

  1. 配置/ auth.php

    // change this
    'driver' => 'eloquent',
    // to this
    'driver' => 'custom',
    
  2. config / app.php中的
  3. 将您的自定义提供程序添加到列表中     ...

    'providers' => [
        ...
        // add this on bottom of other providers
        App\Providers\CustomAuthProvider::class,
        ...
    ],
    
  4. 在文件夹app \ Providers中创建CustomAuthProvider.php     

    namespace App\Providers;
    
    use Illuminate\Support\Facades\Auth;
    
    use App\Providers\CustomUserProvider;
    use Illuminate\Support\ServiceProvider;
    
    class CustomAuthProvider extends ServiceProvider {
    
        /**
         * Bootstrap the application services.
         *
         * @return void
         */
        public function boot()
        {
            Auth::provider('custom', function($app, array $config) {
           // Return an instance of             Illuminate\Contracts\Auth\UserProvider...
            return new CustomUserProvider($app['custom.connection']);
            });
        }
    
        /**
         * Register the application services.
         *
         * @return void
         */
        public function register()
        {
            //
        }
    }
    
  5. 在文件夹app \ Providers

    中创建CustomUserProvider.php
    <?php
    
    namespace App\Providers;
    use App\User; use Carbon\Carbon;
    use Illuminate\Auth\GenericUser;
    use Illuminate\Contracts\Auth\Authenticatable;
    use Illuminate\Contracts\Auth\UserProvider;
    use Illuminate\Support\Facades\Hash;
    use Illuminate\Support\Facades\Log;
    
    class CustomUserProvider implements UserProvider {
    
    /**
     * Retrieve a user by their unique identifier.
     *
     * @param  mixed $identifier
     * @return \Illuminate\Contracts\Auth\Authenticatable|null
     */
    public function retrieveById($identifier)
    {
        // TODO: Implement retrieveById() method.
    
    
        $qry = User::where('dj_id','=',$identifier);
    
        if($qry->count() >0)
        {
            $user = $qry->select('dj_id', 'dj_name', 'first_name', 'last_name', 'email', 'password')->first();
    
            $attributes = array(
                'id' => $user->dj_id,
                'dj_name' => $user->dj_name,
                'password' => $user->password,
                'email' => $user->email,
                'name' => $user->first_name . ' ' . $user->last_name,
            );
    
            return $user;
        }
        return null;
    }
    
    /**
     * Retrieve a user by by their unique identifier and "remember me" token.
     *
     * @param  mixed $identifier
     * @param  string $token
     * @return \Illuminate\Contracts\Auth\Authenticatable|null
     */
    public function retrieveByToken($identifier, $token)
    {
        // TODO: Implement retrieveByToken() method.
        $qry = User::where('dj_id','=',$identifier)->where('remember_token','=',$token);
    
        if($qry->count() >0)
        {
            $user = $qry->select('dj_id', 'dj_name', 'first_name', 'last_name', 'email', 'password')->first();
    
            $attributes = array(
                'id' => $user->dj_id,
                'dj_name' => $user->dj_name,
                'password' => $user->password,
                'email' => $user->email,
                'name' => $user->first_name . ' ' . $user->last_name,
            );
    
            return $user;
        }
        return null;
    
    
    
    }
    
    /**
     * 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)
    {
        // TODO: Implement updateRememberToken() method.
        $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)
    {
    
        // TODO: Implement retrieveByCredentials() method.
        $qry = User::where('email','=',$credentials['email']);
    
        if($qry->count() > 0)
        {
            $user = $qry->select('dj_id','dj_name','email','password')->first();
    
    
            return $user;
        }
    
        return null;
    
    
    }
    
    /**
     * 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)
    {
        // TODO: Implement validateCredentials() method.
        // we'll assume if a user was retrieved, it's good
    
        // DIFFERENT THAN ORIGINAL ANSWER
        if($user->email == $credentials['email'] && Hash::check($credentials['password'], $user->getAuthPassword()))//$user->getAuthPassword() == md5($credentials['password'].\Config::get('constants.SALT')))
        {
    
    
            //$user->last_login_time = Carbon::now();
            $user->save();
    
            return true;
        }
        return false;
    
    
    }
    }
    
  6. 在App / Http / Controllers / Auth / AuthController.php中
  7. 更改全部 &#39;名称&#39;到&#39; dj_name&#39;如果您有自定义字段,请添加自定义字段...您也可以更改电子邮件&#39;到您的电子邮件列名称

  8. 在Illuminate \ Foundation \ Auth \ User.php中添加

    protected $table = 'djs';
    protected $primaryKey  = 'dj_id';
    
  9. 在App / User.php中更改&#39;名称&#39;到&#39; dj_name&#39;并添加您的自定义字段。 更改密码&#39;列添加到自定义列名称

    public function getAuthPassword(){
        return $this->custom_password_column_name;
    }
    
  10. 现在后端已经全部完成,所以你只需要更改布局login.blade.php,register.blade.php,app.blade.php ......在这里你只需要更改&#39; name& #39;到&#39; dj_name&#39;,电子邮件或您的自定义字段... 的 !!!密码字段需要保留命名密码!!!

  11. 此外,要进行唯一的电子邮件验证,请更改AuthController.php

    'custom_email_field' => 'required|email|max:255|unique:users',
    to
    'custom_email_field' => 'required|email|max:255|unique:custom_table_name',
    

    另外,如果你想自定义created_at一个updated_at字段改变Illuminate \ Database \ Eloquent \ Model.php中的全局变量

    const CREATED_AT = 'dj_created_at';
    const UPDATED_AT = 'dj_updated_at';
    

答案 1 :(得分:2)

这很简单,只需在Auth :: attempt()/方法中使用所需的列名,如下所示:

if (Auth::attempt(['st_username' =>$username,'st_password' => $password])) { 
    // Authentication passed... 
    return redirect()>intended('dashboard'); 
}

<强>更新 如果您还希望默认更改默认身份验证表users或默认情况下更改型号名称或路径App\User,您可以在config\auth.php

中找到这些设置
/*
|--------------------------------------------------------------------------
| Authentication Table
|--------------------------------------------------------------------------
|
| When using the "Database" authentication driver, we need to know which
| table should be used to retrieve your users. We have chosen a basic
| default value but you may easily change it to any table you like.
|
*/

//'table' => 'users', 
'table' => 'new_tables_for_authentication',



/*
|--------------------------------------------------------------------------
| Authentication Model
|--------------------------------------------------------------------------
|
| When using the "Eloquent" authentication driver, we need to know which
| Eloquent model should be used to retrieve your users. Of course, it
| is often just the "User" model but you may use whatever you like.
|
*/

//'model' => App\User::class,
'model' => App\Models\User::class,

答案 2 :(得分:2)

通过更改auth.php中的模型,自定义Auth :: attempt()对我不起作用:

'providers' => [
    'users' => [
        'driver' => 'eloquent',
        'model' => App\Person::class,
    ],
], 

如果我尝试通过Auth :: attempt中的自定义列名称验证Person:

if (Auth::attempt(['persUsername' => $request->user, 'persPassword' => $request->pass])) {
    return redirect()->intended('/');
}

我得到同样的错误:

  

EloquentUserProvider.php第112行中的ErrorException:未定义的索引:   密码

但我可以对这样的人进行身份验证:

$person = Person
    ::where('persUsername', $request->user)
    ->where('persPassword', $request->pass)
    ->first();

if (! is_null($person)) {
    if ($person->persUsername === $request->user && $person->persPassword === $request->pass) {
        Auth::login($person, false);
        return redirect()->intended('/');
    }
}

但我认为那不是应该的样子。

在上面提到的文件(EloquentUserProvider.php)中,我看到'密码'是硬编码的。

public function retrieveByCredentials(array $credentials)
{
    $query = $this->createModel()->newQuery();

    foreach ($credentials as $key => $value) {
        if (! Str::contains($key, 'password')) {
            $query->where($key, $value);
        }
    }

    return $query->first();
}

public function validateCredentials(UserContract $user, array $credentials)
{
    $plain = $credentials['password'];

    return $this->hasher->check($plain, $user->getAuthPassword());
}

所以实际上没有办法使用自定义列名称来轻松实现密码?