PHP5 中的單例設計模式
在PHP5 中實現單例設計模式涉及創建一個只能有一個實例的類,無論如何很多次它被實例化。這是透過使用靜態變數來儲存單一實例並防止克隆或反序列化來實現的。
以下是如何在 PHP5 中建立 Singleton 類別的範例:
final class UserFactory { private static $inst = null; // Prevent cloning and de-serializing private function __clone(){} private function __wakeup(){} /** * Call this method to get singleton * * @return UserFactory */ public static function Instance() { if self::$inst === null) { self::$inst = new UserFactory(); } return self::$inst; } /** * Private ctor so nobody else can instantiate it * */ private function __construct() { } }
This實作使用靜態變數 $inst 來儲存 UserFactory 類別的單一實例。 Instance() 方法充當單例 getter。如果 $inst 為 null,則建立一個新實例並指派給 $inst。
要使用此Singleton 類,只需呼叫Instance() 方法即可取得單一實例:
$fact = UserFactory::Instance(); $fact2 = UserFactory::Instance();
比較$fact 和$fact2 將會得到true,確認它們是同一個實例。
但是,嘗試實例化一個新的直接使用 new UserFactory() 的 UserFactory 物件會拋出錯誤,因為建構子設為私有。取得 UserFactory 類別實例的唯一方法是透過 Instance() 方法。
以上是如何在PHP5實現單例設計模式?的詳細內容。更多資訊請關注PHP中文網其他相關文章!