/*
+-------------------------------------------------------------------------------+
| = 本文為Haohappy讀<<Core PHP Programming>>
| = 中Classes and Objects一章的筆記
| = 翻譯為主+個人心得
| = 為避免可能發生的不必要的麻煩請勿轉載,謝謝
| = 歡迎批評指正,希望和所有PHP愛好者共同進步!
| = PHP5研究中心: http://blog.csdn.net/haohappy2004
+-------------------------------------------------------------------------------+
*/
第五節--克隆
PHP5中的對象模型通過引用來調用對象, 但有時你可能想建立一個對象的副本,並希望原來的對象的改變不影響到副本 . 為了這樣的目的,PHP定義了一個特殊的方法,稱為__clone. 像__construct和__destruct一樣,前面有兩個下劃線.
默認地,用__clone方法將建立一個與原對象擁有相同屬性和方法的對象. 如果你想在克隆時改變默認的內容,你要在__clone中覆寫(屬性或方法).
克隆的方法可以沒有參數,但它同時包含this和that指針(that指向被復制的對象). 如果你選擇克隆自己,你要小心復制任何你要你的對象包含的信息,從that到this. 如果你用__clone來復制. PHP不會執行任何隱性的復制,
下面顯示了一個用系列序數來自動化對象的例子:
復制代碼 代碼如下:<?php
class ObjectTracker //對象跟蹤器
{
private static $nextSerial = 0;
private $id;
private $name;
function __construct($name) //構造函數
{
$this->name = $name;
$this->id = ++self::$nextSerial;
}
function __clone() //克隆
{
$this->name = "Clone of $that->name";
$this->id = ++self::$nextSerial;
}
function getId() //獲取id屬性的值
{
return($this->id);
}
function getName() //獲取name屬性的值
{
return($this->name);
}
}
$ot = new ObjectTracker("Zeev's Object");
$ot2 = $ot->__clone();
//輸出: 1 Zeev's Object
print($ot->getId() . " " . $ot->getName() . "<br>");
//輸出: 2 Clone of Zeev's Object
print($ot2->getId() . " " . $ot2->getName() . "<br>");
?>