首页 > 作文

Laravel 运行原理分析与源码分析,底层看这篇足矣

更新时间:2023-04-09 00:22:07 阅读: 评论:0

一、运行原理概述

laravel 的入口文件 index.php

1、引入自动加载 autoload.php

2、创建应用实例,并同时完成了

基本绑定($this、容器类Container等等)、基本服务提供者的注册(Event、log、routing)、核心类别名的注册(比如db、auth、config、router等)

3、开始 Http 请求的处理

make 方法从容器中解析指定的值为实际的类,比如 $app->make(Illuminate\Contracts\Http\Kernel::class)解析出 App\Http\Http.php handle 方法对 http 请求进行处理

实际上是 handle 中的 ndRequestThroughRouter处理的 http 请求

首先,将 request 绑定到共享实例

然后执行 bootstarp 方法,运行给定的引导类数组 $bootstrappers,这里很关键,包括了加载配置文件、环境变量、服务提供者(config/app.php 中的 providers)、门面、异常处理、引导提供者

之后,进入管道模式,经过中间件的处理过滤后,再进行用户请求的分发

在请求分发时,首先,查找与给定请求匹配的路由,然后执行 runRoute 方法,实际处理请求的是 runRoute 方法中的 runRouteWithinStack

然后,经过 runRouteWithinStack 中的 run 方法,将请求分配到实际的控制器中,并得到响应结果

4、将处理结果返回

二、详细源码分析

1、注册自动加载器,实现文件的自动加载

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

2、创建应用容器实例 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;

3、在创建应用实例(Application.php)的构造函数中,将基本绑定注册到容器中,并注册了所有的基本服务提供者,以及在容器中注册核心类别名

public function __construct($baPath = null){        // 将基本绑定注册到容器中【3.1】    $this->registerBaBindings();    // 注册所有基本服务提供者【3.2】    $this->registerBaServiceProviders();    // 在容器中注册核心类别名【3.3】    $this->registerCoreContainerAlias();}

3.1、将基本绑定注册到容器中

 static::tInstance($this); $this->instance('app', $this); $this->instance(Container::class, $this); $this->singleton(Mix::class); $this->instance(PackageManifest::class, new PackageManifest(     new Filesystem, $this->baPath(), $this->getCachedPackagesPath() )); # 注:instance方法为将...注册为共享实例,singleton方法为将...注册为共享绑定

3.2、注册所有基本服务提供者 (事件、日志、路由)

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

3.3、在容器中注册核心类别名

4、上面完成了类的自动加载、服务提供者注册、核心类的绑定、以及基本注册的绑定

5、开始解析 http 请求

index.php// 5.1$kernel = $app->make(Illuminate\Contracts\Http\Kernel::class);// 5.2$respon = $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 请求进行处理

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

进入 $kernel 所代表的类 App\Http\Kernel.php 中,我们可以看到其实里面只是定义了一些中间件相关的内容,并没有 handle 方法

我们再到它的父类 u Illuminate\Foundation\Http\Kernel as HttpKernel; 中找 handle 方法,可以看到 handle 方法是这样的

public function handle($request){     try {         // 方法欺骗,不用关注这里        $request->enableHttpMethodParameterOverride();        // 最核心的处理http请求的地方【6】        $respo新手怎么开车n = $this->ndRequestThroughRouter($request);    } catch (Exceptio梁思成子女n $e) {         $this->reportException($e);        $respon = $this->renderException($request, $e);    } catch (Throwable $e) {         $this->reportException($e = new FatalThrowableError($e));        $respon = $this->renderException($request, $e);    }    $this->app['events']->dispatch(        new Events\RequestHandled($request, $respon)    );    return $respon;}

6、处理 http 请求(将 request 绑定到共享实例,并使用管道模式处理用户请求)

vendor/laravel/framework/src/Illuminate/Foundation/Http/Kernel.php的handle方法// 最核心的处理http请求的地方$respon = $this->ndRequestThroughRouter($request);

进入 ndRequestThroughRouter 方法

protected function ndRequestThroughRouter($request){     // 将请求$request绑定到共享实例    $this->app->instance('request', $request);    // 将请求request从已解析的门面实例中清除(因为已经绑定到共享实例中了,没必要再浪费资源了)    Facade::clearResolvedInstance('request');    // 引导应用程序进行HTTP请求    $this->bootstrap();78// 进入管道一尺等于几寸模式,经过中间件,然后处理用户的请求【9、10】    return (new Pipeline($this->app))                ->nd($request)                ->through($this->app->shouldSkipMiddleware() ? [] : $this->middleware)                ->then($this->dispatchToRouter());}

7、在 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 class 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,];

8、加载 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\Databa\DatabaServiceProvider::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\PasswordRetServiceProvider::class,Illuminate\Session\SessionServiceProvider::class,Illuminate\Translation\TranslationServiceProvider::class,Illuminate\Validation\ValidationServiceProvider::class,I2021高考安排lluminate\View\ViewServiceProvider::class,App\Providers\AppServiceProvider::class,App\Providers\AuthServiceProvider::class,App\Providers\EventServiceProvider::class,App\Providers\RouteServiceProvider::class,/** * 自己添加的服务提供者 */\App\Providers\HelperServiceProvider::class,

可以看到,关于常用的 RedisssionqueueauthdatabaRoute 等服务都是在这里进行加载的

9、使用管道模式处理用户请求,先经过中间件进行处理

return (new Pipeline($this->app))    ->nd($request)    // 如果没有为程序禁用中间件,则加载中间件(位置在app/Http/Kernel.php的$middleware属性)    ->through($this->app->shouldSkipMiddleware() ? [] : $this->middleware)    ->then($this->dispatchToRouter());}

app/Http/Kernel.php

/** * 应用程序的全局HTTP中间件 * * The 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、经过中间件处理后,再进行请求分发(包括查找匹配路由)

/**

10.1 通过中间件/路由器发送给定的请求@param \Illuminate\Http\Request $request@return \Illuminate\Http\Respon
*/
protected function ndRequestThroughRouter(KaTeX par error: Expected ‘}’, got ‘EOF’ at end of input: … (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\Respon|\Illuminate\Http\JsonRespon */ public function dispatch(Request $request){     $this->currentRequest = $request;    return $this->dispatchToRoute($request);}
 /** * 10.4 将请求分派到路由并返回响应【重点在runRoute方法】 * * @param \Illuminate\Http\Request $request * @return \Illuminate\Http\Respon|\Illuminate\Http\JsonRespon */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\Respon|\Illuminate\Http\JsonRespon */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\Respon|\Illuminate\Http\JsonRespon */protected function runRoute(Request $request, Route $route){     $request->tRouteResolver(function () u ($route) {         return $route;    });    $this->events->dispatch(new Events\RouteMatched($route, $request));    return $this->prepareRespon($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))        ->nd($request)        ->through($middleware)        ->then(function ($request) u ($route) {             return $this->prepareRespon(                $request, $route->run()            );        });}

11、运行路由并返回响应 [重点]

可以看到,10.7 中有一个方法是 prepareRespon,该方法是从给定值创建响应实例,而 runRouteWithinStack 方法则是在栈中运行路由,也就是说,http 的请求和响应都将在这里完成。

点关注,不迷路

好了各位,以上就是这篇文章的全部内容了,能看到这里的人呀,都是人才。之前说过,PHP方面的技术点很多,也是因为太多了,实在是写不过来,写过来了大家也不会看的太多,所以我这里把它整理成了PDF和文档,如果有需要的可以

点击进入暗号: PHP+「平台」

更多学习内容可以访问【对标大厂】精品PHP架构师教程目录大全,只要你能看完保证薪资上升一个台阶(持续更新)

以上内容希望帮助到大家,很多PHPer在进阶的时候总会遇到一些问题和瓶颈,业务代码写多了没有方向感,不知道该从那里入手去提升,对此我整理了一些资料,包括但不限于:分布式架构、高可扩展、高性能、高并发、服务器性能调优、TP6,laravel,YII2,Redis,Swoole、Swoft、Kafka、Mysql优化、shell脚本、Docker、微服务、Nginx等多个知识点高级进阶干货需要的可以免费分享给大家,需要的可以加入我的 PHP技术交流群

本文地址:https://blog.csdn.net/weixin_49163826/article/details/110570082

本文发布于:2023-04-09 00:22:03,感谢您对本站的认可!

本文链接:https://www.wtabcd.cn/fanwen/zuowen/23f4eaa53d7c2f919d7b282ee9794567.html

版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系,我们将在24小时内删除。

本文word下载地址:Laravel 运行原理分析与源码分析,底层看这篇足矣.doc

本文 PDF 下载地址:Laravel 运行原理分析与源码分析,底层看这篇足矣.pdf

标签:绑定   路由   方法   提供者
相关文章
留言与评论(共有 0 条评论)
   
验证码:
Copyright ©2019-2022 Comsenz Inc.Powered by © 专利检索| 网站地图