__autoload() 是PHP執行環境中約定的一個函數而非某個類的方法,如果一個類在使用之前沒有加載到當前文件,會自動調用 __autoload() 函數來加載該類,通常這些類的加載規則都是約定的,比如這些類包含在以類名命名的文件內,該方法可以實現類的按需加載,避免腳本執行前加載不必要的類從而降低資源占用、提交性能。
注意:__autoload() 內的錯誤不能被 try-catch 捕獲。
代碼如下 復制代碼function __autoload($class_name){
require_once(PATH.'/calsses/'.$class_name.'.php');
}
$obj1 = new mycalss1();
注冊 __autoload() 自動調用的函數:
spl 代碼庫在 PHP5.0 之後默認自動啟用
spl_autoload_register([callback]); //不將具體實現的加載代碼寫在 __autoload() 內,可使用該函數注冊回調函數。
如果使用類的方法作為回調函數需要傳入一個數組:
代碼如下 復制代碼spl_autoload_register(array('class_name'|$obj,'method_name'));
例如:
spl_autoload_register(array($this,'autoloadClass'));
spl_autoload_register(array('YiiBase','autoload'));// YII 框架的自動加載類的實現, YiiBase 類實現了一個autoload 方法。 spl_autoload_register() 可以注冊多個加載函數,成功加載類文件之前將逐個嘗試所有注冊的加載函數。這在不同的類使用不同邏輯來導入類文件的時候很有用。
spl_autoload_unregister(); //取消某個注冊的加載函數,參數與 spl_autoload_register() 相同.
spl_autoload_functions();// 以數組形式返回所有注冊的 __autoload() 函數
spl_autoload(class_name[,file_extentions]); // __autoload() 函數的默認實現。 spl_autoload_register() 被調用時如果沒有傳入 函數名,則默認使用該函數,該函數的執行規則是: 類名轉為小寫作為文件名,傳入的 file_extentions(多個擴展名以逗號隔開,默認為 .inc 和 .php)為擴展名,根據得到的文件名嘗試在 php.ini 內設置的 include paths 中搜索。
spl_autoload_call(class_name);//手動調用所有注冊的 __autoload() 函數來主動加載類文件
spl_autoload_extentions([file_extentions]); //注冊或返回 spl_autoload() 中可以使用的文件擴展名,擴展名可以是 .a.b 這樣的形式,例如:
代碼如下 復制代碼
spl_autoload_extentions(".class.php");
spl_autoload_register(); //使用spl_autoload() 來嘗試自動加載類文件
//這樣 spl_autoload('myclassName'); 會嘗試加載 文件 "myclassName.class.php" .
實例
1、將需要注冊的類放在一個數組中
代碼如下 復制代碼
<?php
final class Utils {
private function __construct() {
}
public static function getClasses($pre_path = '/') {
$classes = array(
'DBConfig' => $pre_path.'DBConfig/DBConfig.php',
'User' => $pre_path.'Model/User.php',
'Dao' => $pre_path.'Dao/Dao.php',
'UserDao' => $pre_path.'Dao/UserDao.php',
'UserMapper' => $pre_path.'Mapping/UserMapper.php',
);
return $classes;
}
}
?>
2、注冊數組
注意:步驟1中的類的路徑都是相對於init.php而言的,不是相對於Utils而言的,這是因為我們通過init.php裡的自動加載函數spl_autoload_register來require類的
代碼如下 復制代碼
<?php
require_once '/Utils/Utils.php';
final class Init {
/**
* System config.
*/
public function init() {
// error reporting - all errors for development (ensure you have
// display_errors = On in your php.ini file)
error_reporting ( E_ALL | E_STRICT );
mb_internal_encoding ( 'UTF-8' );
//registe classes
spl_autoload_register ( array ($this,'loadClass' ) );
}
/**
* Class loader.
*/
public function loadClass($name) {
$classes = Utils::getClasses ();
if (! array_key_exists ( $name, $classes )) {
die ( 'Class "' . $name . '" not found.' );
}
require_once $classes [$name];
}
}
$init = new Init ();
$init->init ();
?>
3、本例中在使用處test.php裡require init.php
代碼如下 復制代碼
<?php
require_once 'Init.php';
$dao = new UserDao();
$result = $dao->findByName('zcl');
?>