我用相同的路由语法制作了自己的迷你框架。这就是我所做的:
使用 MOD_REWRITE 将参数(如/some/path/{info}
)存储在$_GET
我调用的变量中params
:
RewriteRule ^(.+)(\?.+)?$ index.php?params=$1 [L,QSA]
使用此函数解析参数并全局存储它们:
public static function parseAndGetParams() {
// get the original query string
$params = !empty($_GET['params']) ? $_GET['params'] : false;
// if there are no params, set to false and return
if(empty($params)) {
return false;
}
// append '/' if none found
if(strrpos($params, '/') === false) $params .= '/';
$params = explode('/', $params);
// take out the empty element at the end
if(empty($params[count($params) - 1])) array_pop($params);
return $params;
}
动态路由到正确的页面:
// get the base page string, must be done after params are parsed
public static function getCurPage() {
global $params;
// default is home
if(empty($params))
return self::PAGE_HOME;
// see if it is an ajax request
else if($params[0] == self::PAGE_AJAX)
return self::PAGE_AJAX;
// see if it is a multi param page, and if not, return error
else {
// store this, as we are going to use it in the loop condition
$numParams = count($params);
// initialize to full params array
$testParams = $params;
// $i = number of params to include in the current page name being checked, {1, .., n}
for($i = $numParams; $i > 0; $i--) {
// get test page name
$page = strtolower(implode('/', $testParams));
// if the page exists, return it
if(self::pageExists($page))
return $page;
// pop the last param off
array_pop($testParams);
}
// page DNE go to error page
return self::PAGE_ERROR;
}
}
这里的值是它从最具体的页面到最不具体的页面查找。此外,在框架之外进行锻炼可以让您完全控制,因此如果某处存在错误,您知道可以修复它 - 您不必在框架中查找一些奇怪的解决方法。
所以现在这$params
是全局的,任何使用参数的页面都只是调用$params[X]
它来使用它。没有框架的友好 URL。
然后我添加页面的方式是将它们放入一个在pageExists($page)
调用中查看的数组中。
对于 AJAX 调用,我输入了一个特殊的IF:
// if ajax, include it and finish
if($page == PageHelper::PAGE_AJAX) {
PageHelper::includeAjaxPage();
$db->disconnect();
exit;
}
瞧——你自己的微路由框架。