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

資訊專欄INFORMATION COLUMN

Laravel Kernel實例化后的處理

taohonghui / 483人閱讀

摘要:所以就是對象其他的都是類似的。和一樣,既可以數組形式訪問,也可以按對象方式訪問。大體流程是創建獲取請求對象包括請求頭和請求體注入請求對象到服務容器配置系統運行環境發送請求

Laravel Kernel實例化后的處理
$response = $kernel->handle(
    $request = IlluminateHttpRequest::capture()
);
創建并獲取Request對象
$request = IlluminateHttpRequest::capture()

IlluminateHttpRequest extends SymfonyComponentHttpFoundationRequest

public static function capture()
{
    static::enableHttpMethodParameterOverride();

    return static::createFromBase(SymfonyRequest::createFromGlobals());
}
public static function enableHttpMethodParameterOverride()
{
    self::$httpMethodParameterOverride = true;
}
public static function createFromGlobals()
{
    $server = $_SERVER;
    // CLI mode
    if ("cli-server" === PHP_SAPI) {
        if (array_key_exists("HTTP_CONTENT_LENGTH", $_SERVER)) {
            $server["CONTENT_LENGTH"] = $_SERVER["HTTP_CONTENT_LENGTH"];
        }
        if (array_key_exists("HTTP_CONTENT_TYPE", $_SERVER)) {
            $server["CONTENT_TYPE"] = $_SERVER["HTTP_CONTENT_TYPE"];
        }
    }
    // 創建并返回SymfonyComponentHttpFoundationRequest對象,實際上是用全局變量來實例化對應的類(可以對全局變量進行安全過濾),在賦予Request對象
    $request = self::createRequestFromFactory($_GET, $_POST, array(), $_COOKIE, $_FILES, $server);
    // 如果是以PUT|DELETE|PATCH方法進行的標準編碼傳輸方式,就從原始數據的只讀流解析數據到request屬性(此屬性其實對應的是POST鍵值對,PUT|DELETE|PATCH傳輸方式會被轉成POST方式進行統一處理)
    if (0 === strpos($request->headers->get("CONTENT_TYPE"), "application/x-www-form-urlencoded")
        && in_array(strtoupper($request->server->get("REQUEST_METHOD", "GET")), array("PUT", "DELETE", "PATCH"))
    ) {
        parse_str($request->getContent(), $data);
        $request->request = new ParameterBag($data);
    }

    return $request;
}
private static function createRequestFromFactory(array $query = array(), array $request = array(), array $attributes = array(), array $cookies = array(), array $files = array(), array $server = array(), $content = null)
{
    // 如果存在自定義的方法,則調用并返回相應的對象
    if (self::$requestFactory) {
        // 此方法必須返回SymfonyComponentHttpFoundationRequest的對象,否則拋異常
        $request = call_user_func(self::$requestFactory, $query, $request, $attributes, $cookies, $files, $server, $content);

        if (!$request instanceof self) {
            throw new LogicException("The Request factory must return an instance of SymfonyComponentHttpFoundationRequest.");
        }

        return $request;
    }

    return new static($query, $request, $attributes, $cookies, $files, $server, $content);
}
// 創建并返回IlluminateHttpRequest對象
public static function createFromBase(SymfonyRequest $request)
{
    if ($request instanceof static) {
        return $request;
    }
    
    $content = $request->content;
    
    $request = (new static)->duplicate(
        $request->query->all(), $request->request->all(), $request->attributes->all(),
        $request->cookies->all(), $request->files->all(), $request->server->all()
    );

    $request->content = $content;

    $request->request = $request->getInputSource();

    return $request;
}
public function duplicate(array $query = null, array $request = null, array $attributes = null, array $cookies = null, array $files = null, array $server = null)
{
    return parent::duplicate($query, $request, $attributes, $cookies, $this->filterFiles($files), $server);
}
public function duplicate(array $query = null, array $request = null, array $attributes = null, array $cookies = null, array $files = null, array $server = null)
{
    $dup = clone $this;
    if ($query !== null) {
        $dup->query = new ParameterBag($query);
    }
    if ($request !== null) {
        $dup->request = new ParameterBag($request);
    }
    if ($attributes !== null) {
        $dup->attributes = new ParameterBag($attributes);
    }
    if ($cookies !== null) {
        $dup->cookies = new ParameterBag($cookies);
    }
    if ($files !== null) {
        $dup->files = new FileBag($files);
    }
    if ($server !== null) {
        $dup->server = new ServerBag($server);
        $dup->headers = new HeaderBag($dup->server->getHeaders());
    }
    $dup->languages = null;
    $dup->charsets = null;
    $dup->encodings = null;
    $dup->acceptableContentTypes = null;
    $dup->pathInfo = null;
    $dup->requestUri = null;
    $dup->baseUrl = null;
    $dup->basePath = null;
    $dup->method = null;
    $dup->format = null;

    if (!$dup->get("_format") && $this->get("_format")) {
        $dup->attributes->set("_format", $this->get("_format"));
    }

    if (!$dup->getRequestFormat(null)) {
        $dup->setRequestFormat($this->getRequestFormat(null));
    }

    return $dup;
}
public function getContent($asResource = false)
{
    $currentContentIsResource = is_resource($this->content);
    if (PHP_VERSION_ID < 50600 && false === $this->content) {
        throw new LogicException("getContent() can only be called once when using the resource return type and PHP below 5.6.");
    }
    // 資源類型時的處理
    if (true === $asResource) {
        if ($currentContentIsResource) {
            rewind($this->content);

            return $this->content;
        }

        // Content passed in parameter (test)
        if (is_string($this->content)) {
            $resource = fopen("php://temp", "r+");
            fwrite($resource, $this->content);
            rewind($resource);

            return $resource;
        }

        $this->content = false;

        return fopen("php://input", "rb");
    }

    if ($currentContentIsResource) {
        rewind($this->content);

        return stream_get_contents($this->content);
    }
    // 否則讀取標準的輸入字節流
    if (null === $this->content || false === $this->content) {
        $this->content = file_get_contents("php://input");
    }

    return $this->content;
}

總之:最后創建了一個解析了$_GET, $_POST, $_COOKIE, $_FILES, $_SERVER等變量之后的IlluminateHttpRequest類的對象

handle處理(核心)
public function handle($request)
{
    try {
        $request->enableHttpMethodParameterOverride();

        $response = $this->sendRequestThroughRouter($request);
    } catch (Exception $e) {
        $this->reportException($e);

        $response = $this->renderException($request, $e);
    } catch (Throwable $e) {
        $this->reportException($e = new FatalThrowableError($e));

        $response = $this->renderException($request, $e);
    }

    event(new EventsRequestHandled($request, $response));

    return $response;
}
// 核心方法
protected function sendRequestThroughRouter($request)
{
    // 注入請求對象到服務容器,供后期使用
    $this->app->instance("request", $request);

    Facade::clearResolvedInstance("request");
    // 啟動應用(包括加載設置環境變量、加載配置文件、設置系統錯誤異常、Facade、啟動各服務提供者的引導項等),后續分析
    $this->bootstrap();
    // 委托管道形式處理請求,這個是middleware實現的本質,后續分析
    return (new Pipeline($this->app))
                ->send($request)
                ->through($this->app->shouldSkipMiddleware() ? [] : $this->middleware)
                ->then($this->dispatchToRouter());
}
public static function clearResolvedInstance($name)
{
    unset(static::$resolvedInstance[$name]);
}
public function bootstrap()
{
    if (! $this->app->hasBeenBootstrapped()) {
        $this->app->bootstrapWith($this->bootstrappers());
    }
}
protected function bootstrappers()
{
    #####################################################################
    #$bootstrappers = [
    #    IlluminateFoundationBootstrapLoadEnvironmentVariables::class,
    #    IlluminateFoundationBootstrapLoadConfiguration::class,
    #    IlluminateFoundationBootstrapHandleExceptions::class,      
    #    IlluminateFoundationBootstrapRegisterFacades::class,
    #    IlluminateFoundationBootstrapRegisterProviders::class,      
    #    IlluminateFoundationBootstrapBootProviders::class,
    #];
    #####################################################################
    return $this->bootstrappers;
}
public function bootstrapWith(array $bootstrappers)
{
    $this->hasBeenBootstrapped = true;
    foreach ($bootstrappers as $bootstrapper) {
        // 啟動前的事件觸發
        $this["events"]->fire("bootstrapping: ".$bootstrapper, [$this]);
        // 創建相應的對象并執行引導操作
        $this->make($bootstrapper)->bootstrap($this);
        // 啟動后的事件觸發
        $this["events"]->fire("bootstrapped: ".$bootstrapper, [$this]);
    }
}
// 位于IlluminateEventsDispatcher文件,$payload用來傳參給監聽器,$halt表示是否終止后續事件的監聽
public function fire($event, $payload = [], $halt = false)
{
    return $this->dispatch($event, $payload, $halt);
}
public function dispatch($event, $payload = [], $halt = false)
{
    list($event, $payload) = $this->parseEventAndPayload(
        $event, $payload
    );
    // 若實現了廣播類則加入廣播隊列
    if ($this->shouldBroadcast($payload)) {
        $this->broadcastEvent($payload[0]);
    }

    $responses = [];
    // 獲取此事件相關的監聽事件函數
    foreach ($this->getListeners($event) as $listener) {
        $response = $listener($event, $payload);    // 觸發事件

        if (! is_null($response) && $halt) {
            return $response;
        }

        if ($response === false) {
            break;
        }

        $responses[] = $response;
    }

    return $halt ? null : $responses;
}
public function getListeners($eventName)
{
    $listeners = isset($this->listeners[$eventName]) ? $this->listeners[$eventName] : [];

    $listeners = array_merge(
        $listeners, $this->getWildcardListeners($eventName)
    );

    return class_exists($eventName, false)
                ? $this->addInterfaceListeners($eventName, $listeners)  // 在$listeners增加接口監聽事件
                : $listeners;
}

$this["events"]含義參考[kernel對象化]:

1. IlluminateFoundationApplication extends IlluminateContainerContainer
2. Container implements ArrayAccess,故Application可以按數組形式讀取。
3. public function offsetGet($key) { return $this->make($key); }
4. public function offsetSet($key, $value) { $this->bind($key, $value instanceof Closure ? $value : function () use ($value) { return $value; });}
5. public function __get($key) { return $this[$key]; }
6. public function __set($key, $value) { $this[$key] = $value; }
7. 所以$this["events"] 就是 $this->instances["events"] 對象($dispatcher);
8. 其他的$this["config"]都是類似的。
9. $this["events"]和$this->events一樣,既可以數組形式訪問,也可以按對象方式訪問。

大體流程是: 創建獲取請求對象(包括請求頭和請求體)=>注入請求對象到服務容器=>配置系統運行環境=>發送請求

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

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

相關文章

  • Laravel 請求周期

    摘要:請求周期加載自動加載器獲取應用對象實例化應用解析此對象貫穿全文主要過程設置基礎路徑基礎綁定注冊全局基礎服務核心容器別名設置注冊三個單例獲取對象實例化此對象為應用的樞紐,將會協調各部分之間的工作,完成請求主要過程注入應用對象注入事件對象注入 Laravel 請求周期 加載 composer 自動加載器 require __DIR__./../bootstrap/autoload.php;...

    Cristalven 評論0 收藏0
  • Laravel學習:請求到響應的生命周期

    摘要:請求處理階段請求處理階段首先是準備請求處理的環境,包括環境加載服務提供者注冊等環節,然后將請求實例通過中間件處理及通過路由和控制器的分發控制,使得不同的請求通過相應的處理程序進行處理并生成響應的過程。 Laravel請求到響應的整個執行過程,主要可以歸納為四個階段,即程序啟動準備階段、請求實例化階段、請求處理階段、響應發送和程序終止階段。 程序啟動準備階段 服務容器實例化 服務容器的實...

    OBKoro1 評論0 收藏0
  • Laravel 動態添加 Artisan 命令的最佳實踐

    摘要:初步嘗試既然最常見的注冊命令的方式是修改類中的,那么一般正常人都會從這邊開始下手。又要自己取出實例,又要自己調用方法,調用方法之前還有自己先把實例化這么繁瑣,肯定不是運行時添加命令的最佳實踐,所以我決定繼續尋找更優解。 本文首發于我的博客,原文鏈接:https://blessing.studio/best-... 雖然 Laravel 官方文檔提供的添加 Artisan Command...

    ninefive 評論0 收藏0
  • Laravel中間件原理

    摘要:直到所有中間件都執行完畢,最后在執行最后的即上述的方法如果上述有地方難懂的,可以參考這邊文章內置函數在中的使用以上是在通過全局中間件時的大致流程,通過中間件和路由中間件也是一樣的,都是采用管道流操作,詳情可翻閱源碼 簡介 Laravel 中間件提供了一種方便的機制來過濾進入應用的 HTTP 請求, 如ValidatePostSize用來驗證POST請求體大小、ThrottleReque...

    張憲坤 評論0 收藏0
  • Laravel學習筆記之bootstrap源碼解析

    摘要:總結本文主要學習了啟動時做的七步準備工作環境檢測配置加載日志配置異常處理注冊注冊啟動。 說明:Laravel在把Request通過管道Pipeline送入中間件Middleware和路由Router之前,還做了程序的啟動Bootstrap工作,本文主要學習相關源碼,看看Laravel啟動程序做了哪些具體工作,并將個人的研究心得分享出來,希望對別人有所幫助。Laravel在入口index...

    xiaoxiaozi 評論0 收藏0

發表評論

0條評論

taohonghui

|高級講師

TA的文章

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