PHP 单态设计模式讲解以及使用

一:单态模式的作用/目的

面向对象编程开发中,一个类只能有一个实例对象存在

二:单态模式的注意点

1. 需要一个保存类的唯一实例的静态成员变量;( private static $instance)
2. 构造函数和克隆函数必须声明为私有的,防止外部程序new类从而失去单例模式的意义;
3. 必须提供一个访问这个实例的公共的静态方法,从而返回唯一实例的一个引用 。(通常方法名:getInstance)	

三:代码实现

trait Instance
{
    private static $instance;
	private function
    static function getInstance()
    {
        if(!isset(self::$instance)){
            self::$instance = new static();
            //self::$instance = new self();
        }
        return self::$instance;
    }
}

代码剖析:

trait:

自 PHP 5.4.0 起,PHP 实现了一种代码复用的方法,称为 trait。
Trait 是为类似 PHP 的单继承语言而准备的一种代码复用机制。Trait 为了减少单继承语言的限制,使开发人员能够自由地在不同层次结构内独立的类中复用 method。Trait 和 Class 组合的语义定义了一种减少复杂性的方式,避免传统多继承和 Mixin 类相关典型问题。
Trait 和 Class 相似,但仅仅旨在用细粒度和一致的方式来组合功能。 无法通过 trait 自身来实例化。它为传统继承增加了水平特性的组合;也就是说,应用的几个 Class 之间不需要继承。

new static() new self() 的区别

self:  self写在哪个类里面就代表该类
执行此代码:    Instance::getInstance();
new self() == new Instance()
new static() == new Instance()

static:  static在哪个类里面调用就代表哪个类,  例如:
class Test
{
	use Instance;	
}

执行此代码  Test::getInstance();
new static() == new Test()
new self() == new Instance()

四:测试生效未生效

请看下篇文章:link.

    原文作者:史蒂夫·纪
    原文地址: https://blog.csdn.net/little_ji/article/details/88914330
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞