在了解這個函數(shù)之前先來看另一個函數(shù):__autoload。
一亭引、__autoload
這是一個自動加載函數(shù)绎速,在PHP5中,當我們實例化一個未定義的類時焙蚓,就會觸發(fā)此函數(shù)纹冤∪鞅Γ看下面例子:
printit.class.php
class PRINTIT {
function doPrint() {
echo 'hello world';
}
}
?>
index.php
function __autoload( $class ) {
$file = $class . '.class.php';
if ( is_file($file) ) {
require_once($file);
}
}
$obj = new PRINTIT();
$obj->doPrint();
?>
運行index.PHP后正常輸出hello world。在index.php中萌京,由于沒有包含printit.class.php待德,在實例化printit時,自動調(diào)用__autoload函數(shù)枫夺,參數(shù)$class的值即為類名printit,此時printit.class.php就被引進來了绘闷。
在面向?qū)ο笾羞@種方法經(jīng)常使用橡庞,可以避免書寫過多的引用文件,同時也使整個系統(tǒng)更加靈活印蔗。
二扒最、spl_autoload_register()
再看spl_autoload_register(),這個函數(shù)與__autoload有與曲同工之妙华嘹,看個簡單的例子:
function loadprint( $class ) {
$file = $class . '.class.php';
if (is_file($file)) {
require_once($file);
}
}
spl_autoload_register( 'loadprint' );
$obj = new PRINTIT();
$obj->doPrint();
?>
將__autoload換成loadprint函數(shù)吧趣。但是loadprint不會像__autoload自動觸發(fā),這時spl_autoload_register()就起作用了耙厚,它告訴PHP碰到?jīng)]有定義的類就執(zhí)行l(wèi)oadprint()强挫。
spl_autoload_register() 調(diào)用靜態(tài)方法
class test {
public static function loadprint( $class ) {
$file = $class . '.class.php';
if (is_file($file)) {
require_once($file);
}
}
}
spl_autoload_register(? array('test','loadprint')? );
//另一種寫法:spl_autoload_register(? "test::loadprint"? );
$obj = new PRINTIT();
$obj->doPrint();
?>