我需要检查路由是否存在,数组中的路由是字符串,路由存储在字符串数组中,例如routes [0] ='posts / all / {postID}'(注意花括号和参数名称)。假设用户使用url'post / all / 4'进入网站。如何将在浏览器中输入的URL与带花括号和参数名称的URL匹配,如果数组中有一个匹配,则调用一个函数,该函数在花括号中的参数之前只获取url的一部分并传递变量里面的大括号,它的原始名称是这个函数(可以是一个数组,例如params ['postID'] = 4)?
答案 0 :(得分:1)
这是一个可能有用的基本版本。首先,它将您的路径和变量转换为正则表达式。然后它依次检查传入的URL与每个URL。如果找到匹配项,则会将路径和变量传递给您的url函数。
$incomingUrl = 'posts/all/123';
$routes = ['posts/all/{postID}', 'users/all/{userID}', 'pasta/all/{pastaID}'];
// Parse your url templates into regular expressions.
$routeRegexes = [];
foreach ($routes as $route) {
$parts = [];
$partsRegex = '`(.+?){(.+?)}`';
preg_match($partsRegex, $route, $parts);
$routeRegexes[] = [
'path' => $parts[1],
'varName' => $parts[2],
'routeRegex' => "`($parts[1])(.+)`"
];
}
print_r($routeRegexes);
// Check the incoming url for a match to one of your route regexes.
$urlMatch = null;
foreach ($routeRegexes as $routeRegex) {
if (preg_match($routeRegex['routeRegex'], $incomingUrl, $urlMatch)) {
$routeRegex['varValue'] = $urlMatch['2'];
$urlMatch = $routeRegex;
break;
}
}
print_r($urlMatch);
if (!empty($urlMatch)) {
$path = $urlMatch['path'];
$variableName = $urlMatch['varName'];
$variableValue = $urlMatch['varValue'];
echo "Path: $path\n";
echo "Variable name: $variableName\n";
echo "Variable value: $variableValue\n";
// Pass the variables to your url function.
// callUrl($path, [$variableName => $variableValue]);
} else {
// Throw 404 path not found error.
}
希望这能指出你正确的方向。