Laravel框架下路由的使用(源碼解析)

来源:https://www.cnblogs.com/it-3327/archive/2019/11/04/11795668.html
-Advertisement-
Play Games

本篇文章給大家帶來的內容是關於Laravel框架下路由的使用(源碼解析),有一定的參考價值,有需要的朋友可以參考一下,希望對你有所幫助。 前言 我的解析文章並非深層次多領域的解析攻略。但是參考著開發文檔看此類文章會讓你在日常開發中更上一層樓。 廢話不多說,我們開始本章的講解。 入口 Laravel啟 ...


本篇文章給大家帶來的內容是關於Laravel框架下路由的使用(源碼解析),有一定的參考價值,有需要的朋友可以參考一下,希望對你有所幫助。

前言

我的解析文章並非深層次多領域的解析攻略。但是參考著開發文檔看此類文章會讓你在日常開發中更上一層樓。

廢話不多說,我們開始本章的講解。

入口

Laravel啟動後,會先載入服務提供者、中間件等組件,在查找路由之前因為我們使用的是門面,所以先要查到Route的實體類。

註冊

第一步當然還是通過服務提供者,因為這是laravel啟動的關鍵,在 RouteServiceProvider 內載入路由文件。

1

2

3

4

5

6

7

protected function mapApiRoutes()

{

    Route::prefix('api')

         ->middleware('api')

         ->namespace($this->namespace// 設置所處命名空間

         ->group(base_path('routes/api.php'));  //所得路由文件絕對路徑

}

首先require是不可缺少的。因路由文件中沒有命名空間。 Illuminate\Routing\Router 下方法

1

2

3

4

5

6

7

8

9

10

protected function loadRoutes($routes)

{

    if ($routes instanceof Closure) {

        $routes($this);

    } else {

        $router = $this;

 

        require $routes;

    }

}

隨後通過路由找到指定方法,依舊是 Illuminate\Routing\Router 內有你所使用的所有路由相關方法,例如get、post、put、patch等等,他們都調用了統一的方法 addRoute

1

2

3

4

public function addRoute($methods, $uri, $action)

{

    return $this->routes->add($this->createRoute($methods, $uri, $action));

}

之後通過 Illuminate\Routing\RouteCollection addToCollections 方法添加到集合中

1

2

3

4

5

6

7

8

9

10

protected function addToCollections($route)

{

    $domainAndUri = $route->getDomain().$route->uri();

 

    foreach ($route->methods() as $method) {

        $this->routes[$method][$domainAndUri] = $route;

    }

 

    $this->allRoutes[$method.$domainAndUri] = $route;

}

添加後的結果如下圖所示

2988532948-5bac40d3bd9b4_articlex.png

調用

通過 Illuminate\Routing\Router 方法開始運行路由實例化的邏輯

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

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)

    );

}

....

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() // 此處調用run方法

                        );

                    });

}

在 Illuminate\Routing\Route 下 run 方用於執行控制器的方法

1

2

3

4

5

6

7

8

9

10

11

12

13

14

public function run()

{

    $this->container = $this->container ?: new Container;

 

    try {

        if ($this->isControllerAction()) {

            return $this->runController(); //運行一個路由並作出響應

        }

             

        return $this->runCallable();

    } catch (HttpResponseException $e) {

        return $e->getResponse();

    }

}

從上述方法內可以看出 runController 是運行路由的關鍵,方法內運行了一個調度程式,將控制器 $this->getController() 和控制器方法 $this->getControllerMethod() 傳入到 dispatch 調度方法內

1

2

3

4

5

6

7

protected function runController()

{

     

    return $this->controllerDispatcher()->dispatch(

        $this, $this->getController(), $this->getControllerMethod()

    );

}

這裡註意 getController() 才是真正的將控制器實例化的方法

1

2

3

4

5

6

7

8

9

10

public function getController()

{

     

    if (! $this->controller) {

        $class = $this->parseControllerCallback()[0]; // 0=>控制器 xxController 1=>方法名 index

        $this->controller = $this->container->make(ltrim($class, '\\')); // 交給容器進行反射

    }

 

    return $this->controller;

}

實例化

依舊通過反射載入路由指定的控制器,這個時候build的參數$concrete = App\Api\Controllers\XxxController

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

30

31

32

33

34

35

36

37

38

39

40

41

42

43

public function build($concrete)

{

    // If the concrete type is actually a Closure, we will just execute it and

    // hand back the results of the functions, which allows functions to be

    // used as resolvers for more fine-tuned resolution of these objects.

    if ($concrete instanceof Closure) {

        return $concrete($this, $this->getLastParameterOverride());

    }

     

    $reflector = new ReflectionClass($concrete);

    // If the type is not instantiable, the developer is attempting to resolve

    // an abstract type such as an Interface of Abstract Class and there is

    // no binding registered for the abstractions so we need to bail out.

    if (! $reflector->isInstantiable()) {

        return $this->notInstantiable($concrete);

    }

     

         

    $this->buildStack[] = $concrete;

 

    $constructor = $reflector->getConstructor();

    // If there are no constructors, that means there are no dependencies then

    // we can just resolve the instances of the objects right away, without

    // resolving any other types or dependencies out of these containers.

    if (is_null($constructor)) {

     

            array_pop($this->buildStack);

     

            return new $concrete;

    }

 

    $dependencies = $constructor->getParameters();

    // Once we have all the constructor's parameters we can create each of the

    // dependency instances and then use the reflection instances to make a

    // new instance of this class, injecting the created dependencies in.

    $instances = $this->resolveDependencies(

        $dependencies

    );

 

    array_pop($this->buildStack);

     

    return $reflector->newInstanceArgs($instances);

}

這時將返回控制器的實例,下麵將通過url訪問指定方法,一般控制器都會繼承父類 Illuminate\Routing\Controller ,laravel為其設置了別名 BaseController

1

2

3

4

5

6

7

8

9

10

11

12

13

14

public function dispatch(Route $route, $controller, $method)

{

     

    $parameters = $this->resolveClassMethodDependencies(

        $route->parametersWithoutNulls(), $controller, $method

    );

 

    if (method_exists($controller, 'callAction')) {

 

            return $controller->callAction($method, $parameters);

    }

         

    return $controller->{$method}(...array_values($parameters));

}

Laravel通過controller繼承的callAction去調用子類的指定方法,也就是我們希望調用的自定義方法。

1

2

3

4

public function callAction($method, $parameters)

{

    return call_user_func_array([$this, $method], $parameters);

}


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • JS使用方法 模態窗提供了四個事件: 1.show.bs.modal在顯示之前觸發 2.shown.bs.modal在顯示之後觸發 3.hide.bs.modal在隱藏之前觸發 4.hidden.bs.modal在隱藏之後觸發 ...
  • jQuery的DOM遍歷模塊對DOM模型的原生屬性parentNode、childNodes、firstChild、lastChild、previousSibling、nextSibling進行了封裝和擴展,用於在DOM樹中遍歷父元素、子元素和兄弟元素。 可以通過jQuery的實例來訪問,方法如下: ...
  • "洛谷題目頁面傳送門" & "CodeForces題目頁面傳送門" 定義一個$1\sim n$的排列$a$的平方$a^2=b$,當且僅當$\forall i\in[1,n],b_i=a_{a_i}$,即$a^2$為將$a$在$[1,2,\cdots,n]$上映射$2$次所得的排列。現在給定一個$1\ ...
  • 2019-11-04-23:03:13 目錄: 1.常用的數據結構 2.棧 3.隊列 4.數組 5.鏈表 6.紅黑樹 常用的數據結構: 包含:棧、隊列、數組、鏈表和紅黑樹 棧: 棧:stack,又稱堆棧,它是運算受限的線性表,其限制是僅允許在標的一端進行插入和刪除操作,不允許在其 他任何位置進行添加 ...
  • 進程:通俗理解一個運行的程式或者軟體,進程是操作系統資源分配的基本單位 1.1、導入進程模塊 import multiprocessing 1.2、Process進程類的語法結構如下: Process([group[, target[, name[,args[,kwargs]]]]]) group: ...
  • 本文經授權轉自公眾號:石杉的架構筆記 一、問題起源 二、Eureka Server設計精妙的註冊表存儲結構 三、Eureka Server端優秀的多級緩存機制 四、總結 一、問題起源 Spring Cloud架構體系中,Eureka是一個至關重要的組件,它扮演著微服務註冊中心的角色,所有的服務註冊與 ...
  • pom.xml 華為雲鏡像: -基本web開發 2.安裝Lombok插件:plugins >lombok 3.實體類中 4.Controller: 請求參數兩種類型: @RequestParam 獲取查詢參數。即url?name=value 這種形式 @PathVariable 獲取路徑參數。即ur ...
  • 前言:之前有寫過一篇關於LRU的文章鏈接https://www.cnblogs.com/wyq178/p/9976815.html LRU全稱:Least Recently Used:最近最少使用策略,判斷最近被使用的時間,距離目前最遠的數據優先被淘汰,作為一種根據訪問時間來更改鏈表順序從而實現緩存 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...