- 有命名空间的时候,自动加载要注意命名空间的路径问题
- 访问的参数,参数名或者是顺序,一定要与后台一致
1.路由类
- 客户端通过路径参数访问指定的控制器和方法
- 后台从$_SERVER[‘PATH_INFO’]中获取路径参数
<?php
namespace home\route;
class Route
{
public $controller = '';
public $method = '';
public $param =[];
public function __construct()
{
$pathinfo = array_filter(explode('/',$_SERVER['PATH_INFO']));
//取得控制器名
$this->controller = ucfirst(array_shift($pathinfo));
//取得方法名
$this->method = array_shift($pathinfo);
//取得参数
for($i=0;$i<count($pathinfo);$i+=2){
if(isset($pathinfo[$i+1]))
$this->param[$pathinfo[$i]] = $pathinfo[$i+1];
}
}
}
2.首页和自动加载
- 首页通过自动加载实例化路由类,获取控制器、方法及方法的参数
- 然后实例化控制器,调用指定方法
index.php
<?php
namespace home\route;
require 'autoload.php';
$route = new Route;//路由类
$controller = __NAMESPACE__.'\\'.$route->controller;//添加命名空间
$method = $route->method;
$param = $route->param;
extract($param);
(new $controller)->$method($name,$rule);//访问控制器中的方法
- 自动加载类文件
- 由于传过来的类带有命名空间路径,需要特殊处理下
autoload.php
namespace home\route;
spl_autoload_register( function ($class){
$file = $class.'.php';
if(strpos($class,'\\')){
//去掉命名空间。添加文件后缀
$file = ltrim(strrchr($class,'\\'),'\\').'.php';
}
file_exists($file)? require $file:die($file.'不存在');
});
3.演示效果
- 创建一个Admin类,
<?php
namespace home\route;
class Admin
{
//打印角色和名字
public function hello($name,$rule){
echo '欢迎您!'.$rule.'-'.$name;
}
}
通过以下路径参数访问
http://php11.edu/php/0514/route/index.php/admin/hello/name/admin/rule/管理员
结果,访问成功!