PHP实现单例模式最安全的做法

这篇文章主要介绍了PHP实现单例模式最安全的做法,适用PHP5.3以上版本,采用了最好的做法,需要的朋友可以参考下,作为一种常用的设计模式,单例模式被广泛的使用。那么如何设计一个单例才是最好的呢?

通常我们会这么写,网上能搜到的例子也大部分是这样:

  1. class A
  2. {
  3. protected static $_instance = null;
  4. protected function __construct()
  5. {
  6. //disallow new instance
  7. }
  8. protected function __clone(){
  9. //disallow clone
  10. }
  11. public function getInstance()
  12. {
  13. if (self::$_instance === null) {
  14. self::$_instance = new self();
  15. }
  16. return self::$_instance;
  17. }
  18. }
  19. class B extends A
  20. {
  21. protected static $_instance = null;
  22. }
  23. $a = A::getInstance();
  24. $b = B::getInstance();
  25. var_dump($a === $b);

将__construct方法设为私有,可以保证这个类不被其他人实例化。但这种写法一个显而易见的问题是:代码不能复用。比如我们在一个一个类继承A:

  1. class B extends A
  2. {
  3. protected static $_instance = null;
  4. }
  5. $a = A::getInstance();
  6. $b = B::getInstance();
  7. var_dump($a === $b);

上面的代码会输出:

bool(true)

问题出在self上,self的引用是在类被定义时就决定的,也就是说,继承了B的A,他的self引用仍然指向A。为了解决这个问题,在PHP 5.3中引入了后期静态绑定的特性。简单说是通过static关键字来访问静态的方法或者变量,与self不同,static的引用是由运行时决定。于是简单改写一下我们的代码,让单例模式可以复用,代码如下:

  1. class C
  2. {
  3. protected static $_instance = null;
  4. protected function __construct()
  5. {
  6. }
  7. protected function __clone()
  8. {
  9. //disallow clone
  10. }
  11. public function getInstance()
  12. {
  13. if (static::$_instance === null) {
  14. static::$_instance = new static;
  15. }
  16. return static::$_instance;
  17. }
  18. }
  19. class D extends C
  20. {
  21. protected static $_instance = null;
  22. }
  23. $c = C::getInstance();
  24. $d = D::getInstance();
  25. var_dump($c === $d);

以上代码输出:

bool(false)

这样,简单的继承并重新初始化$_instance变量就能实现单例模式。注意上面的方法只有在PHP 5.3中才能使用,对于之前版本的PHP,还是老老实实为每个单例类写一个getInstance()方法吧。

需要提醒的是,PHP中单例模式虽然没有像Java一样的线程安全问题,但是对于有状态的类,还是要小心的使用单例模式。单例模式的类会伴随PHP运行的整个生命周期,对于内存也是一种开销。