1. 程式人生 > >PHP中的use、名稱空間、引入類檔案、自動載入類的理解

PHP中的use、名稱空間、引入類檔案、自動載入類的理解

    <div class="postBody">
        <div id="cnblogs_post_body" class="cnblogs-markdown"><p>use只是使用了名稱空間,<br>

但是要想呼叫類,必須要載入類檔案,或者自動載入。

即便是引入了其中一個類,如果沒有自動載入機制,還是會報錯

use的幾種用法

namespace Blog\Article;
class Comment { }

//建立一個BBS空間(我有打算開個論壇)
namespace BBS;

//匯入一個名稱空間
use
Blog\Article; //匯入名稱空間後可使用限定名稱呼叫元素 $article_comment = new Article\Comment(); //為名稱空間使用別名 use Blog\Article as Arte; //使用別名代替空間名 $article_comment = new Arte\Comment(); //匯入一個類 use Blog\Article\Comment; //匯入類後可使用非限定名稱呼叫元素 $article_comment = new Comment(); //為類使用別名 use Blog\Article\Comment as Comt; //使用別名代替空間名 $article_comment = new
Comt();

1.第一種引入方式(前提是有了自動載入機制)

use OSS\OssClient; // 表示引入Class 'OSS\OssClient'

使用的時候,

$ossClient = <span class="hljs-keyword">new</span> OSS\OssClient($accessKeyId, $accessKeySecret, $endpoint, false);

或者這樣

$ossClient = <span class="hljs-keyword">new</span> OssClient($accessKeyId, $accessKeySecret, $endpoint, false
);

都可以!

2.第二種引入方式(前提是有了自動載入機制)

import('@.ORG.OSS.OssClient'); // thinkphp中的載入機制

使用的時候,只能

$ossClient = <span class="hljs-keyword">new</span> OSS\OssClient($accessKeyId, $accessKeySecret, $endpoint, false);  // 其中OSS是名稱空間

thinkphp中有一種自動載入名稱空間的機制,

框架Liberary目錄下的名稱空間都可以自動識別和定位,如下

Library 框架類庫目錄
│ ├─Think 核心Think類庫包目錄
│ ├─Org Org類庫包目錄
│ ├─ … 更多類庫目錄

所以,如果有名稱空間,不需要引入檔案也可以。
但是沒有名稱空間的類,如果不引入檔案,就會報錯。

import一下就可以了,

3.__autoload

這是一個自動載入函式,在PHP5中,當我們例項化一個未定義的類時,就會觸發此函式。看下面例子:

printit.class.php 

<?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時,自動呼叫__autoload函式,引數$class的值即為類名printit,此時printit.class.php就被引進來了。

4.spl_autoload_register
再看spl_autoload_register(),這個函式與__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函式。但是loadprint不會像__autoload自動觸發,這時spl_autoload_register()就起作用了,它告訴PHP碰到沒有定義的類就執行loadprint()。

spl_autoload_register() 呼叫靜態方法 ,


<? 

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();
?>