protected function sendRequestThroughRouter($request) { # $this->app->instance('request', $request); # Facade::clearResolvedInstance('request'); # $this->bootstrap(); return (new Pipeline($this->app)) ->send($request) ->through($this->app->shouldSkipMiddleware() ? [] : $this->middleware) ->then($this->dispatchToRouter()); }
protected function dispatchToRouter() { return function ($request) { $this->app->instance('request', $request); return $this->router->dispatch($request); }; } public function dispatch(Request $request) { $this->currentRequest = $request; return $this->dispatchToRoute($request); } public function dispatchToRoute(Request $request) { $route = $this->findRoute($request); $request->setRouteResolver(function () use ($route) { return $route; }); $this->events->dispatch(new Events\RouteMatched($route, $request)); // 至此,系統的流程走到了控制器相關的處理,後面待續 $response = $this->runRouteWithinStack($route, $request); return $this->prepareResponse($request, $response); }
protected function findRoute($request) { $this->current = $route = $this->routes->match($request); $this->container->instance(Route::class, $route); return $route; } public function match(Request $request) { $routes = $this->get($request->getMethod()); // 根據請求匹配到第一個相應的路由 $route = $this->matchAgainstRoutes($routes, $request); if (! is_null($route)) { return $route->bind($request); } // 若沒有找到,則按照['GET', 'HEAD', 'POST', 'PUT', 'PATCH', 'DELETE', 'OPTIONS']順序再找一遍 $others = $this->checkForAlternateVerbs($request); if (count($others) > 0) { return $this->getRouteForMethods($request, $others); } throw new NotFoundHttpException; } public function get($method = null) { return is_null($method) ? $this->getRoutes() : Arr::get($this->routes, $method, []); } protected function getRouteForMethods($request, array $methods) { if ($request->method() == 'OPTIONS') { return (new Route('OPTIONS', $request->path(), function () use ($methods) { return new Response('', 200, ['Allow' => implode(',', $methods)]); }))->bind($request); } $this->methodNotAllowed($methods); }
protected function matchAgainstRoutes(array $routes, $request, $includingMethod = true) { return Arr::first($routes, function ($value) use ($request, $includingMethod) { return $value->matches($request, $includingMethod); }); } public function matches(Request $request, $includingMethod = true) { // 解析路由 $this->compileRoute(); // 檢驗(uri正則匹配、方法是否存在、http(s)請求、主機正則匹配)均經過,則返回真 foreach ($this->getValidators() as $validator) { if (! $includingMethod && $validator instanceof MethodValidator) { continue; } if (! $validator->matches($this, $request)) { return false; } } return true; } public static function getValidators() { if (isset(static::$validators)) { return static::$validators; } return static::$validators = [ new UriValidator, new MethodValidator, new SchemeValidator, new HostValidator, ]; } protected function compileRoute() { if (! $this->compiled) { $this->compiled = (new RouteCompiler($this))->compile(); } return $this->compiled; } // 記錄可選參數並統一 uri 形式,後面進行統一的處理 public function compile() { $optionals = $this->getOptionalParameters(); $uri = preg_replace('/\{(\w+?)\?\}/', '{$1}', $this->route->uri()); // 構形成 symfony 的路由形式,再委託 Symfony\\Component\\Routing\\RouteCompiler 處理 return ( new SymfonyRoute($uri, $optionals, $this->route->wheres, [], $this->route->domain() ?: '') )->compile(); } protected function getOptionalParameters() { preg_match_all('/\{(\w+?)\?\}/', $this->route->uri(), $matches); return isset($matches[1]) ? array_fill_keys($matches[1], null) : []; } // 初始化處理(路徑和參數的規格化,合併 options,設置主機等) public function __construct($path, array $defaults = array(), array $requirements = array(), array $options = array(), $host = '', $schemes = array(), $methods = array(), $condition = '') { $this->setPath($path); $this->setDefaults($defaults); $this->setRequirements($requirements); $this->setOptions($options); // 合併['compiler_class' => 'Symfony\\Component\\Routing\\RouteCompiler',] 和 $options $this->setHost($host); $this->setSchemes($schemes); $this->setMethods($methods); $this->setCondition($condition); } public function compile() { if (null !== $this->compiled) { return $this->compiled; } $class = $this->getOption('compiler_class'); // 委託 Symfony\\Component\\Routing\\RouteCompiler 來處理,返回 \Symfony\Component\Routing\CompiledRoute 對象 return $this->compiled = $class::compile($this); } public static function compile(Route $route) { $hostVariables = array(); $variables = array(); $hostRegex = null; $hostTokens = array(); if ('' !== $host = $route->getHost()) { $result = self::compilePattern($route, $host, true); $hostVariables = $result['variables']; $variables = $hostVariables; $hostTokens = $result['tokens']; $hostRegex = $result['regex']; } $path = $route->getPath(); $result = self::compilePattern($route, $path, false); $staticPrefix = $result['staticPrefix']; $pathVariables = $result['variables']; foreach ($pathVariables as $pathParam) { if ('_fragment' === $pathParam) { throw new \InvalidArgumentException(sprintf('Route pattern "%s" cannot contain "_fragment" as a path parameter.', $route->getPath())); } } $variables = array_merge($variables, $pathVariables); $tokens = $result['tokens']; $regex = $result['regex']; // 委託 CompiledRoute 返回數據,數據沒作什麼處理,只是多提供了序列化和反序列化方法 return new CompiledRoute( $staticPrefix, $regex, $tokens, $pathVariables, $hostRegex, $hostTokens, $hostVariables, array_unique($variables) ); } // 核心方法 private static function compilePattern(Route $route, $pattern, $isHost) { $tokens = array(); $variables = array(); $matches = array(); $pos = 0; $defaultSeparator = $isHost ? '.' : '/'; // 主機或路徑默認分割符 $useUtf8 = preg_match('//u', $pattern); $needsUtf8 = $route->getOption('utf8'); if (!$needsUtf8 && $useUtf8 && preg_match('/[\x80-\xFF]/', $pattern)) { $needsUtf8 = true; @trigger_error(sprintf('Using UTF-8 route patterns without setting the "utf8" option is deprecated since Symfony 3.2 and will throw a LogicException in 4.0. Turn on the "utf8" route option for pattern "%s".', $pattern), E_USER_DEPRECATED); } if (!$useUtf8 && $needsUtf8) { throw new \LogicException(sprintf('Cannot mix UTF-8 requirements with non-UTF-8 pattern "%s".', $pattern)); } // 解析相似 $pattern('/posts/{post}/comments/{comment}') 裏面的 {\w+} 到 $matches ($matches 相似 [[['{post}',7]],[['{comment}',23]]],值和位置) preg_match_all('#\{\w+\}#', $pattern, $matches, PREG_OFFSET_CAPTURE | PREG_SET_ORDER); foreach ($matches as $match) { $varName = substr($match[0][0], 1, -1); // 取方括號中間的值,即變量名稱 $precedingText = substr($pattern, $pos, $match[0][1] - $pos); // 取前一個變量末尾位置後一位到({)的前一段文本 $pos = $match[0][1] + strlen($match[0][0]); // 取(})後一段的(/)位置 // 嘗試取前一段的最後一個字符 if (!strlen($precedingText)) { $precedingChar = ''; } elseif ($useUtf8) { preg_match('/.$/u', $precedingText, $precedingChar); $precedingChar = $precedingChar[0]; } else { $precedingChar = substr($precedingText, -1); } $isSeparator = '' !== $precedingChar && false !== strpos(static::SEPARATORS, $precedingChar); // 是否分割符 if (preg_match('/^\d/', $varName)) { throw new \DomainException(sprintf('Variable name "%s" cannot start with a digit in route pattern "%s". Please use a different name.', $varName, $pattern)); } if (in_array($varName, $variables)) { throw new \LogicException(sprintf('Route pattern "%s" cannot reference variable name "%s" more than once.', $pattern, $varName)); } if (strlen($varName) > self::VARIABLE_MAXIMUM_LENGTH) { throw new \DomainException(sprintf('Variable name "%s" cannot be longer than %s characters in route pattern "%s". Please use a shorter name.', $varName, self::VARIABLE_MAXIMUM_LENGTH, $pattern)); } // 若前一段有值,即文本形式。則入 $tokens 數組 相似: $tokens[] = ['text', '/posts',] if ($isSeparator && $precedingText !== $precedingChar) { $tokens[] = array('text', substr($precedingText, 0, -strlen($precedingChar))); } elseif (!$isSeparator && strlen($precedingText) > 0) { $tokens[] = array('text', $precedingText); } // 嘗試獲取 where 條件設置的正則 $regexp = $route->getRequirement($varName); // 沒有則用最寬鬆的方式處理 if (null === $regexp) { // 取分割符後面的內容 相似: '/comments/{comment}' $followingPattern = (string) substr($pattern, $pos); // 找出下一個分割符 相似: '/' $nextSeparator = self::findNextSeparator($followingPattern, $useUtf8); // 構造 regexp 相似: '[^\/]' $regexp = sprintf( '[^%s%s]+', preg_quote($defaultSeparator, self::REGEX_DELIMITER), $defaultSeparator !== $nextSeparator && '' !== $nextSeparator ? preg_quote($nextSeparator, self::REGEX_DELIMITER) : '' ); // '[^\/]+' if (('' !== $nextSeparator && !preg_match('#^\{\w+\}#', $followingPattern)) || '' === $followingPattern) { $regexp .= '+'; } } else { if (!preg_match('//u', $regexp)) { $useUtf8 = false; } elseif (!$needsUtf8 && preg_match('/[\x80-\xFF]|(?<!\\\\)\\\\(?:\\\\\\\\)*+(?-i:X|[pP][\{CLMNPSZ]|x\{[A-Fa-f0-9]{3})/', $regexp)) { $needsUtf8 = true; @trigger_error(sprintf('Using UTF-8 route requirements without setting the "utf8" option is deprecated since Symfony 3.2 and will throw a LogicException in 4.0. Turn on the "utf8" route option for variable "%s" in pattern "%s".', $varName, $pattern), E_USER_DEPRECATED); } if (!$useUtf8 && $needsUtf8) { throw new \LogicException(sprintf('Cannot mix UTF-8 requirement with non-UTF-8 charset for variable "%s" in pattern "%s".', $varName, $pattern)); } } // $tokens[] = ['variable', '/', '[^\/]+', 'post'] $tokens[] = array('variable', $isSeparator ? $precedingChar : '', $regexp, $varName); // $variables[] = 'post' $variables[] = $varName; } // 循環事後的結果相似: // $tokens = [['text', '/posts',],['variable', '/', '[^\/]+', 'post'],['text', '/comments',],['variable', '/', '[^\/]+', 'comment'],] // $variables = ['post', 'comment',] if ($pos < strlen($pattern)) { $tokens[] = array('text', substr($pattern, $pos)); // 將剩下的部分當作是文本形式處理,構造正則時,直接轉義輸出 } // 取第一個可選項位置,此位置代表後面的全部參數都須要以可選的方式處理,即對應的正則都是零寬可選形式 $firstOptional = PHP_INT_MAX; if (!$isHost) { for ($i = count($tokens) - 1; $i >= 0; --$i) { $token = $tokens[$i]; if ('variable' === $token[0] && $route->hasDefault($token[3])) { $firstOptional = $i; } else { break; } } } // 構造正則 $regexp = ''; for ($i = 0, $nbToken = count($tokens); $i < $nbToken; ++$i) { $regexp .= self::computeRegexp($tokens, $i, $firstOptional); } // 相似: '#^\/posts\/(?P<post>[^\/]+)\/comments\/(?P<comment>[^\/]+)$#si' $regexp = self::REGEX_DELIMITER.'^'.$regexp.'$'.self::REGEX_DELIMITER.'s'.($isHost ? 'i' : ''); if ($needsUtf8) { $regexp .= 'u'; for ($i = 0, $nbToken = count($tokens); $i < $nbToken; ++$i) { if ('variable' === $tokens[$i][0]) { $tokens[$i][] = true; } } } return array( 'staticPrefix' => 'text' === $tokens[0][0] ? $tokens[0][1] : '', // 設置靜態的前綴 'regex' => $regexp, 'tokens' => array_reverse($tokens), 'variables' => $variables, ); } private static function computeRegexp(array $tokens, $index, $firstOptional) { $token = $tokens[$index]; // 文本形式,直接轉義返回 if ('text' === $token[0]) { return preg_quote($token[1], self::REGEX_DELIMITER); } // 參數形式 else { // 第一個就是可選項的處理 if (0 === $index && 0 === $firstOptional) { return sprintf('%s(?P<%s>%s)?', preg_quote($token[1], self::REGEX_DELIMITER), $token[3], $token[2]); } else { $regexp = sprintf('%s(?P<%s>%s)', preg_quote($token[1], self::REGEX_DELIMITER), $token[3], $token[2]); // 可選項後面的正則處理,均變爲可選項。 if ($index >= $firstOptional) { $regexp = "(?:$regexp"; $nbTokens = count($tokens); if ($nbTokens - 1 == $index) { $regexp .= str_repeat(')?', $nbTokens - $firstOptional - (0 === $firstOptional ? 1 : 0)); } } return $regexp; } } }
小結(路徑 /posts/{post}/comments/{comment}):git
路由解析主要就是解析路由的主機和路徑部分(帶參數部分),差異在於分割符不同。並將解析結果放到 route 對象的 $compiled 屬性供後續使用。正則表達式
重點是先將其分割成對應的文本和變量部分( $tokens = [['text', '/posts',],['variable', '/', '1+', 'post'],['text', '/comments',], $variables = ['post', 'comment',])。bootstrap
再根據上面分割的數組構造相應的正則表達式(會使用到 where 條件設置的正則)。segmentfault
最後返回一個數組,代表此路由對應的靜態前綴、正則表達式、tokens、variables。數組
$route->bind($request): public function bind(Request $request) { $this->compileRoute(); $this->parameters = (new RouteParameterBinder($this)) ->parameters($request); return $this; } new RouteParameterBinder($this): public function __construct($route) { $this->route = $route; } public function parameters($request) { // 取得有效的對應的參數鍵值對 $parameters = $this->bindPathParameters($request); if (! is_null($this->route->compiled->getHostRegex())) { // 取得有效的對應的主機鍵值對,併合併到參數鍵值對 $parameters = $this->bindHostParameters( $request, $parameters ); } return $this->replaceDefaults($parameters); } protected function bindPathParameters($request) { preg_match($this->route->compiled->getRegex(), '/'.$request->decodedPath(), $matches); // 從 pathinfo 中取出正則匹配的相應的值 相似['post'=>1,'comment'=>2] return $this->matchToKeys(array_slice($matches, 1)); } public function decodedPath() { return rawurldecode($this->path()); } protected function matchToKeys(array $matches) { if (empty($parameterNames = $this->route->parameterNames())) { return []; } $parameters = array_intersect_key($matches, array_flip($parameterNames)); return array_filter($parameters, function ($value) { return is_string($value) && strlen($value) > 0; }); } public function parameterNames() { if (isset($this->parameterNames)) { return $this->parameterNames; } return $this->parameterNames = $this->compileParameterNames(); } protected function compileParameterNames() { // 從 uri 上取出參數數組,並去掉 '?' preg_match_all('/\{(.*?)\}/', $this->domain().$this->uri, $matches); return array_map(function ($m) { return trim($m, '?'); }, $matches[1]); } protected function bindHostParameters($request, $parameters) { preg_match($this->route->compiled->getHostRegex(), $request->getHost(), $matches); return array_merge($this->matchToKeys(array_slice($matches, 1)), $parameters); } protected function replaceDefaults(array $parameters) { foreach ($parameters as $key => $value) { $parameters[$key] = isset($value) ? $value : Arr::get($this->route->defaults, $key); } foreach ($this->route->defaults as $key => $value) { if (! isset($parameters[$key])) { $parameters[$key] = $value; } } return $parameters; }
小結:app
本質就是 route 對象參數屬性 $parameters 的處理。根據路由解析獲得的正則從實際請求的PATHINFO和HOST裏面提取出相應參數對應的值,再進行合併處理(包括默認值的設置、追加默認參數及對值得過濾)。dom
public function setRouteResolver(Closure $callback) { $this->routeResolver = $callback; return $this; }
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() ); }); }
獲取通過優先級處理過的全部的非全局中間件函數
public function gatherRouteMiddleware(Route $route) { // 返回 object(Illuminate\Support\Collection),$items 屬性相似 ['類名','類名:參數','匿名函數'] $middleware = collect($route->gatherMiddleware())->map(function ($name) { return (array) MiddlewareNameResolver::resolve($name, $this->middleware, $this->middlewareGroups); })->flatten(); return $this->sortMiddleware($middleware); } // 獲取本次請求設置的全部的非全局的 middleware (包括前置棧、middleware 方法、控制器 getMiddleware 方法) public function gatherMiddleware() { if (! is_null($this->computedMiddleware)) { return $this->computedMiddleware; } $this->computedMiddleware = []; return $this->computedMiddleware = array_unique(array_merge( $this->middleware(), $this->controllerMiddleware() ), SORT_REGULAR); } // 解析 middleware ,返回簡單的形式(匿名函數或 middleware:parameters ),優先從 $middleware 和 $middlewareGroups 取,沒有則直接返回 $name public static function resolve($name, $map, $middlewareGroups) { if ($name instanceof Closure) { return $name; } elseif (isset($map[$name]) && $map[$name] instanceof Closure) { return $map[$name]; } elseif (isset($middlewareGroups[$name])) { return static::parseMiddlewareGroup( $name, $map, $middlewareGroups ); } else { list($name, $parameters) = array_pad(explode(':', $name, 2), 2, null); return (isset($map[$name]) ? $map[$name] : $name). (! is_null($parameters) ? ':'.$parameters : ''); } } protected static function parseMiddlewareGroup($name, $map, $middlewareGroups) { $results = []; foreach ($middlewareGroups[$name] as $middleware) { // 組內部仍是個組,遞歸執行 if (isset($middlewareGroups[$middleware])) { $results = array_merge($results, static::parseMiddlewareGroup( $middleware, $map, $middlewareGroups )); continue; } list($middleware, $parameters) = array_pad( explode(':', $middleware, 2), 2, null ); if (isset($map[$middleware])) { $middleware = $map[$middleware]; } $results[] = $middleware.($parameters ? ':'.$parameters : ''); } return $results; } ##################################### 排序塊 BEGIN ####################################### protected function sortMiddleware(Collection $middlewares) { return (new SortedMiddleware($this->middlewarePriority, $middlewares))->all(); } public function __construct(array $priorityMap, $middlewares) { if ($middlewares instanceof Collection) { $middlewares = $middlewares->all(); } $this->items = $this->sortMiddleware($priorityMap, $middlewares); } // 相似插入排序 protected function sortMiddleware($priorityMap, $middlewares) { $lastIndex = 0; foreach ($middlewares as $index => $middleware) { // 匿名函數直接 continue if (! is_string($middleware)) { continue; } $stripped = head(explode(':', $middleware)); if (in_array($stripped, $priorityMap)) { $priorityIndex = array_search($stripped, $priorityMap); if (isset($lastPriorityIndex) && $priorityIndex < $lastPriorityIndex) { return $this->sortMiddleware( $priorityMap, array_values( $this->moveMiddleware($middlewares, $index, $lastIndex) ) ); } else { $lastIndex = $index; $lastPriorityIndex = $priorityIndex; } } } return array_values(array_unique($middlewares, SORT_REGULAR)); } protected function moveMiddleware($middlewares, $from, $to) { array_splice($middlewares, $to, 0, $middlewares[$from]); unset($middlewares[$from + 1]); return $middlewares; } ##################################### 排序塊 END #######################################
後續分解post
public function run() { $this->container = $this->container ?: new Container; try { // 控制器形式的處理(Controller@Method) if ($this->isControllerAction()) { return $this->runController(); } // 匿名函數形式的處理 return $this->runCallable(); } catch (HttpResponseException $e) { return $e->getResponse(); } } public function prepareResponse($request, $response) { if ($response instanceof PsrResponseInterface) { $response = (new HttpFoundationFactory)->createResponse($response); } elseif (! $response instanceof SymfonyResponse) { $response = new Response($response); } return $response->prepare($request); }