Laravel 運行原理分析與源碼分析,底層看這篇足矣

1、運行原理概述

laravel 的入口文件 index.phpphp

一、引入自動加載 autoload.phplaravel

二、建立應用實例,並同時完成了web

基本綁定($this、容器類Container等等)、

基本服務提供者的註冊(Event、log、routing)、

核心類別名的註冊(好比db、auth、config、router等)

三、開始 Http 請求的處理sql

make 方法從容器中解析指定的值爲實際的類,好比 $app->make(Illuminate\Contracts\Http\Kernel::class) 解析出 App\Http\Http.php handle 方法對 http 請求進行處理shell

其實是 handle 中的 sendRequestThroughRouter 處理的 http 請求bootstrap

首先,將 request 綁定到共享實例數組

而後執行 bootstarp 方法,運行給定的引導類數組 $bootstrappers,這裏很關鍵,包括了加載配置文件、環境變量、服務提供者(config/app.php 中的 providers)、門面、異常處理、引導提供者服務器

以後,進入管道模式,通過中間件的處理過濾後,再進行用戶請求的分發session

在請求分發時,首先,查找與給定請求匹配的路由,而後執行 runRoute 方法,實際處理請求的是 runRoute 方法中的 runRouteWithinStack架構

而後,通過 runRouteWithinStack 中的 run 方法,將請求分配到實際的控制器中,並獲得響應結果

四、將處理結果返回

2、詳細源碼分析

一、註冊自動加載器,實現文件的自動加載

require __dir__.'/../vendor/autoload.php';

二、建立應用容器實例 Application(該實例繼承自容器類 Container), 並綁定核心(web、命令行、異常),以便在須要時解析它們

$app = require_once __DIR__.'/../bootstrap/app.php';

app.php 文件以下:

<?php
// 建立Laravel實例 【3】
$app = new Illuminate\Foundation\Application(
    $_ENV['APP_BASE_PATH'] ?? dirname(__DIR__)
);
// 綁定Web端kernel
$app->singleton(
    Illuminate\Contracts\Http\Kernel::class,
    App\Http\Kernel::class
);
// 綁定命令行kernel
$app->singleton(
    Illuminate\Contracts\Console\Kernel::class,
    App\Console\Kernel::class
);
// 綁定異常處理kernel
$app->singleton(
    Illuminate\Contracts\Debug\ExceptionHandler::class,
    App\Exceptions\Handler::class
);
// 返回應用實例
return $app;

三、在建立應用實例(Application.php)的構造函數中,將基本綁定註冊到容器中,並註冊了全部的基本服務提供者,以及在容器中註冊核心類別名

public function __construct($basePath = null)
{   
    // 將基本綁定註冊到容器中【3.1】
    $this->registerBaseBindings();
    // 註冊全部基本服務提供者【3.2】
    $this->registerBaseServiceProviders();
    // 在容器中註冊核心類別名【3.3】
    $this->registerCoreContainerAliases();
}

3.一、將基本綁定註冊到容器中

static::setInstance($this);
 $this->instance('app', $this);
 $this->instance(Container::class, $this);
 $this->singleton(Mix::class);
 $this->instance(PackageManifest::class, new PackageManifest(
     new Filesystem, $this->basePath(), $this->getCachedPackagesPath()
 ));
 # 注:instance方法爲將...註冊爲共享實例,singleton方法爲將...註冊爲共享綁定

3.二、註冊全部基本服務提供者 (事件、日誌、路由)

protected function registerBaseServiceProviders()
{
    $this->register(new EventServiceProvider($this));
    $this->register(new LogServiceProvider($this));
    $this->register(new RoutingServiceProvider($this));
}

3.三、在容器中註冊核心類別名

在這裏插入圖片描述

四、上面完成了類的自動加載、服務提供者註冊、核心類的綁定、以及基本註冊的綁定 

五、開始解析 http 請求

index.php
// 5.1
$kernel = $app->make(Illuminate\Contracts\Http\Kernel::class);
// 5.2
$response = $kernel->handle(
    $request = Illuminate\Http\Request::capture()
);

5.1 make 方法是從容器解析給定值

$kernel = $app->make(Illuminate\Contracts\Http\Kernel::class);

中的Illuminate\Contracts\Http\Kernel::class 是在index.php 中的$app = require_once __DIR__.'/../bootstrap/app.php';這裏面進行綁定的,實際指向的就是App\Http\Kernel::class這個類

5.2 這裏對 http 請求進行處理

$response = $kernel->handle(
    $request = Illuminate\Http\Request::capture()
);

進入 $kernel 所表明的類 App\Http\Kernel.php 中,咱們能夠看到其實裏面只是定義了一些中間件相關的內容,並無 handle 方法

咱們再到它的父類 use Illuminate\Foundation\Http\Kernel as HttpKernel; 中找 handle 方法,能夠看到 handle 方法是這樣的

public function handle($request)
{
    try {
        // 方法欺騙,不用關注這裏
        $request->enableHttpMethodParameterOverride();
        // 最核心的處理http請求的地方【6】
        $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);
    }
    $this->app['events']->dispatch(
        new Events\RequestHandled($request, $response)
    );
    return $response;
}

六、處理 http 請求(將 request 綁定到共享實例,並使用管道模式處理用戶請求)

vendor/laravel/framework/src/Illuminate/Foundation/Http/Kernel.php的handle方法
// 最核心的處理http請求的地方
$response = $this->sendRequestThroughRouter($request);

進入 sendRequestThroughRouter 方法

protected function sendRequestThroughRouter($request)
{
    // 將請求$request綁定到共享實例
    $this->app->instance('request', $request);
    // 將請求request從已解析的門面實例中清除(由於已經綁定到共享實例中了,不必再浪費資源了)
    Facade::clearResolvedInstance('request');
    // 引導應用程序進行HTTP請求
    $this->bootstrap();【七、8】
    // 進入管道模式,通過中間件,而後處理用戶的請求【九、10】
    return (new Pipeline($this->app))
                ->send($request)
                ->through($this->app->shouldSkipMiddleware() ? [] : $this->middleware)
                ->then($this->dispatchToRouter());
}

七、在 bootstrap 方法中,運行給定的引導類數組 $bootstrappers,加載配置文件、環境變量、服務提供者、門面、異常處理、引導提供者,很是重要的一步

位置在 vendor/laravel/framework/src/Illuminate/Foundation/Http/Kernel.php

/**
 * Bootstrap the application for HTTP requests.
 *
 * @return void
 */
public function bootstrap()
{
    if (! $this->app->hasBeenBootstrapped()) {
        $this->app->bootstrapWith($this->bootstrappers());
    }
}
/**
 * 運行給定的引導類數組
 *
 * @param  string[]  $bootstrappers
 * @return void
 */
public function bootstrapWith(array $bootstrappers)
{
    $this->hasBeenBootstrapped = true;
    foreach ($bootstrappers as $bootstrapper) {
        $this['events']->dispatch('bootstrapping: '.$bootstrapper, [$this]);
        $this->make($bootstrapper)->bootstrap($this);
        $this['events']->dispatch('bootstrapped: '.$bootstrapper, [$this]);
    }
}
/**
 * Get the bootstrap classes for the application.
 *
 * @return array
 */
protected function bootstrappers()
{
    return $this->bootstrappers;
}
/**
 * 應用程序的引導類
 *
 * @var array
 */
protected $bootstrappers = [
    // 加載環境變量
    \Illuminate\Foundation\Bootstrap\LoadEnvironmentVariables::class,
    // 加載config配置文件【重點】
    \Illuminate\Foundation\Bootstrap\LoadConfiguration::class,
    // 加載異常處理
    \Illuminate\Foundation\Bootstrap\HandleExceptions::class,
    // 加載門面註冊
    \Illuminate\Foundation\Bootstrap\RegisterFacades::class,
    // 加載在config/app.php中的providers數組裏所定義的服務【8 重點】
    \Illuminate\Foundation\Bootstrap\RegisterProviders::class,
    // 記載引導提供者
    \Illuminate\Foundation\Bootstrap\BootProviders::class,
];

八、加載 config/app.php 中的 providers 數組裏所定義的服務

Illuminate\Auth\AuthServiceProvider::class,
Illuminate\Broadcasting\BroadcastServiceProvider::class,
Illuminate\Bus\BusServiceProvider::class,
Illuminate\Cache\CacheServiceProvider::class,
Illuminate\Foundation\Providers\ConsoleSupportServiceProvider::class,
Illuminate\Cookie\CookieServiceProvider::class,
Illuminate\Database\DatabaseServiceProvider::class,
Illuminate\Encryption\EncryptionServiceProvider::class,
Illuminate\Filesystem\FilesystemServiceProvider::class,
Illuminate\Foundation\Providers\FoundationServiceProvider::class,
Illuminate\Hashing\HashServiceProvider::class,
Illuminate\Mail\MailServiceProvider::class,
Illuminate\Notifications\NotificationServiceProvider::class,
Illuminate\Pagination\PaginationServiceProvider::class,
Illuminate\Pipeline\PipelineServiceProvider::class,
Illuminate\Queue\QueueServiceProvider::class,
Illuminate\Redis\RedisServiceProvider::class,
Illuminate\Auth\Passwords\PasswordResetServiceProvider::class,
Illuminate\Session\SessionServiceProvider::class,
Illuminate\Translation\TranslationServiceProvider::class,
Illuminate\Validation\ValidationServiceProvider::class,
Illuminate\View\ViewServiceProvider::class,
App\Providers\AppServiceProvider::class,
App\Providers\AuthServiceProvider::class,
App\Providers\EventServiceProvider::class,
App\Providers\RouteServiceProvider::class,
/**
 * 本身添加的服務提供者
 */
\App\Providers\HelperServiceProvider::class,

能夠看到,關於經常使用的 RedissessionqueueauthdatabaseRoute 等服務都是在這裏進行加載的

 

九、使用管道模式處理用戶請求,先通過中間件進行處理

return (new Pipeline($this->app))
    ->send($request)
    // 若是沒有爲程序禁用中間件,則加載中間件(位置在app/Http/Kernel.php的$middleware屬性)
    ->through($this->app->shouldSkipMiddleware() ? [] : $this->middleware)
    ->then($this->dispatchToRouter());
}

app/Http/Kernel.php

/**
 * 應用程序的全局HTTP中間件
 *
 * These middleware are run during every request to your application.
 *
 * @var array
 */
protected $middleware = [
    \App\Http\Middleware\TrustProxies::class,
    \App\Http\Middleware\CheckForMaintenanceMode::class,
    \Illuminate\Foundation\Http\Middleware\ValidatePostSize::class,
    \App\Http\Middleware\TrimStrings::class,
    \Illuminate\Foundation\Http\Middleware\ConvertEmptyStringsToNull::class,
];

十、通過中間件處理後,再進行請求分發(包括查找匹配路由)

/**

  • 10.1 經過中間件/路由器發送給定的請求
  • @param \Illuminate\Http\Request $request
  • @return \Illuminate\Http\Response
    */
    protected function sendRequestThroughRouter($request)
    {
    ...
    return (new Pipeline($this->app))
    ...
    // 進行請求分發
    ->then($this->dispatchToRouter());
    }
/**
 * 10.2 獲取路由調度程序回調
 *
 * @return \Closure
 */
protected function dispatchToRouter()
{
    return function ($request) {
        $this->app->instance('request', $request);
        // 將請求發送到應用程序
        return $this->router->dispatch($request);
    };
}
/**
 * 10.3 將請求發送到應用程序
 *
 * @param  \Illuminate\Http\Request  $request
 * @return \Illuminate\Http\Response|\Illuminate\Http\JsonResponse
 */
 public function dispatch(Request $request)
{
    $this->currentRequest = $request;
    return $this->dispatchToRoute($request);
}
/**
 * 10.4 將請求分派到路由並返回響應【重點在runRoute方法】
 *
 * @param  \Illuminate\Http\Request  $request
 * @return \Illuminate\Http\Response|\Illuminate\Http\JsonResponse
 */
public function dispatchToRoute(Request $request)
{   
    // 
    return $this->runRoute($request, $this->findRoute($request));
}
/**
 * 10.5 查找與給定請求匹配的路由
 *
 * @param  \Illuminate\Http\Request  $request
 * @return \Illuminate\Routing\Route
 */
protected function findRoute($request)
{
    $this->current = $route = $this->routes->match($request);
    $this->container->instance(Route::class, $route);
    return $route;
}
/**
 * 10.6 查找與給定請求匹配的第一條路由
 *
 * @param  \Illuminate\Http\Request  $request
 * @return \Illuminate\Routing\Route
 *
 * @throws \Symfony\Component\HttpKernel\Exception\NotFoundHttpException
 */
public function match(Request $request)
{
    // 獲取用戶的請求類型(get、post、delete、put),而後根據請求類型選擇對應的路由
    $routes = $this->get($request->getMethod());
    // 匹配路由
    $route = $this->matchAgainstRoutes($routes, $request);
    if (! is_null($route)) {
        return $route->bind($request);
    }
    $others = $this->checkForAlternateVerbs($request);
    if (count($others) > 0) {
        return $this->getRouteForMethods($request, $others);
    }
    throw new NotFoundHttpException;
}

到如今,已經找到與請求相匹配的路由了,以後將運行了,也就是 10.4 中的 runRoute 方法

/**
 * 10.4 將請求分派到路由並返回響應
 *
 * @param  \Illuminate\Http\Request  $request
 * @return \Illuminate\Http\Response|\Illuminate\Http\JsonResponse
 */
public function dispatchToRoute(Request $request)
{   
    return $this->runRoute($request, $this->findRoute($request));
}
/**
 * 10.7 返回給定路線的響應
 *
 * @param  \Illuminate\Http\Request  $request
 * @param  \Illuminate\Routing\Route  $route
 * @return \Illuminate\Http\Response|\Illuminate\Http\JsonResponse
 */
protected function runRoute(Request $request, Route $route)
{
    $request->setRouteResolver(function () use ($route) {
        return $route;
    });
    $this->events->dispatch(new Events\RouteMatched($route, $request));
    return $this->prepareResponse($request,
        $this->runRouteWithinStack($route, $request)
    );
}
/**
 * Run the given route within a Stack "onion" instance.
 * 10.8 在棧中運行路由
 *
 * @param  \Illuminate\Routing\Route  $route
 * @param  \Illuminate\Http\Request  $request
 * @return mixed
 */
protected function runRouteWithinStack(Route $route, Request $request)
{
    $shouldSkipMiddleware = $this->container->bound('middleware.disable') &&
                            $this->container->make('middleware.disable') === true;
    $middleware = $shouldSkipMiddleware ? [] : $this->gatherRouteMiddleware($route);
    return (new Pipeline($this->container))
        ->send($request)
        ->through($middleware)
        ->then(function ($request) use ($route) {
            return $this->prepareResponse(
                $request, $route->run()
            );
        });
}

十一、運行路由並返回響應 [重點]

能夠看到,10.7 中有一個方法是 prepareResponse,該方法是從給定值建立響應實例,而 runRouteWithinStack 方法則是在棧中運行路由,也就是說,http 的請求和響應都將在這裏完成。

點關注,不迷路

好了各位,以上就是這篇文章的所有內容了,能看到這裏的人呀,都是人才。以前說過,PHP方面的技術點不少,也是由於太多了,實在是寫不過來,寫過來了你們也不會看的太多,因此我這裏把它整理成了PDF和文檔,若是有須要的能夠

點擊進入暗號: PHP+「平臺」

在這裏插入圖片描述

在這裏插入圖片描述


更多學習內容能夠訪問【對標大廠】精品PHP架構師教程目錄大全,只要你能看完保證薪資上升一個臺階(持續更新)

以上內容但願幫助到你們,不少PHPer在進階的時候總會遇到一些問題和瓶頸,業務代碼寫多了沒有方向感,不知道該從那裏入手去提高,對此我整理了一些資料,包括但不限於:分佈式架構、高可擴展、高性能、高併發、服務器性能調優、TP6,laravel,YII2,Redis,Swoole、Swoft、Kafka、Mysql優化、shell腳本、Docker、微服務、Nginx等多個知識點高級進階乾貨須要的能夠免費分享給你們,須要的能夠加入個人 PHP技術交流羣

相關文章
相關標籤/搜索