国产xxxx99真实实拍_久久不雅视频_高清韩国a级特黄毛片_嗯老师别我我受不了了小说

資訊專欄INFORMATION COLUMN

Laravel 的 Session機制簡介

kelvinlee / 2897人閱讀

摘要:我們在這個類中的方法看到如下代碼,一個典型的過濾器,在這個中獲取的方法是。,整個初始化的過程總結下巧妙的使用了面向對象的接口方式,為我們提供了各種各樣不同的存儲方式,一旦我們了解了存儲方式和加密規則,讓不同的容器進行共享的目的也可以達到

前些天,為了解答一個問題,就去研究了Laravel的源碼,講講我的收獲:
這個是問題源:
http://segmentfault.com/q/1010000003776645?_ea=365137

本文講的Laravel全部使用5.1版本。

我們首先看Laravel是如何創建Session組件的。
首先我們可以看見在Kernel.php中注冊了StartSession這個類(這里不去討論Laravel的DI和IoC),看下這個類是如何使用的。

Session Start

我們在這個類中的handle方法看到如下代碼

public function handle($request, Closure $next)
{
    $this->sessionHandled = true;

    // If a session driver has been configured, we will need to start the session here
    // so that the data is ready for an application. Note that the Laravel sessions
    // do not make use of PHP "native" sessions in any way since they are crappy.
    if ($this->sessionConfigured()) {
        $session = $this->startSession($request);

        $request->setSession($session);
    }

    $response = $next($request);

    // Again, if the session has been configured we will need to close out the session
    // so that the attributes may be persisted to some storage medium. We will also
    // add the session identifier cookie to the application response headers now.
    if ($this->sessionConfigured()) {
        $this->storeCurrentUrl($request, $session);

        $this->collectGarbage($session);

        $this->addCookieToResponse($response, $session);
    }

    return $response;
}

OK,一個典型的過濾器,在這個StartSession中獲取Session的方法是getSession

Get Session

它使用了Laravel注入的SessionManager 這個類的完整限定名是:IlluminateSessionSessionManager

/**
 * Start the session for the given request.
 *
 * @param  IlluminateHttpRequest  $request
 * @return IlluminateSessionSessionInterface
 */
protected function startSession(Request $request)
{
    with($session = $this->getSession($request))->setRequestOnHandler($request);

    $session->start();

    return $session;
}

/**
 * Get the session implementation from the manager.
 *
 * @param  IlluminateHttpRequest  $request
 * @return IlluminateSessionSessionInterface
 */
public function getSession(Request $request)
{
    $session = $this->manager->driver();
    $session->setId($request->cookies->get($session->getName()));

    return $session;
}

我們在這個函數中看到,它調用了SessionManagerdrive方法,drive方法是SessionManager的父類Manager中定義的,看到它的實現是這樣的

/**
 * Get a driver instance.
 *
 * @param  string  $driver
 * @return mixed
 */
public function driver($driver = null)
{
    $driver = $driver ?: $this->getDefaultDriver();

    // If the given driver has not been created before, we will create the instances
    // here and cache it so we can return it next time very quickly. If there is
    // already a driver created by this name, we"ll just return that instance.
    if (! isset($this->drivers[$driver])) {
        $this->drivers[$driver] = $this->createDriver($driver);
    }

    return $this->drivers[$driver];
}

/**
 * Create a new driver instance.
 *
 * @param  string  $driver
 * @return mixed
 *
 * @throws InvalidArgumentException
 */
protected function createDriver($driver)
{
    $method = "create".ucfirst($driver)."Driver";

    // We"ll check to see if a creator method exists for the given driver. If not we
    // will check for a custom driver creator, which allows developers to create
    // drivers using their own customized driver creator Closure to create it.
    if (isset($this->customCreators[$driver])) {
        return $this->callCustomCreator($driver);
    } elseif (method_exists($this, $method)) {
        return $this->$method();
    }

    throw new InvalidArgumentException("Driver [$driver] not supported.");
}

也就是調用getDefaultDriver方法

/**
 * Get the default session driver name.
 *
 * @return string
 */
public function getDefaultDriver()
{
    return $this->app["config"]["session.driver"];
}

這里就是我們在app/config/session.php中定義的driver字段,獲取這個字段后,我們可以從createDriver的源碼看到,它實際上是調用createXXXXDriver的方式獲取到driver的。

OK,我們看下最簡單的File,也就是createFileDriver

/**
 * Create an instance of the file session driver.
 *
 * @return IlluminateSessionStore
 */
protected function createFileDriver()
{
    return $this->createNativeDriver();
}

/**
 * Create an instance of the file session driver.
 *
 * @return IlluminateSessionStore
 */
protected function createNativeDriver()
{
    $path = $this->app["config"]["session.files"];

    return $this->buildSession(new FileSessionHandler($this->app["files"], $path));
}

/**
 * Build the session instance.
 *
 * @param  SessionHandlerInterface  $handler
 * @return IlluminateSessionStore
 */
protected function buildSession($handler)
{
    if ($this->app["config"]["session.encrypt"]) {
        return new EncryptedStore(
            $this->app["config"]["session.cookie"], $handler, $this->app["encrypter"]
        );
    } else {
        return new Store($this->app["config"]["session.cookie"], $handler);
    }
}

這個Store就是我們Session的實體了,它的具體讀寫調用使用抽象的Handler進行,也就是說如果是讀文件,就new FileHandler如果是Redis就是new RedisHandler實現readwrite即可。

Session ID

回到StartSession 這個類,我們再看getSession這個方法

 $session->setId($request->cookies->get($session->getName()));

了解Web的人都應該知道,session是根據cookie中存的key來區分不同的會話的,所以sessionId尤為重要,這里我們先不關心Cookie是如何讀取,我們知道在這里讀取了cookie中存放的SessionId就夠了。

接下去看怎么加載數據

Data

依然是StartSession這個類,
我們看startSession這個方法,下一句調用的就是$session->start();,這句話是干嘛呢?經過前面的分析,我們知道$session已經是Store對象了,那么它的start方法如下:

public function start()
{
    $this->loadSession();

    if (! $this->has("_token")) {
        $this->regenerateToken();
    }

    return $this->started = true;
}

/**
 * Load the session data from the handler.
 *
 * @return void
 */
protected function loadSession()
{
    $this->attributes = array_merge($this->attributes, $this->readFromHandler());

    foreach (array_merge($this->bags, [$this->metaBag]) as $bag) {
        $this->initializeLocalBag($bag);

        $bag->initialize($this->bagData[$bag->getStorageKey()]);
    }
}

 /**
 * Read the session data from the handler.
 *
 * @return array
 */
protected function readFromHandler()
{
    $data = $this->handler->read($this->getId());

    if ($data) {
        $data = @unserialize($this->prepareForUnserialize($data));

        if ($data !== false && $data !== null && is_array($data)) {
            return $data;
        }
    }

    return [];
}

依次調用了loadSessionreadFromHandler 好,可以看到從handler中調用了read方法,這個方法就是從我們之前定義的各種handler中讀取數據了,它是個抽象方法,在子類中具體實現,然后返回給Store(存入到Store中的attributes數組中去了,到此為止,Session的初始化方法都結束了,

public function get($name, $default = null)
{
    return Arr::get($this->attributes, $name, $default);
}

這個函數去讀取Session中的數據了。

Summary

OK,Session整個初始化的過程總結下:

StartSession#handle -> StartSession#startSession -> StartSession#getSession -> SessionManager#getDefaultDriver -> SessionManager#createXXXHandler -> Store -> Store#setId -> Store#startSession

Laravel巧妙的使用了面向對象的接口方式,為我們提供了各種各樣不同的存儲方式,一旦我們了解了存儲方式和加密規則,讓不同的web容器進行Session共享的目的也可以達到~

文章版權歸作者所有,未經允許請勿轉載,若此文章存在違規行為,您可以聯系管理員刪除。

轉載請注明本文地址:http://specialneedsforspecialkids.com/yun/21128.html

相關文章

  • Laravel Sessionid 處理機制

    摘要:在的配置文件中可以設置,比如這個項目中設置名稱為我們可以看到刷新頁面,查看,會發現一個名稱為的,名字就是我們自定義的。而這種加密方式是每次加密的結果都不同,所以表現為的值每次都發生了變化,而實際上并沒有改變。 在 Laravel 的配置文件 config/session.php 中可以設置 Session Cookie Name,比如這個項目中設置名稱為sns_session: /* ...

    BWrong 評論0 收藏0
  • session和cookie機制laravel框架下相關應用

    摘要:服務器檢查該,以此來辨認用戶狀態。五下的相關應用應用在中配置如下配置項用于設置存儲方式,默認是,即存儲在文件中,該文件位于配置項配置的路徑,即。配置項用于設置有效期,默認為分鐘。配置項用于配置數據是否加密。 一、cookie的由來 ??當用戶訪問某網站時,web服務器會將部分信息保存到本地計算機上,當用戶再次關顧該網站時,服務器會去查看用戶是否登錄過該網站,如果登錄過,就會將這些記錄在...

    NicolasHe 評論0 收藏0
  • Laravel深入學習7 - 框架擴展

    摘要:組件擴展通常有兩種方法向容器中綁定自己的接口實現痛過使用工廠模式實現的類注冊自己的擴展。類庫管理類以工廠模式實現,負責諸如緩存等驅動的實例化。閉包須要傳入繼承自和容器的實例化對象。當完成擴展之后要記住中替換成自己的擴展名稱。 聲明:本文并非博主原創,而是來自對《Laravel 4 From Apprentice to Artisan》閱讀的翻譯和理解,當然也不是原汁原味的翻譯,能保證9...

    yuanxin 評論0 收藏0
  • PHP_Laravel

    摘要:簡介是一套簡介,優雅開發框架,通過簡單,高雅,表達式語法開發應用。服務器需要有該目錄及所有子目錄的寫入權限可用于存儲應用程序所需的一些文件該目錄下包括緩存和編譯后的視圖文件日志目錄測試目錄該目錄下包含源代碼和第三方依賴包環境配置文件。 簡介 Laravel是一套簡介,優雅PHP Web開發框架(PHP Web Framework), 通過簡單,高雅,表達式語法開發Web應用。 特點: ...

    NoraXie 評論0 收藏0
  • php如何實現session,自己實現session,laravel如何實現session

    摘要:如何實現執行腳本,會從中讀取配置項,將生成的唯一值保存文件放到配置項中的保存路徑和地點。并通過協議返回響應消息頭名值發送給客戶端。 1、php如何實現session 執行php腳本,session_start()會從php.ini中讀取配置項,將生成的唯一值sessionID保存文件放到配置項中的保存路徑和地點。并通過HTTP協議返回響應消息頭setCookieCookie名=Cook...

    silvertheo 評論0 收藏0

發表評論

0條評論

最新活動
閱讀需要支付1元查看
<