首页 > 开发 > PHP > 正文

PHP实现懒加载的方法

2024-05-04 22:38:54
字体:
来源:转载
供稿:网友

本文实例讲述了PHP实现懒加载的方法。分享给大家供大家参考。具体分析如下:

寻常php的加载是通过include(),require()等方法来加载外部文件,之后再通过实例调用方法或直接调用静态方法,而这样子写引入语句实在很麻烦,有的框架会将特定路径的文件全部引入,直接实例化就能使用,但这样一来有的类包不一定用到,写的类包越多的时候,加载的东西就不少了,影响程序的性能。

通过PHP的反射类 ReflectionClass 可以直接获得对应类的一个反射类:

test.php文件如下:

<?php class test{   public function showName(){     var_dump(__CLASS__);   } }?>

index.php文件如下:

<?phpvar_dump(get_included_files()); $rf = new ReflectionClass('test');var_dump(get_included_files());$testObj = $rf->newInstance();$testObj->showName();function __autoload($classname){  $classpath = './' . $classname . '.php';  if (file_exists($classpath)) {    require_once($classpath);  }else {    echo 'class file'.$classpath.'not found!';  }}?>//array// 0 => string 'D:/code/www/test/index.php'(length=26)//array// 0 => string 'D:/code/www/test/index.php'(length=26)// 1 => string 'D:/code/www/text/test.php'(length=25)//string 'test' (length=4)

实例化一个 ReflectionClass,并传类名进去,就会得到一个对应类的反射类。用实例调用 newInstance就会得到反射类的实例,这样就完成了实例化。

通过 get_included_files() 方法,我们可以看到当前页面引入的文件。在实例化反射类前,只有index.php文件,实例化反射类后,自动引入了一个test.php文件,那么看下上面那段代码,发现有个__autoload()名字的魔术方法,这方法就定义了自动加载文件,而ReflectionClass在当前页面找不到类时,就会调用__autoload()去加载类。这就是自动加载的过程。

想知道__autoload()方法有没有开启,可以通过PHP的标准库SPL中的方法来查看:

var_dump(spl_autoload_functions());spl_autoload_register('newAutoload');var_dump(spl_autoload_functions());$testObj1 = getInstance('test');$testObj2 = getInstance('test');$testObj3 = getInstance('test');function getInstance($class, $returnInstance = false){  $rf = new ReflectionClass($class);  if ($returnInstance)     return $rf->newInstance();}function newAutoload($classname){  $classpath = './' . $classname . '.php';  if (file_exists($classpath)) {    var_dump('require success');    require_once($classpath);  } else {    echo 'class file ' . $classpath . ' not found!';  }}//array// 0 => string '__autoload' (length=10)//array// 0 => string 'newAutoload' (length=11)//string 'require success' (length=15)

sql_autoload_functions() 方法是用来查看当前自动加载的方法,当前有个__autoload魔术方法,所以返回了函数名,若没定义自动加载方法的话,返回的是false,而 spl_autoload_register() 方法是通过方法名将一个方法注册到自动加载方法,这里用newAutoload方法来替换__autoload方法。

发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表