当前位置:首页 > PHP教程 > php应用 > 列表

详解PHP文件的自动加载(autoloading)

发布:smiling 来源: PHP粉丝网  添加日期:2021-09-02 11:24:44 浏览: 评论:0 

这篇文章主要介绍了详解PHP文件的自动加载(autoloading)相关知识点以及详细用法,有这方面需要的朋友参考下吧。

传统上,在PHP里,当我们要用到一个class文件的时候,我们都得在文档头部require或者include一下:

  1. <?php 
  2. require_once('../includes/functions.php'); 
  3. require_once('../includes/database.php'); 
  4. require_once('../includes/user.php'); 
  5. ... 

但是一旦要调用的文档多了,就得每次都写一行,瞅着也不美观,有什么办法能让PHP文档自动加载呢?

  1. <?php 
  2. function __autoload($class_name
  3.   require "./{$class_name}.php"

对,可以使用PHP的魔法函数__autoload(),上面的示例就是自动加载当前目录下的PHP文件。当然,实际当中,我们更可能会这么来使用:

  1. <?php 
  2. function __autoload($class_name
  3.   $name = strtolower($class_name); 
  4.   $path = "../includes/{$name}.php"
  5.     
  6.   if(file_exists($path)){ 
  7.      require_once($path); 
  8.     }else
  9.       die("the file {$class_name} could not be found"); 
  10.     } 

也即是做了一定的文件名大小写处理,然后在require之前检查文件是否存在,不存在的话显示自定义的信息。

类似用法经常在私人项目,或者说是单一项目的框架中见到,为什么呢?因为你只能定义一个__autoload function,在多人开发中,做不到不同的developer使用不同的自定义的autoloader,除非大家都提前说好了,都使用一个__autoload,涉及到改动了就进行版本同步,这很麻烦。

也主要是因为此,有个好消息,就是这个__autoload函数马上要在7.2版本的PHP中弃用了。

Warning This feature has been DEPRECATED as of PHP 7.2.0. Relying on this feature is highly discouraged.

那么取而代之的是一个叫spl_autoload_register()的东东,它的好处是可以自定义多个autoloader.

  1. //使用匿名函数来autoload 
  2. spl_autoload_register(function($class_name){ 
  3.   require_once('...'); 
  4. }); 
  5.  
  6. //使用一个全局函数 
  7. function Custom() 
  8.   require_once('...'); 
  9.  
  10. spl_autoload_register('Custom'); 
  11.  
  12. //使用一个class当中的static方法 
  13. class MyCustomAutoloader 
  14.   static public function myLoader($class_name
  15.   { 
  16.     require_once('...');     
  17.   } 
  18.  
  19. //传array进来,第一个是class名,第二个是方法名 
  20. spl_autoload_register(['MyCustomAutoloader','myLoader']); 
  21.  
  22. //甚至也可以用在实例化的object上 
  23. class MyCustomAutoloader 
  24.   public function myLoader($class_name
  25.   { 
  26.   } 
  27.  
  28. $object = new MyCustomAutoloader; 
  29. spl_autoload_register([$object,'myLoader']); 

值得一提的是,使用autoload,无论是__autoload(),还是spl_autoload_register(),相比于require或include,好处就是autoload机制是lazy loading,也即是并不是你一运行就给你调用所有的那些文件,而是只有你用到了哪个,比如说new了哪个文件以后,才会通过autoload机制去加载相应文件。

当然,laravel包括各个package里也是经常用到spl_autoload_register,比如这里:

  1. /** 
  2.  * Prepend the load method to the auto-loader stack. 
  3.  * 
  4.  * @return void 
  5.  */ 
  6. protected function prependToLoaderStack() 
  7.   spl_autoload_register([$this'load'], true, true); 
  8. }

Tags: PHP自动加载 autoloading

分享到: