ThinkPHP 5.1 修改 Cache 原始碼

haoyq發表於2019-05-13

導語

最近在學習 THinkPHP 5.1,看了 Cache 方法的操作,有一點疑惑。雖然封裝了很多方法,使用的時候很方便,但是對 Redis 的高階操作好像不是很友好,出於學習的目的,對原始碼進行了一點小修改。首先宣告兩點:一是此次的修改,只是個人觀點,不適於所有人;二是此次修改僅為學習所用,各位謹慎修改原始碼

問題

在練習 Redis 的時候,發現如果想要使用高階方法,例如 hSethGet 等,要先返回控制程式碼,然後才能執行。如下

<?php

namespace appindexcontroller;

use thinkcachedriverRedis;
use thinkController;

class RedisTest extends Controller
{
    public function index()
    {
        $redis = new Redis();
        $redis = $redis->handler();

        dump($redis->hSet(`h_name`, `1`, `tom`));// int(1)
    }
}

可以看到,執行成功。問題是為什麼要先返回控制程式碼,可以用 __call 這種魔術方法來解決的。

追蹤原始碼

既然有了疑惑,就要解惑。追蹤著原始碼,看到 thinkphp/library/think/cache/Driver.php,發現確實沒有 __call,只是 handler 來返回控制程式碼來執行高階方法。沒想明白為什麼不用 __clss

解決問題

解決方法就是在 thinkphp/library/think/cache/Driver.php 中新增 __call 方法,這樣不止 Redis 可以直接使用高階方法,其他繼承此檔案的 Cache 類都可以直接使用。程式碼如下

     /**
     * 執行高階方法
     * @param $method
     * @param $parameters
     * @return mixed
     */
    public function __call($method, $parameters)
    {
        return call_user_func_array(array($this->handler(), $method), $parameters);
    }

再看下測試程式碼

<?php

namespace appindexcontroller;

use thinkcachedriverRedis;
use thinkController;

class RedisTest extends Controller
{
    public function index()
    {
        $redis = new Redis();
//        $redis = $redis->handler();

        dump($redis->hSet(`h_name`, `2`, `jerry`));// int(1)
    }
}

到此問題已解決。當我修改完的時候,想起 Laravel 似乎就是用的 __call,然後去看了原始碼,確實如此。在 ravel/vendor/laravel/framework/src/Illuminate/Redis/RedisManager.php 中有如下程式碼

     /**
     * Pass methods onto the default Redis connection.
     *
     * @param  string  $method
     * @param  array  $parameters
     * @return mixed
     */
    public function __call($method, $parameters)
    {
        return $this->connection()->{$method}(...$parameters);
    }

結語

其實這次小修改的象徵意義大於實際意義,畢竟這不是什麼 bug,使用 handler 也是可以實現的。對我來說更大的意義是,遇到些問題會更傾向於檢視原始碼。看得多了,自然能力會提升。


參考資料:魔術方法THinkPHP 快取Laravel rediscall_user_func_array

相關文章