程序師世界是廣大編程愛好者互助、分享、學習的平台,程序師世界有你更精彩!
首頁
編程語言
C語言|JAVA編程
Python編程
網頁編程
ASP編程|PHP編程
JSP編程
數據庫知識
MYSQL數據庫|SqlServer數據庫
Oracle數據庫|DB2數據庫
 程式師世界 >> 編程語言 >> 網頁編程 >> PHP編程 >> 關於PHP編程 >> PHP實現單例模式最安全的做法

PHP實現單例模式最安全的做法

編輯:關於PHP編程

       作為一種常用的設計模式,單例模式被廣泛的使用。那麼如何設計一個單例才是最好的呢?

      通常我們會這麼寫,網上能搜到的例子也大部分是這樣:

      .代碼如下:

      class A

      {

      protected static $_instance = null;

      protected function __construct()

      {

      //disallow new instance

      }

      protected function __clone(){

      //disallow clone

      }

      public function getInstance()

      {

      if (self::$_instance === null) {

      self::$_instance = new self();

      }

      return self::$_instance;

      }

      }

      class B extends A

      {

      protected static $_instance = null;

      }

      $a = A::getInstance();

      $b = B::getInstance();

      var_dump($a === $b);

      將__construct方法設為私有,可以保證這個類不被其他人實例化。但這種寫法一個顯而易見的問題是:代碼不能復用。比如我們在一個一個類繼承A:

      .代碼如下:

      class B extends A

      {

      protected static $_instance = null;

      }

      $a = A::getInstance();

      $b = B::getInstance();

      var_dump($a === $b);

      上面的代碼會輸出:

      .代碼如下:

      bool(true)

      問題出在self上,self的引用是在類被定義時就決定的,也就是說,繼承了B的A,他的self引用仍然指向A。為了解決這個問題,在PHP 5.3中引入了後期靜態綁定的特性。簡單說是通過static關鍵字來訪問靜態的方法或者變量,與self不同,static的引用是由運行時決定。於是簡單改寫一下我們的代碼,讓單例模式可以復用。

      .代碼如下:class C

      {

      protected static $_instance = null;

      protected function __construct()

      {

      }

      protected function __clone()

      {

      //disallow clone

      }

      public function getInstance()

      {

      if (static::$_instance === null) {

      static::$_instance = new static;

      }

      return static::$_instance;

      }

      }

      class D extends C

      {

      protected static $_instance = null;

      }

      $c = C::getInstance();

      $d = D::getInstance();

      var_dump($c === $d);

      以上代碼輸出:

      .代碼如下:

      bool(false)

      這樣,簡單的繼承並重新初始化$_instance變量就能實現單例模式。注意上面的方法只有在PHP 5.3中才能使用,對於之前版本的PHP,還是老老實實為每個單例類寫一個getInstance()方法吧。

      需要提醒的是,PHP中單例模式雖然沒有像Java一樣的線程安全問題,但是對於有狀態的類,還是要小心的使用單例模式。單例模式的類會伴隨PHP運行的整個生命周期,對於內存也是一種開銷。

    1. 上一頁:
    2. 下一頁:
    Copyright © 程式師世界 All Rights Reserved