>  기사  >  백엔드 개발  >  PHP에서 루멘의 사용자 정의 종속성 주입 예제 소개

PHP에서 루멘의 사용자 정의 종속성 주입 예제 소개

黄舟
黄舟원래의
2017-08-23 09:51:171459검색

예를 들어, 현재 토큰 인증 시스템을 사용하고 있는데 향후에 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가지 방법이 정의되어 있습니다.

그런 다음 Mysql


<?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(&#39;user_id&#39;, $userId)->count() >= $this->userTokensMax) {
            Token::where(&#39;user_id&#39;, $userId)->orderBy(&#39;updated_at&#39;, &#39;asc&#39;)->first()->delete();
        }

        $token = \Illuminate\Support\Str::random(32);
        if (!Token::create([&#39;token&#39; => $token, &#39;user_id&#39; => $userId])) {
            return false;
        }

        return $token;
    }

    /**
     * @inheritdoc
     */
    public function getTokenUser($token)
    {
        $tokenObject = Token::where(&#39;token&#39;, $token)->first();

        return $tokenObject && $tokenObject->user ? $tokenObject->user : false;
    }

    /**
     * @inheritdoc
     */
    public function removeToken($token)
    {
        return Token::find($token)->delete();
    }
}

아래에 구현 app/Services/MysqlTokenHandler.php를 작성합니다.

그런 다음 bootstrap/app.php에서 둘 사이의 매핑 관계를 바인딩합니다.


$app->singleton(
    App\Contracts\TokenHandler::class,
    App\Services\MysqlTokenHandler::class);

향후 Redis로 전환하는 경우 RedisTokenHandler 구현을 다시 작성하고 다시 바인딩하기만 하면 특정 비즈니스 로직 코드를 변경할 필요가 없습니다.

컨트롤러에 개체 인스턴스를 직접 삽입할 수 있으므로 매개 변수 앞에 계약 유형을 선언하면 됩니다.


    public function logout(Request $request, TokenHandler $tokenHandler)
    {
        if ($tokenHandler->removeToken($request->input(&#39;api_token&#39;))) {
            return $this->success([]);
        } else {
            return $this->error(Lang::get(&#39;messages.logout_fail&#39;));
        }
    }

다음과 같이 코드에 삽입된 개체의 인스턴스를 수동으로 가져올 수도 있습니다.


아아아아

위 내용은 PHP에서 루멘의 사용자 정의 종속성 주입 예제 소개의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.