這次帶給大家PHP檔案自動載入使用詳解,PHP檔案自動載入使用的注意事項有哪些,下面就是實戰案例,一起來看一下。
傳統上,在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中文網其它相關文章!
推薦閱讀:
以上是PHP檔案自動載入使用詳解的詳細內容。更多資訊請關注PHP中文網其他相關文章!