几年来,我一直致力于自己的PHP轻量级MVC框架.我可能会在某个时候根据开源许可证发布.
以下是我用于处理路线的内容:
function routes($routes, $uriPath) {
// Loop through every route and compare it with the URI
foreach ($routes as $route => $actualPage) {
// Create a route with all identifiers replaced with ([^/]+) regex syntax
// E.g. $route_regex = shop-please/([^/]+)/moo (originally shop-please/:some_identifier/moo)
$route_regex = preg_replace('@:[^/]+@', '([^/]+)', $route);
// Check if URI path matches regex pattern, if so create an array of values from the URI
if(!preg_match('@' . $route_regex . '@', $uriPath, $matches)) continue;
// Create an array of identifiers from the route
preg_match('@' . $route_regex . '@', $route, $identifiers);
// Combine the identifiers with the values
$this->request->__get = array_combine($identifiers, $matches);
array_shift($this->request->__get);
return $actualPage;
}
// We didn't find a route match
return false;
}
$routes是一个传递的数组,格式如下:
$routes = array(
// route => actual page
'page/:action/:id' => 'actualPage',
'page/:action' => 'actualPage',
)
$uriPath是没有前导斜杠的URI路径,例如页/更新/ 102
在我的页面控制器中,我可以访问路由信息,如下所示:
echo $this->request->__get['action'];
// update
echo $this->request->__get['id'];
// 102
我的问题基本上是“这可以简化或优化吗?”.特别强调简化正则表达式和preg_replace和preg_match调用的数量.
解决方法:
我发现在这种情况下使用正则表达式是非常不明智的,主要是因为没有它就可以完成.我在下面提出了一个简单的代码,没有正则表达式就完全相同.
码:
$routes = array
(
// actual path => filter
'foo' => array('page', ':action', ':id'),
'bar' => array('page', ':action')
);
/**
* @author Gajus Kuizinas
* @copyright Anuary Ltd, http://anuary.com
* @version 1.0.0 (2011 12 06)
*/
function ay_dispatcher($url, $routes)
{
$final_path = FALSE;
$url_path = explode('/', $url);
$url_path_length = count($url_path);
foreach($routes as $original_path => $filter)
{
// reset the parameters every time in case there is partial match
$parameters = array();
// this filter is irrelevent
if($url_path_length <> count($filter))
{
continue;
}
foreach($filter as $i => $key)
{
if(strpos($key, ':') === 0)
{
$parameters[substr($key, 1)] = $url_path[$i];
}
// this filter is irrelevent
else if($key != $url_path[$i])
{
continue 2;
}
}
$final_path = $original_path;
break;
}
return $final_path ? array('path' => $final_path, 'parameters' => $parameters) : FALSE;
}
die(var_dump( ay_dispatcher('page/edit', $routes), ay_dispatcher('page/edit/12', $routes), ay_dispatcher('random/invalid/url', $routes) ));
输出:
array(2) {
["path"]=>
string(3) "bar"
["parameters"]=>
array(1) {
["action"]=>
string(4) "edit"
}
}
array(2) {
["path"]=>
string(3) "foo"
["parameters"]=>
array(2) {
["action"]=>
string(4) "edit"
["id"]=>
string(2) "12"
}
}
bool(false)
标签:php,regex,routes,model-view-controller
来源: https://codeday.me/bug/20190902/1792734.html