php5 __autoload应用与include性能对比

php5后,引入了__autoload这个拦截器方法,可以自动对class文件进行包含引用,通常我们会这么写,代码如下:

  1. function __autoload($classname) {
  2. include_once $classname . '.class.php';
  3. }
  4. $user = new user();

当php引擎试图实例化一个未知类的操作时,会调用__autoload()方法,在php出错失败前有了最后一个机会加载所需的类,因此,上面的这段代码执行时,php引擎实际上替我们自动执行了一次__autoload方法,将user.class.php这个文件包含进来.

在__autoload函数中抛出的异常不能被catch语句块捕获并导致致命错误,如果使用 php的cli交互模式时,自动加载机制将不会执行.

当你希望使用pear风格的命名规则,例如需要引入user/register.php文件,也可以这么实现,代码如下:

  1. //加载我
  2. function __autoload($classname) {
  3. $file = str_replace('_', directory_separator, $classname);
  4. include_once $file . 'php';
  5. }
  6. $userregister = new user_register();

这种方法虽然方便,但是在一个大型应用中如果引入多个类库的时候,可能会因为不同类库的autoload机制而产生一些莫名其妙的问题,在php5引入spl标准库后,我们又多了一种新的解决方案,spl_autoload_register()函数.

此函数的功能就是把函数注册至spl的__autoload函数栈中,并移除系统默认的__autoload()函数,一旦调用spl_autoload_register()函数,当调用未定义类时,系统会按顺序调用注册到spl_autoload_register()函数的所有函数,而不是自动调用__autoload()函数,下例调用的是user/register.php而不是user_register.class.php,代码如下:

  1. //不加载我
  2. function __autoload($classname) {
  3. include_once $classname . '.class.php';
  4. }
  5. //加载我
  6. function autoload($classname) {
  7. $file = str_replace('/', directory_separator, $classname);
  8. include_once $file . '.php';
  9. } //开源代码phpfensi.com
  10. //开始加载
  11. spl_autoload_register('autoload');
  12. $userregister = new user_register();

在使用spl_autoload_register()的时候,我们还可以考虑采用一种更安全的初始化调用方法,代码如下:

  1. //系统默认__autoload函数
  2. function __autoload($classname) {
  3. include_once $classname . '.class.php';
  4. }
  5. //可供spl加载的__autoload函数
  6. function autoload($classname) {
  7. $file = str_replace('_', directory_separator, $classname);
  8. include_once $file . '.php';
  9. } //开源代码phpfensi.com
  10. //不小心加载错了函数名,同时又把默认__autoload机制给取消了……
  11. spl_autoload_register('_autoload', false);
  12. //容错机制
  13. if(false === spl_autoload_functions()) {
  14. if(function_exists('__autoload')) {
  15. spl_autoload_register('__autoload', false);
  16. }
  17. }

php autoload与include性能比较

p为1000时,脚本耗时约0.076701879501343秒.

如果我们用autoload实现呢?代码如下:

  1. #file:php_autoload.php
  2. function __autoload($class_name) {
  3. include_once $class_name . '.php';
  4. }
  5. for($i = 0;$i < $loop;$i++) {
  6. new simpleclass();
  7. }

在这段代码中,我定义了__autoload函数,几乎一样的脚本,当$loop为1时,耗时0.0002131462097168秒,而当$loop为1000时,耗时仅为前面代码的1/7,0.012391805648804秒.

但请注意看simpleclass的代码,其中输出了一行字符串,如果去掉这行输出后再比较,会是什么样的结果呢?

在$loop同为1000的情况下,前者耗时0.057836055755615秒,而使用了autoload后,仅仅0.00199294090271秒,效率相差近30倍.

从上面的测试可以看出,当文件仅仅被include一次,autoload会消耗稍微多一点的时间,但如果在文件被反复include的情况下,使用autoload则能大大提高系统性能.