1. 程式人生 > >php 魔法函式解釋

php 魔法函式解釋

(1)__construct() 是PHP內建的建構函式, 是同PHP 解析引擎自動呼叫的, 當例項化一個物件的時候,這個物件的這個方法首先被呼叫。

例:class Test

{

function __construct()

{

echo “This is __construct function!”;

}

function Test()

{

echo “This is Test!”;

}

}

$objTest = new Test;      // 執行結果是“This is __construct function!”

(2)__destory()是PHP內建的解構函式,當刪除一個物件或物件操作終止的時候,呼叫該方法,所以可進行釋放資源之類的操作。

class Test

{

function __destory()

{

echo “This is __destory function!”;

}

}

$objTest = new Test;       // 執行結果是“This is __destory function!”

(3)__get()當試圖讀取一個並不存在的屬性 的時候被呼叫,類似java中反射的各種操作。

class Test

{

function __get($key)

{

echo $key, “doesn’t exist!”;

}

}

$objTest = new Test;

$objTest->Name;    // 執行結果是“Name does’nt exist!”

(4)__set()當試圖向一個並不存在的屬性寫入值的時候被呼叫。

class Test

{

function __set($key, $val)

{

echo “Can’t assign/”” . $val . “/” to “. $key;

}

}

$objTest = new Test;

$objTest->Name = “ljlwill”;    // 執行結果是“Can’t assign “ljlwill” to Name”

(5)__call()當試圖呼叫一個物件並不存在的方法時,呼叫該方法。

class Test

{

function __call($key, $args)

{

echo “The function /”". $key .”/” doesn’t exist. it’s args are “. print_r($args);

}

}

$objTest = new Test;

$objTest->getName(“2004″, “ljlwill”);

// 執行結果是 The function “getName” doesn’t exist. it’s args are: Array(

[0] => 2004;

[1] => ljlwill;

)

(6)__toString() 當列印一個物件的時候被呼叫,類似於java的toString方法,當我們直接列印物件的時候回撥用這個函式。

class Test

{

function __toString()

{

return “This is Test!”;

}

}

$objTest = new Test;

eho $objTest;         // 執行結果是“This is Test!”

(7)__clone() 當物件被克隆時,被呼叫。

class Test

{

function __clone()

{

echo “I am cloned!” ;
}

}

$objTest = new Test;

$objCloneTest = clone $objTest;     // 執行結果是“I am cloned!”