這篇文章主要介紹了詳解PHP檔案的自動載入(autoloading)相關知識點以及詳細用法,有這方面需要的朋友參考下吧。
傳統上,在PHP裡,當我們要用到一個class檔案的時候,我們都得在文檔頭部require或include一下:
<?php require_once('../includes/functions.php'); require_once('../includes/database.php'); require_once('../includes/user.php'); ...
但一旦要呼叫的文檔多了,就得每次都寫一行,瞅著也不美觀,有什麼辦法能讓PHP文檔自動載入呢?
<?php function __autoload($class_name) { require "./{$class_name}.php"; }
對,可以使用PHP的魔法函數__autoload(),上面的範例就是自動載入目前目錄下的PHP檔案。當然,實際當中,我們更可能會這麼來使用:
<?php function __autoload($class_name) { $name = strtolower($class_name); $path = "../includes/{$name}.php"; if(file_exists($path)){ require_once($path); }else{ die("the file {$class_name} could not be found"); } }
也也就是做了一定的檔名大小寫處理,然後在require之前檢查文件是否存在,不存在的話顯示自訂的資訊。
類似用法經常在私人項目,或者說是單一項目的框架中見到,為什麼呢?因為你只能定義一個__autoload function,在多人開發中,做不到不同的developer使用不同的自定義的autoloader,除非大家都提前說好了,都使用一個__autoload,涉及到改動了就進行版本同步,很麻煩。
也主要是因為此,有個好消息,就是這個__autoload函數馬上要在7.2版本的PHP中棄用了。
Warning This feature has been DEPRECATED as of PHP 7.2.0. Relying on this feature is highly discouraged.
那麼取而代之的是一個叫spl_autoload_register()的東東,它的好處是可以自訂多autoloader.
//使用匿名函数来autoload spl_autoload_register(function($class_name){ require_once('...'); });
//使用一个全局函数 function Custom() { require_once('...'); } spl_autoload_register('Custom');
//使用一个class当中的static方法 class MyCustomAutoloader { static public function myLoader($class_name) { require_once('...'); } } //传array进来,第一个是class名,第二个是方法名 spl_autoload_register(['MyCustomAutoloader','myLoader']);
//甚至也可以用在实例化的object上 class MyCustomAutoloader { public function myLoader($class_name) { } } $object = new MyCustomAutoloader; spl_autoload_register([$object,'myLoader']);
值得一提的是,使用autoload,無論是__autoload(),還是spl_autoload_register(),相比於require或include,好處就是autoload機制是lazy loading,也即是不是你一運行就給你調用所有的那些文件,而是只有你用到了哪個,比如說new了哪個文件以後,才會透過autoload機制去載入對應文件。
當然,laravel包含各個package裡也是常用到spl_autoload_register,例如這裡:
/** * Prepend the load method to the auto-loader stack. * * @return void */ protected function prependToLoaderStack() { spl_autoload_register([$this, 'load'], true, true); }
PHP實作分散式memcache設定web集群session同步的方法詳解
#
以上是詳解PHP檔案的自動載入php實例的詳細內容。更多資訊請關注PHP中文網其他相關文章!