php的自動加載:
在php5以前,我們要用某個類或類的方法,那必須include或者require,之後才能使用,每次用一個類,都需要寫一條include,麻煩
php作者想簡單點,最好能引用一個類時,如果當前沒有include進來,系統能自動去找到該類,自動引進~
於是:__autoload()函數應運而生。
通常放在應用程序入口類裡面,比如discuz中,放在class_core.php中。
先講淺顯的例子:
第一種情況:文件A.php中內容如下
<?php
class A{
public function __construct(){
echo 'fff';
}
}
?>
文件C.php 中內容如下:
<?php
function __autoload($class)
{
$file = $class . '.php';
if (is_file($file)) {
require_once($file);
}
}
$a = new A(); //這邊會自動調用__autoload,引入A.php文件
?>
第二種情況:有時我希望能自定義autoload,並且希望起一個更酷的名字loader,則C.php改為如下:
<?php
function loader($class)
{
$file = $class . '.php';
if (is_file($file)) {
require_once($file);
}
}
spl_autoload_register('loader'); //注冊一個自動加載方法,覆蓋原有的__autoload
$a = new A();
?>
第三種情況:我希望高大上一點,用一個類來管理自動加載
<?php
class Loader
{
public static function loadClass($class)
{
$file = $class . '.php';
if (is_file($file)) {
require_once($file);
}
}
}
spl_autoload_register(array('Loader', 'loadClass'));
$a = new A();
?>
當前為最佳形式。
通常我們將spl_autoload_register(*)放在入口腳本,即一開始就引用進來。比如下面discuz的做法。
if(function_exist('spl_autoload_register')){
spl_autoload_register(array('core','autoload')); //如果是php5以上,存在注冊函數,則注冊自己寫的core類中的autoload為自動加載函數
}else{
function __autoload($class){ //如果不是,則重寫php原生函數__autoload函數,讓其調用自己的core中函數。
return core::autoload($class);
}
}
這段扔在入口文件最前面,自然是極好的~
轉載:http://www.cnblogs.com/zhongyuan/p/3583201.html