问题
倘若利用spl_autoload_register注册多个autoload_function,spl_autoload机制在自动加载的时候是否会由上至下把所有注册的函数运行一遍呢?
真相
看看如下例子:
<?php function autoload_01() { var_dump("autoload_01"); spl_autoload("foo"); } function autoload_02() { var_dump("autoload_02"); spl_autoload("foo"); } spl_autoload_register("autoload_01"); spl_autoload_register("autoload_02"); new foo();
假设当前include目录下存在foo,那么输出结果如下:
/mnt/hgfs/lroot/www/10002/test_51.php:4:string 'autoload_01' (length=11)
即使把spl_autoload函数换成include,效果也是一样的:
<?php function autoload_01() { var_dump("autoload_01"); include("foo.php"); } function autoload_02() { var_dump("autoload_02"); include("foo.php"); } spl_autoload_register("autoload_01"); spl_autoload_register("autoload_02"); new foo();
但是如果当前include_path不存在foo,那么输出结果就会如下:
/mnt/hgfs/lroot/www/10002/test_51.php:4:string 'autoload_01' (length=11) /mnt/hgfs/lroot/www/10002/test_51.php:9:string 'autoload_02' (length=11) Fatal error: Uncaught Error: Class 'foo' not found in ?.php on line ?
以上说明当其中一个注册函数找到类文件,则不再执行余下注册函数,否则继续运行下面的注册函数,直到找到类为止。
那么,让注册函数返回布尔值是否能阻止函数继续向下运行呢?答案是不能。
修改一下以上例子:
<?php function autoload_01() { var_dump("autoload_01"); return true; //return false; } function autoload_02() { var_dump("autoload_02"); } spl_autoload_register("autoload_01"); spl_autoload_register("autoload_02"); new foo();
无论autoload_01返回TRUE还是FALSE,都不影响PHP往下执行autoload_01:
/mnt/hgfs/lroot/www/10002/test_51.php:4:string 'autoload_01' (length=11) /mnt/hgfs/lroot/www/10002/test_51.php:10:string 'autoload_02' (length=11) Fatal error: Uncaught Error: Class 'foo' not found in ? on line ?