這篇文章帶給大家的內容是關於Laravel多網域下的字段驗證方法介紹(附程式碼),有一定的參考價值,有需要的朋友可以參考一下,希望對你有幫助。
前言:正在開發一個統一作者後台,用來讓作者提交給網站軟體。我們已經對其中一個網站開發了作者後台,現在我們打算將這一個後台提供給其他網站。它具備如下的一些特點:
我們訪問的域名是不一致的,解決方案見我的一篇文章,Laravel 路由研究之domain 解決多域名問題
功能拆分
開始之前我們需要將系統各個功能點進行拆分,估算受影響的點:
登入註冊
#登入註冊功能首當其衝,我們需要使用者在註冊時透過存取的網域名稱不同,記錄的身份也不同。所以我們需要進行如下的處理:
增加欄位identity
#進行判重
登入驗證
##進行登入驗證
資料處理
這個就不進行討論了。根據使用者所屬身分不同,呼叫的資料也不同就行了。
註冊判重
判重依據:我們知道使用php artisan make:auth 後,預設使用email登錄,在表單驗證中預設對email進行判重。程式碼如下:
// Path:app/Http/Controllers/Auth/RegisterController.php protected function validator(array $data) { return Validator::make($data, [ 'name' => ['required', 'string', 'max:255'], 'email' => ['required', 'string', 'email', 'max:255', 'unique:users'], 'password' => ['required', 'string', 'min:8', 'confirmed'], ]); }
// Path:vendor/laravel/framework/src/Illuminate/Foundation/Auth/AuthenticatesUsers.php public function username() { return 'email'; } // 当然可以修改验证字段(看过文档的都知道),注意:登录验证字段必须是在表里面唯一的。
在單一使用者後台中,email判重已經足夠了,但是對於多種用戶一起使用就不太夠了。
假設:我們有A,B兩個域名,對應a,b兩種用戶,我們需要在一張表中存儲a,b,首先我們判斷a,b是屬於那個域名的(站點),其次,看這個使用者是否重複。下面我們用Laravel表單驗證來實現:
增加字段:
為方便演示,我直接在 make auth 生成的遷移文件上直接修改,大家不要在實際項目中直接修改,而是透過新建遷移文件,使用修改表結構的方式增加欄位public function up() { Schema::create('users', function (Blueprint $table) { $table->bigIncrements('id'); $table->string('name'); $table->string('email'); // 去掉原来的unique $table->string('identity'); // 增加的字段 $table->timestamp('email_verified_at')->nullable(); $table->string('password'); $table->rememberToken(); $table->timestamps(); }); }
注意:
在這個需求中,我們對遷移文件中的email和name欄位不需要進行unique限定,因為他們的唯一性是有依賴的,不是獨立的。模擬使用者註冊,插入身分資訊
// Path: app/Http/Controllers/Auth/RegisterController.php protected function create(array $data) { return User::create([ 'name' => $data['name'], 'email' => $data['email'], 'password' => Hash::make($data['password']), 'identity' => 'pcsoft', // 模拟用户注册时,插入身份字段值 ]); }
protected function validator(array $data) { return Validator::make($data, [ 'name' => ['required', 'string', 'max:255'], 'email' => ['required', 'string', 'email', 'max:255', Rule::unique('users')->where(function ($query) { $query->where('identity', '=', 'onlinedown'); })], // 这句话的意思:按照什么条件对 users 表中的 email 去重,我们需要按照身份字段等于我们访问的域名对 email 去重, 'password' => ['required', 'string', 'min:8', 'confirmed'], ]); }
進行第二次註冊,相同郵件,不同身份:
######登入驗證######覆寫credentials,傳入身分驗證欄位###// Path:app/Http/Controllers/Auth/LoginController.php protected function credentials(Request $request) { $request->merge(['identity' => Controller::getWebPrefix()]); return $request->only($this->username(), 'password', 'identity'); }
以上是Laravel多網域下的欄位驗證方法介紹(附代碼)的詳細內容。更多資訊請關注PHP中文網其他相關文章!