PHP MVC框架中类的自动加载机制实例分析
程序员文章站
2022-05-28 18:42:22
本文实例讲述了php mvc框架中类的自动加载机制。分享给大家供大家参考,具体如下:
原文
实现类的自动加载主要使用到了set_include_path和spl_autoloa...
本文实例讲述了php mvc框架中类的自动加载机制。分享给大家供大家参考,具体如下:
原文
实现类的自动加载主要使用到了set_include_path
和spl_autoload_register
函数。
set_include_path
用于提前设置好可能会加载的类的路径。
spl_autoload_register
用于调用相关自动加载所需类的函数,实现自动载入的功能。
有一点要注意的是:自动加载在实例化类的时候执行,也就是说使用extends继承类的时候,是不会自动加载父类的。
设置目录如下:
实现自动加载功能相关的文件有:loader.php,config.php,boot.php,index.php
config.php
<?php /** * created by phpstorm. * user: koastal * date: 2016/5/15 * time: 10:48 */ define("app_path",__dir__."/.."); define("controller_path",__dir__."/../controller"); define("model_path",__dir__."/../model"); define("view_path",__dir__."/../view");
loader.php
<?php /** * created by phpstorm. * user: koastal * date: 2016/5/15 * time: 12:03 */ class loader { public static function baseload() { require_once("controller.php"); require_once("model.php"); } public static function autoload($class) { $path = $class.".class.php"; require_once($path); } } $include = array(controller_path, model_path,view_path); set_include_path(get_include_path() . path_separator .implode(path_separator, $include)); spl_autoload_register(array('loader', 'autoload')); loader::baseload();
boot.php
<?php /** * created by phpstorm. * user: koastal * date: 2016/5/15 * time: 12:19 */ require_once("loader.php");
index.php
<?php require_once(__dir__."/libs/config.php"); require_once(__dir__."/libs/boot.php"); $obj = new testcontroller(); $obj->show();
经测试,以上代码可用,全文完。
加更
经测试上面的代码,在访问不存在的控制器是会报错,找不到相关类文件。因为我们缺少判断相关类文件是否存在。因此,我们对loader.php进行优化,首先扫描相关类文件是否存在,如果不存在则报错。
<?php /** * created by phpstorm. * user: koastal * date: 2016/5/15 * time: 12:03 */ require_once 'config.php'; class loader { public static function baseload() { require_once("controller.php"); require_once("model.php"); } public static function searchfile($filename,$path) { $filepath = false; $list = scandir($path); foreach($list as $file){ $realpath = $path.directory_separator.$file; if(is_dir($realpath) && $file!='.' && $file!='..'){ $res = loader::searchfile($filename,$realpath); if($res){ return $res; } }elseif($file!='.' && $file!='..'){ if($file == $filename){ $filepath = $realpath; break; } } } return $filepath; } public static function autoload($class) { $filename = $class.".class.php"; $cflag = loader::searchfile($filename,controller_path); $mfalg = loader::searchfile($filename,model_path); $path = false; $path = ($cflag != false)? $cflag:$path; $path = ($mfalg != false)? $mfalg:$path; if($path == false){ exit("class load failed."); }else{ require_once($path); } } } loader::baseload(); spl_autoload_register(array('loader', 'autoload'));