例如我現在有個token認證系統,目前我用mysql的token表實現,將來有可能會改成redis,怎麼實現未來的無縫連接。
先定義一個合約檔案app/Contracts/TokenHandler.php
<?php namespace App\Contracts; /** * 处理Token的Contracts * @package App\Contracts */ interface TokenHandler { /** * 创建一个token * @param $userId integer 用户Id * @return string */ public function createToken($userId); /** * 得到该token的用户 * @param $token string token值 * @return \App\User 拥有该token的用户 */ public function getTokenUser($token); /** * 删除一个token * @param $token string token值 * @return bool 是否成功 */ public function removeToken($token); }
這裡定義了3個方法:建立token,得到token對應用戶,刪除token。
然後我們寫一個Mysql下的實作app/Services/MysqlTokenHandler.php
<?php namespace App\Services; use App\Contracts\TokenHandler; use App\Orm\Token; /** * 处理Token的Contracts对应的Mysql Service * @package App\Services */ class MysqlTokenHandler implements TokenHandler { /** * @var int 一个用户能够拥有的token最大值 */ protected $userTokensMax = 10; /** * @inheritdoc */ public function createToken($userId) { while (Token::where('user_id', $userId)->count() >= $this->userTokensMax) { Token::where('user_id', $userId)->orderBy('updated_at', 'asc')->first()->delete(); } $token = \Illuminate\Support\Str::random(32); if (!Token::create(['token' => $token, 'user_id' => $userId])) { return false; } return $token; } /** * @inheritdoc */ public function getTokenUser($token) { $tokenObject = Token::where('token', $token)->first(); return $tokenObject && $tokenObject->user ? $tokenObject->user : false; } /** * @inheritdoc */ public function removeToken($token) { return Token::find($token)->delete(); } }
然後在bootstrap/app.php裡綁定兩者的映射關係:
$app->singleton( App\Contracts\TokenHandler::class, App\Services\MysqlTokenHandler::class);
如果將來換成了redis,只要重寫一個RedisTokenHandler的實作並重新綁定即可,具體的業務邏輯程式碼不需要任何改變。
於是在controller裡就可以直接注入該物件實例,只要在參數前宣告合約類型:
public function logout(Request $request, TokenHandler $tokenHandler) { if ($tokenHandler->removeToken($request->input('api_token'))) { return $this->success([]); } else { return $this->error(Lang::get('messages.logout_fail')); } }
也可以在程式碼裡手動得到注入物件的實例,例如:
$currentUser = app(\App\Contracts\TokenHandler::class)->getTokenUser($request->input('api_token'));
以上是php中lumen的自訂依賴注入範例介紹的詳細內容。更多資訊請關注PHP中文網其他相關文章!