PhpDesignPatterns 【PHP 中的设计模式】
一、 Introduction【介绍】
设计模式:提供了一种广泛的可重用的方式来解决我们日常编程中常常遇见的问题。设计模式并不一定就是一个类库或者第三方框架,它们更多的表现为一种思想并且广泛地应用在系统中。它们也表现为一种模式或者模板,可以在多个不同的场景下用于解决问题。设计模式可以用于加速开发,并且将很多大的想法或者设计以一种简单地方式实现。当然,虽然设计模式在开发中很有作用,但是千万要避免在不适当的场景误用它们。

二、 Category【分类】
根据目的和范围,设计模式可以分为五类。
按照目的分为:创建设计模式,结构设计模式,以及行为设计模式。
按照范围分为:类的设计模式,以及对象设计模式。

  1. 按照目的分,目前常见的设计模式主要有23种,根据使用目标的不同可以分为以下三大类:

创建设计模式(Creational Patterns)(5种):用于创建对象时的设计模式。更具体一点,初始化对象流程的设计模式。当程序日益复杂时,需要更加灵活地创建对象,同时减少创建时的依赖。而创建设计模式就是解决此问题的一类设计模式。

单例模式【Singleton】
工厂模式【Factory】
抽象工厂模式【AbstractFactory】
建造者模式【Builder】
原型模式【Prototype】
结构设计模式(Structural Patterns)(7种):用于继承和接口时的设计模式。结构设计模式用于新类的函数方法设计,减少不必要的类定义,减少代码的冗余。

适配器模式【Adapter】
桥接模式【Bridge】
合成模式【Composite】
装饰器模式【Decorator】
门面模式【Facade】
代理模式【Proxy】
享元模式【Flyweight】
行为模式(Behavioral Patterns)(11种):用于方法实现以及对应算法的设计模式,同时也是最复杂的设计模式。行为设计模式不仅仅用于定义类的函数行为,同时也用于不同类之间的协议、通信。

策略模式【Strategy】
模板方法模式【TemplateMethod】
观察者模式【Observer】
迭代器模式【Iterator】
责任链模式【ResponsibilityChain】
命令模式【Command】
备忘录模式【Memento】
状态模式【State】
访问者模式【Visitor】
中介者模式【Mediator】
解释器模式【Interpreter】
2.按照范围分为:类的设计模式,以及对象设计模式

类的设计模式(Class patterns):用于类的具体实现的设计模式。包含了如何设计和定义类,以及父类和子类的设计模式。

对象设计模式(Object patterns): 用于对象的设计模式。与类的设计模式不同,对象设计模式主要用于运行期对象的状态改变、动态行为变更等。

三、 DesignPatternsPrinciple【设计模式原则】
设计模式六大原则
开放封闭原则:一个软件实体如类、模块和函数应该对扩展开放,对修改关闭。
里氏替换原则:所有引用基类的地方必须能透明地使用其子类的对象.
依赖倒置原则:高层模块不应该依赖低层模块,二者都应该依赖其抽象;抽象不应该依赖细节;细节应该依赖抽象。
单一职责原则:不要存在多于一个导致类变更的原因。通俗的说,即一个类只负责一项职责。
接口隔离原则:客户端不应该依赖它不需要的接口;一个类对另一个类的依赖应该建立在最小的接口上。
迪米特法则:一个对象应该对其他对象保持最少的了解。
四、 Realization【设计模式实现】
Creational Patterns(创建设计模式)

  1. Singleton(单例模式)

Singleton(单例模式):单例模式是最常见的模式之一,在Web应用的开发中,常常用于允许在运行时为某个特定的类创建仅有一个可访问的实例。

  1. <?php
  2. /**
  3. * Singleton class[单例模式]
  4. * @author ITYangs<ityangs@163.com>
  5. */
  6. final class Mysql
  7. {
  8. /**
  9. *
  10. * @var self[该属性用来保存实例]
  11. */
  12. private static $instance;
  13. /**
  14. *
  15. * @var mixed
  16. */
  17. public $mix;
  18. /**
  19. * Return self instance[创建一个用来实例化对象的方法]
  20. *
  21. * @return self
  22. */
  23. public static function getInstance()
  24. {
  25. if (! (self::$instance instanceof self)) {
  26. self::$instance = new self();
  27. }
  28. return self::$instance;
  29. }
  30. /**
  31. * 构造函数为private,防止创建对象
  32. */
  33. private function __construct()
  34. {}
  35. /**
  36. * 防止对象被复制
  37. */
  38. private function __clone()
  39. {
  40. trigger_error('Clone is not allowed !');
  41. }
  42. }
  43. // @test
  44. $firstMysql = Mysql::getInstance();
  45. $secondMysql = Mysql::getInstance();
  46. $firstMysql->mix = 'ityangs_one';
  47. $secondMysql->mix = 'ityangs_two';
  48. print_r($firstMysql->mix);
  49. // 输出: ityangs_two
  50. print_r($secondMysql->mix);
  51. // 输出: ityangs_two

在很多情况下,需要为系统中的多个类创建单例的构造方式,这样,可以建立一个通用的抽象父工厂方法:

  1. <?php
  2. /**
  3. * Singleton class[单例模式:多个类创建单例的构造方式]
  4. * @author ITYangs<ityangs@163.com>
  5. */
  6. abstract class FactoryAbstract {
  7. protected static $instances = array();
  8. public static function getInstance() {
  9. $className = self::getClassName();
  10. if (!(self::$instances[$className] instanceof $className)) {
  11. self::$instances[$className] = new $className();
  12. }
  13. return self::$instances[$className];
  14. }
  15. public static function removeInstance() {
  16. $className = self::getClassName();
  17. if (array_key_exists($className, self::$instances)) {
  18. unset(self::$instances[$className]);
  19. }
  20. }
  21. final protected static function getClassName() {
  22. return get_called_class();
  23. }
  24. protected function __construct() { }
  25. final protected function __clone() { }
  26. }
  27. abstract class Factory extends FactoryAbstract {
  28. final public static function getInstance() {
  29. return parent::getInstance();
  30. }
  31. final public static function removeInstance() {
  32. parent::removeInstance();
  33. }
  34. }
  35. // @test
  36. class FirstProduct extends Factory {
  37. public $a = [];
  38. }
  39. class SecondProduct extends FirstProduct {
  40. }
  41. FirstProduct::getInstance()->a[] = 1;
  42. SecondProduct::getInstance()->a[] = 2;
  43. FirstProduct::getInstance()->a[] = 11;
  44. SecondProduct::getInstance()->a[] = 22;
  45. print_r(FirstProduct::getInstance()->a);
  46. // Array ( [0] => 1 [1] => 11 )
  47. print_r(SecondProduct::getInstance()->a);
  48. // Array ( [0] => 2 [1] => 22 )
  1. Factory(工厂模式)
    工厂模式是另一种非常常用的模式,正如其名字所示:确实是对象实例的生产工厂。某些意义上,工厂模式提供了通用的方法有助于我们去获取对象,而不需要关心其具体的内在的实现。
  1. <?php
  2. /**
  3. * Factory class[工厂模式]
  4. * @author ITYangs<ityangs@163.com>
  5. */
  6. interface SystemFactory
  7. {
  8. public function createSystem($type);
  9. }
  10. class MySystemFactory implements SystemFactory
  11. {
  12. // 实现工厂方法
  13. public function createSystem($type)
  14. {
  15. switch ($type) {
  16. case 'Mac':
  17. return new MacSystem();
  18. case 'Win':
  19. return new WinSystem();
  20. case 'Linux':
  21. return new LinuxSystem();
  22. }
  23. }
  24. }
  25. class System{ /* ... */}
  26. class WinSystem extends System{ /* ... */}
  27. class MacSystem extends System{ /* ... */}
  28. class LinuxSystem extends System{ /* ... */}
  29. //创建我的系统工厂
  30. $System_obj = new MySystemFactory();
  31. //用我的系统工厂分别创建不同系统对象
  32. var_dump($System_obj->createSystem('Mac'));//输出:object(MacSystem)#2 (0) { }
  33. var_dump($System_obj->createSystem('Win'));//输出:object(WinSystem)#2 (0) { }
  34. var_dump($System_obj->createSystem('Linux'));//输出:object(LinuxSystem)#2 (0) { }
  1. AbstractFactory(抽象工厂模式)
    有些情况下我们需要根据不同的选择逻辑提供不同的构造工厂,而对于多个工厂而言需要一个统一的抽象工厂:
  1. <?php
  2. class System{}
  3. class Soft{}
  4. class MacSystem extends System{}
  5. class MacSoft extends Soft{}
  6. class WinSystem extends System{}
  7. class WinSoft extends Soft{}
  8. /**
  9. * AbstractFactory class[抽象工厂模式]
  10. * @author ITYangs<ityangs@163.com>
  11. */
  12. interface AbstractFactory {
  13. public function CreateSystem();
  14. public function CreateSoft();
  15. }
  16. class MacFactory implements AbstractFactory{
  17. public function CreateSystem(){ return new MacSystem(); }
  18. public function CreateSoft(){ return new MacSoft(); }
  19. }
  20. class WinFactory implements AbstractFactory{
  21. public function CreateSystem(){ return new WinSystem(); }
  22. public function CreateSoft(){ return new WinSoft(); }
  23. }
  24. //@test:创建工厂->用该工厂生产对应的对象
  25. //创建MacFactory工厂
  26. $MacFactory_obj = new MacFactory();
  27. //用MacFactory工厂分别创建不同对象
  28. var_dump($MacFactory_obj->CreateSystem());//输出:object(MacSystem)#2 (0) { }
  29. var_dump($MacFactory_obj->CreateSoft());// 输出:object(MacSoft)#2 (0) { }
  30. //创建WinFactory
  31. $WinFactory_obj = new WinFactory();
  32. //用WinFactory工厂分别创建不同对象
  33. var_dump($WinFactory_obj->CreateSystem());//输出:object(WinSystem)#3 (0) { }
  34. var_dump($WinFactory_obj->CreateSoft());//输出:object(WinSoft)#3 (0) { }
  1. Builder(建造者模式)
    建造者模式主要在于创建一些复杂的对象。将一个复杂对象的构造与它的表示分离,使同样的构建过程可以创建不同的表示的设计模式;

结构图:
这里写图片描述

  1. <?php
  2. /**
  3. *
  4. * 产品本身
  5. */
  6. class Product {
  7. private $_parts;
  8. public function __construct() { $this->_parts = array(); }
  9. public function add($part) { return array_push($this->_parts, $part); }
  10. }
  11. /**
  12. * 建造者抽象类
  13. *
  14. */
  15. abstract class Builder {
  16. public abstract function buildPart1();
  17. public abstract function buildPart2();
  18. public abstract function getResult();
  19. }
  20. /**
  21. *
  22. * 具体建造者
  23. * 实现其具体方法
  24. */
  25. class ConcreteBuilder extends Builder {
  26. private $_product;
  27. public function __construct() { $this->_product = new Product(); }
  28. public function buildPart1() { $this->_product->add("Part1"); }
  29. public function buildPart2() { $this->_product->add("Part2"); }
  30. public function getResult() { return $this->_product; }
  31. }
  32. /**
  33. *
  34. *导演者
  35. */
  36. class Director {
  37. public function __construct(Builder $builder) {
  38. $builder->buildPart1();//导演指挥具体建造者生产产品
  39. $builder->buildPart2();
  40. }
  41. }
  42. // client
  43. $buidler = new ConcreteBuilder();
  44. $director = new Director($buidler);
  45. $product = $buidler->getResult();
  46. echo "<pre>";
  47. var_dump($product);
  48. echo "</pre>";
  49. /*输出: object(Product)#2 (1) {
  50. ["_parts":"Product":private]=>
  51. array(2) {
  52. [0]=>string(5) "Part1"
  53. [1]=>string(5) "Part2"
  54. }
  55. } */
  56. ?>
  1. Prototype(原型模式)
    有时候,部分对象需要被初始化多次。而特别是在如果初始化需要耗费大量时间与资源的时候进行预初始化并且存储下这些对象,就会用到原型模式:
  1. <?php
  2. /**
  3. *
  4. * 原型接口
  5. *
  6. */
  7. interface Prototype { public function copy(); }
  8. /**
  9. * 具体实现
  10. *
  11. */
  12. class ConcretePrototype implements Prototype{
  13. private $_name;
  14. public function __construct($name) { $this->_name = $name; }
  15. public function copy() { return clone $this;}
  16. }
  17. class Test {}
  18. // client
  19. $object1 = new ConcretePrototype(new Test());
  20. var_dump($object1);//输出:object(ConcretePrototype)#1 (1) { ["_name":"ConcretePrototype":private]=> object(Test)#2 (0) { } }
  21. $object2 = $object1->copy();
  22. var_dump($object2);//输出:object(ConcretePrototype)#3 (1) { ["_name":"ConcretePrototype":private]=> object(Test)#2 (0) { } }
  23. ?>

Structural Patterns(结构设计模式)

  1. Adapter(适配器模式)
    这种模式允许使用不同的接口重构某个类,可以允许使用不同的调用方式进行调用:
  1. <?php
  2. /**
  3. * 第一种方式:对象适配器
  4. */
  5. interface Target {
  6. public function sampleMethod1();
  7. public function sampleMethod2();
  8. }
  9. class Adaptee {
  10. public function sampleMethod1() {
  11. echo '++++++++';
  12. }
  13. }
  14. class Adapter implements Target {
  15. private $_adaptee;
  16. public function __construct(Adaptee $adaptee) {
  17. $this->_adaptee = $adaptee;
  18. }
  19. public function sampleMethod1() {
  20. $this->_adaptee->sampleMethod1();
  21. }
  22. public function sampleMethod2() {
  23. echo '————————';
  24. }
  25. }
  26. $adapter = new Adapter(new Adaptee());
  27. $adapter->sampleMethod1();//输出:++++++++
  28. $adapter->sampleMethod2();//输出:————————
  29. /**
  30. * 第二种方式:类适配器
  31. */
  32. interface Target2 {
  33. public function sampleMethod1();
  34. public function sampleMethod2();
  35. }
  36. class Adaptee2 { // 源角色
  37. public function sampleMethod1() {echo '++++++++';}
  38. }
  39. class Adapter2 extends Adaptee2 implements Target2 { // 适配后角色
  40. public function sampleMethod2() {echo '————————';}
  41. }
  42. $adapter = new Adapter2();
  43. $adapter->sampleMethod1();//输出:++++++++
  44. $adapter->sampleMethod2();//输出:————————
  45. ?>
  1. Bridge(桥接模式)
    将抽象部分与它的实现部分分离,使他们都可以独立的变抽象与它的实现分离,即抽象类和它的派生类用来实现自己的对象

桥接与适配器模式的关系(适配器模式上面已讲解):
桥接属于聚合关系,两者关联 但不继承
适配器属于组合关系,适配者需要继承源

聚合关系:A对象可以包含B对象 但B对象不是A对象的一部分

  1. <?php
  2. /**
  3. *
  4. *实现化角色, 给出实现化角色的接口,但不给出具体的实现。
  5. */
  6. abstract class Implementor {
  7. abstract public function operationImp();
  8. }
  9. class ConcreteImplementorA extends Implementor { // 具体化角色A
  10. public function operationImp() {echo "A";}
  11. }
  12. class ConcreteImplementorB extends Implementor { // 具体化角色B
  13. public function operationImp() {echo "B";}
  14. }
  15. /**
  16. *
  17. * 抽象化角色,抽象化给出的定义,并保存一个对实现化对象的引用
  18. */
  19. abstract class Abstraction {
  20. protected $imp; // 对实现化对象的引用
  21. public function operation() {
  22. $this->imp->operationImp();
  23. }
  24. }
  25. class RefinedAbstraction extends Abstraction { // 修正抽象化角色, 扩展抽象化角色,改变和修正父类对抽象化的定义。
  26. public function __construct(Implementor $imp) {
  27. $this->imp = $imp;
  28. }
  29. public function operation() { $this->imp->operationImp(); }
  30. }
  31. // client
  32. $abstraction = new RefinedAbstraction(new ConcreteImplementorA());
  33. $abstraction->operation();//输出:A
  34. $abstraction = new RefinedAbstraction(new ConcreteImplementorB());
  35. $abstraction->operation();//输出:B
  36. ?>
  1. Composite(合成模式)
    组合模式(Composite Pattern)有时候又叫做部分-整体模式,用于将对象组合成树形结构以表示“部分-整体”的层次关系。组合模式使得用户对单个对象和组合对象的使用具有一致性。

常见使用场景:如树形菜单、文件夹菜单、部门组织架构图等。

  1. <?php
  2. /**
  3. *
  4. *安全式合成模式
  5. */
  6. interface Component {
  7. public function getComposite(); //返回自己的实例
  8. public function operation();
  9. }
  10. class Composite implements Component { // 树枝组件角色
  11. private $_composites;
  12. public function __construct() { $this->_composites = array(); }
  13. public function getComposite() { return $this; }
  14. public function operation() {
  15. foreach ($this->_composites as $composite) {
  16. $composite->operation();
  17. }
  18. }
  19. public function add(Component $component) { //聚集管理方法 添加一个子对象
  20. $this->_composites[] = $component;
  21. }
  22. public function remove(Component $component) { // 聚集管理方法 删除一个子对象
  23. foreach ($this->_composites as $key => $row) {
  24. if ($component == $row) { unset($this->_composites[$key]); return TRUE; }
  25. }
  26. return FALSE;
  27. }
  28. public function getChild() { // 聚集管理方法 返回所有的子对象
  29. return $this->_composites;
  30. }
  31. }
  32. class Leaf implements Component {
  33. private $_name;
  34. public function __construct($name) { $this->_name = $name; }
  35. public function operation() {}
  36. public function getComposite() {return null;}
  37. }
  38. // client
  39. $leaf1 = new Leaf('first');
  40. $leaf2 = new Leaf('second');
  41. $composite = new Composite();
  42. $composite->add($leaf1);
  43. $composite->add($leaf2);
  44. $composite->operation();
  45. $composite->remove($leaf2);
  46. $composite->operation();
  47. /**
  48. *
  49. *透明式合成模式
  50. */
  51. interface Component { // 抽象组件角色
  52. public function getComposite(); // 返回自己的实例
  53. public function operation(); // 示例方法
  54. public function add(Component $component); // 聚集管理方法,添加一个子对象
  55. public function remove(Component $component); // 聚集管理方法 删除一个子对象
  56. public function getChild(); // 聚集管理方法 返回所有的子对象
  57. }
  58. class Composite implements Component { // 树枝组件角色
  59. private $_composites;
  60. public function __construct() { $this->_composites = array(); }
  61. public function getComposite() { return $this; }
  62. public function operation() { // 示例方法,调用各个子对象的operation方法
  63. foreach ($this->_composites as $composite) {
  64. $composite->operation();
  65. }
  66. }
  67. public function add(Component $component) { // 聚集管理方法 添加一个子对象
  68. $this->_composites[] = $component;
  69. }
  70. public function remove(Component $component) { // 聚集管理方法 删除一个子对象
  71. foreach ($this->_composites as $key => $row) {
  72. if ($component == $row) { unset($this->_composites[$key]); return TRUE; }
  73. }
  74. return FALSE;
  75. }
  76. public function getChild() { // 聚集管理方法 返回所有的子对象
  77. return $this->_composites;
  78. }
  79. }
  80. class Leaf implements Component {
  81. private $_name;
  82. public function __construct($name) {$this->_name = $name;}
  83. public function operation() {echo $this->_name."<br>";}
  84. public function getComposite() { return null; }
  85. public function add(Component $component) { return FALSE; }
  86. public function remove(Component $component) { return FALSE; }
  87. public function getChild() { return null; }
  88. }
  89. // client
  90. $leaf1 = new Leaf('first');
  91. $leaf2 = new Leaf('second');
  92. $composite = new Composite();
  93. $composite->add($leaf1);
  94. $composite->add($leaf2);
  95. $composite->operation();
  96. $composite->remove($leaf2);
  97. $composite->operation();
  98. ?>
  1. Decorator(装饰器模式)
    装饰器模式允许我们根据运行时不同的情景动态地为某个对象调用前后添加不同的行
  1. <?php
  2. interface Component {
  3. public function operation();
  4. }
  5. abstract class Decorator implements Component{ // 装饰角色
  6. protected $_component;
  7. public function __construct(Component $component) {
  8. $this->_component = $component;
  9. }
  10. public function operation() {
  11. $this->_component->operation();
  12. }
  13. }
  14. class ConcreteDecoratorA extends Decorator { // 具体装饰类A
  15. public function __construct(Component $component) {
  16. parent::__construct($component);
  17. }
  18. public function operation() {
  19. parent::operation(); // 调用装饰类的操作
  20. $this->addedOperationA(); // 新增加的操作
  21. }
  22. public function addedOperationA() {echo 'A加点酱油;';}
  23. }
  24. class ConcreteDecoratorB extends Decorator { // 具体装饰类B
  25. public function __construct(Component $component) {
  26. parent::__construct($component);
  27. }
  28. public function operation() {
  29. parent::operation();
  30. $this->addedOperationB();
  31. }
  32. public function addedOperationB() {echo "B加点辣椒;";}
  33. }
  34. class ConcreteComponent implements Component{ //具体组件类
  35. public function operation() {}
  36. }
  37. // clients
  38. $component = new ConcreteComponent();
  39. $decoratorA = new ConcreteDecoratorA($component);
  40. $decoratorB = new ConcreteDecoratorB($decoratorA);
  41. $decoratorA->operation();//输出:A加点酱油;
  42. echo '<br>--------<br>';
  43. $decoratorB->operation();//输出:A加点酱油;B加点辣椒;
  44. ?>
  1. Facade(门面模式)
    门面模式 (Facade)又称外观模式,用于为子系统中的一组接口提供一个一致的界面。门面模式定义了一个高层接口,这个接口使得子系统更加容易使用:引入门面角色之后,用户只需要直接与门面角色交互,用户与子系统之间的复杂关系由门面角色来实现,从而降低了系统的耦
  1. <?php
  2. class Camera {
  3. public function turnOn() {}
  4. public function turnOff() {}
  5. public function rotate($degrees) {}
  6. }
  7. class Light {
  8. public function turnOn() {}
  9. public function turnOff() {}
  10. public function changeBulb() {}
  11. }
  12. class Sensor {
  13. public function activate() {}
  14. public function deactivate() {}
  15. public function trigger() {}
  16. }
  17. class Alarm {
  18. public function activate() {}
  19. public function deactivate() {}
  20. public function ring() {}
  21. public function stopRing() {}
  22. }
  23. class SecurityFacade {
  24. private $_camera1, $_camera2;
  25. private $_light1, $_light2, $_light3;
  26. private $_sensor;
  27. private $_alarm;
  28. public function __construct() {
  29. $this->_camera1 = new Camera();
  30. $this->_camera2 = new Camera();
  31. $this->_light1 = new Light();
  32. $this->_light2 = new Light();
  33. $this->_light3 = new Light();
  34. $this->_sensor = new Sensor();
  35. $this->_alarm = new Alarm();
  36. }
  37. public function activate() {
  38. $this->_camera1->turnOn();
  39. $this->_camera2->turnOn();
  40. $this->_light1->turnOn();
  41. $this->_light2->turnOn();
  42. $this->_light3->turnOn();
  43. $this->_sensor->activate();
  44. $this->_alarm->activate();
  45. }
  46. public function deactivate() {
  47. $this->_camera1->turnOff();
  48. $this->_camera2->turnOff();
  49. $this->_light1->turnOff();
  50. $this->_light2->turnOff();
  51. $this->_light3->turnOff();
  52. $this->_sensor->deactivate();
  53. $this->_alarm->deactivate();
  54. }
  55. }
  56. //client
  57. $security = new SecurityFacade();
  58. $security->activate();
  59. ?>
  1. Proxy(代理模式)
    代理模式(Proxy)为其他对象提供一种代理以控制对这个对象的访问。使用代理模式创建代理对象,让代理对象控制目标对象的访问(目标对象可以是远程的对象、创建开销大的对象或需要安全控制的对象),并且可以在不改变目标对象的情况下添加一些额外的功能。

在某些情况下,一个客户不想或者不能直接引用另一个对象,而代理对象可以在客户端和目标对象之间起到中介的作用,并且可以通过代理对象去掉客户不能看到的内容和服务或者添加客户需要的额外服务。

经典例子就是网络代理,你想访问 Facebook 或者 Twitter ,如何绕过 GFW?找个代理

  1. <?php
  2. abstract class Subject { // 抽象主题角色
  3. abstract public function action();
  4. }
  5. class RealSubject extends Subject { // 真实主题角色
  6. public function __construct() {}
  7. public function action() {}
  8. }
  9. class ProxySubject extends Subject { // 代理主题角色
  10. private $_real_subject = NULL;
  11. public function __construct() {}
  12. public function action() {
  13. $this->_beforeAction();
  14. if (is_null($this->_real_subject)) {
  15. $this->_real_subject = new RealSubject();
  16. }
  17. $this->_real_subject->action();
  18. $this->_afterAction();
  19. }
  20. private function _beforeAction() {
  21. echo '在action前,我想干点啥....';
  22. }
  23. private function _afterAction() {
  24. echo '在action后,我还想干点啥....';
  25. }
  26. }
  27. // client
  28. $subject = new ProxySubject();
  29. $subject->action();//输出:在action前,我想干点啥....在action后,我还想干点啥....
  30. ?>
  1. Flyweight(享元模式)
    运用共享技术有效的支持大量细粒度的对象

享元模式变化的是对象的存储开销

享元模式中主要角色:

抽象享元(Flyweight)角色:此角色是所有的具体享元类的超类,为这些类规定出需要实现的公共接口。那些需要外运状态的操作可以通过调用商业以参数形式传入

具体享元(ConcreteFlyweight)角色:实现Flyweight接口,并为内部状态(如果有的话)拉回存储空间。ConcreteFlyweight对象必须是可共享的。它所存储的状态必须是内部的

不共享的具体享元(UnsharedConcreteFlyweight)角色:并非所有的Flyweight子类都需要被共享。Flyweigth使共享成为可能,但它并不强制共享

享元工厂(FlyweightFactory)角色:负责创建和管理享元角色。本角色必须保证享元对象可能被系统适当地共享

客户端(Client)角色:本角色需要维护一个对所有享元对象的引用。本角色需要自行存储所有享元对象的外部状态

享元模式的优点:

Flyweight模式可以大幅度地降低内存中对象的数量

享元模式的缺点:

Flyweight模式使得系统更加复杂

Flyweight模式将享元对象的状态外部化,而读取外部状态使得运行时间稍微变长

享元模式适用场景:

当一下情况成立时使用Flyweight模式:

1 一个应用程序使用了大量的对象
2 完全由于使用大量的对象,造成很大的存储开销
3 对象的大多数状态都可变为外部状态
4 如果删除对象的外部状态,那么可以用相对较少的共享对象取代很多组对象
5 应用程序不依赖于对象标识

  1. <?php
  2. abstract class Resources {
  3. public $resource=null;
  4. abstract public function operate();
  5. }
  6. class unShareFlyWeight extends Resources{
  7. public function __construct($resource_str) {
  8. $this->resource = $resource_str;
  9. }
  10. public function operate(){
  11. echo $this->resource."<br>";
  12. }
  13. }
  14. class shareFlyWeight extends Resources{
  15. private $resources = array();
  16. public function get_resource($resource_str){
  17. if(isset($this->resources[$resource_str])) {
  18. return $this->resources[$resource_str];
  19. }else {
  20. return $this->resources[$resource_str] = $resource_str;
  21. }
  22. }
  23. public function operate(){
  24. foreach ($this->resources as $key => $resources) {
  25. echo $key.":".$resources."<br>";
  26. }
  27. }
  28. }
  29. // client
  30. $flyweight = new shareFlyWeight();
  31. $flyweight->get_resource('a');
  32. $flyweight->operate();
  33. $flyweight->get_resource('b');
  34. $flyweight->operate();
  35. $flyweight->get_resource('c');
  36. $flyweight->operate();
  37. // 不共享的对象,单独调用
  38. $uflyweight = new unShareFlyWeight('A');
  39. $uflyweight->operate();
  40. $uflyweight = new unShareFlyWeight('B');
  41. $uflyweight->operate();
  42. /* 输出:
  43. a:a
  44. a:a
  45. b:b
  46. a:a
  47. b:b
  48. c:c
  49. A
  50. B */

Behavioral Patterns(行为模式)

  1. Strategy(策略模式)
    策略模式主要为了让客户类能够更好地使用某些算法而不需要知道其具体的实现。
  1. <?php
  2. interface Strategy { // 抽象策略角色,以接口实现
  3. public function do_method(); // 算法接口
  4. }
  5. class ConcreteStrategyA implements Strategy { // 具体策略角色A
  6. public function do_method() {
  7. echo 'do method A';
  8. }
  9. }
  10. class ConcreteStrategyB implements Strategy { // 具体策略角色B
  11. public function do_method() {
  12. echo 'do method B';
  13. }
  14. }
  15. class ConcreteStrategyC implements Strategy { // 具体策略角色C
  16. public function do_method() {
  17. echo 'do method C';
  18. }
  19. }
  20. class Question{ // 环境角色
  21. private $_strategy;
  22. public function __construct(Strategy $strategy) {
  23. $this->_strategy = $strategy;
  24. }
  25. public function handle_question() {
  26. $this->_strategy->do_method();
  27. }
  28. }
  29. // client
  30. $strategyA = new ConcreteStrategyA();
  31. $question = new Question($strategyA);
  32. $question->handle_question();//输出do method A
  33. $strategyB = new ConcreteStrategyB();
  34. $question = new Question($strategyB);
  35. $question->handle_question();//输出do method B
  36. $strategyC = new ConcreteStrategyC();
  37. $question = new Question($strategyC);
  38. $question->handle_question();//输出do method C
  39. ?>
  1. TemplateMethod(模板方法模式)
    模板模式准备一个抽象类,将部分逻辑以具体方法以及具体构造形式实现,然后声明一些抽象方法来迫使子类实现剩余的逻辑。不同的子类可以以不同的方式实现这些抽象方法,从而对剩余的逻辑有不同的实现。先制定一个顶级逻辑框架,而将逻辑的细节留给具体的子类去实现。
  1. <?php
  2. abstract class AbstractClass { // 抽象模板角色
  3. public function templateMethod() { // 模板方法 调用基本方法组装顶层逻辑
  4. $this->primitiveOperation1();
  5. $this->primitiveOperation2();
  6. }
  7. abstract protected function primitiveOperation1(); // 基本方法
  8. abstract protected function primitiveOperation2();
  9. }
  10. class ConcreteClass extends AbstractClass { // 具体模板角色
  11. protected function primitiveOperation1() {}
  12. protected function primitiveOperation2(){}
  13. }
  14. $class = new ConcreteClass();
  15. $class->templateMethod();
  16. ?>
  1. Observer(观察者模式)
    某个对象可以被设置为是可观察的,只要通过某种方式允许其他对象注册为观察者。每当被观察的对象改变时,会发送信息给观察者。
  1. <?php
  2. interface IObserver{
  3. function onSendMsg( $sender, $args );
  4. function getName();
  5. }
  6. interface IObservable{
  7. function addObserver( $observer );
  8. }
  9. class UserList implements IObservable{
  10. private $_observers = array();
  11. public function sendMsg( $name ){
  12. foreach( $this->_observers as $obs ){
  13. $obs->onSendMsg( $this, $name );
  14. }
  15. }
  16. public function addObserver( $observer ){
  17. $this->_observers[]= $observer;
  18. }
  19. public function removeObserver($observer_name) {
  20. foreach($this->_observers as $index => $observer) {
  21. if ($observer->getName() === $observer_name) {
  22. array_splice($this->_observers, $index, 1);
  23. return;
  24. }
  25. }
  26. }
  27. }
  28. class UserListLogger implements IObserver{
  29. public function onSendMsg( $sender, $args ){
  30. echo( "'$args' send to UserListLogger\n" );
  31. }
  32. public function getName(){
  33. return 'UserListLogger';
  34. }
  35. }
  36. class OtherObserver implements IObserver{
  37. public function onSendMsg( $sender, $args ){
  38. echo( "'$args' send to OtherObserver\n" );
  39. }
  40. public function getName(){
  41. return 'OtherObserver';
  42. }
  43. }
  44. $ul = new UserList();//被观察者
  45. $ul->addObserver( new UserListLogger() );//增加观察者
  46. $ul->addObserver( new OtherObserver() );//增加观察者
  47. $ul->sendMsg( "Jack" );//发送消息到观察者
  48. $ul->removeObserver('UserListLogger');//移除观察者
  49. $ul->sendMsg("hello");//发送消息到观察者
  50. /* 输出:'Jack' send to UserListLogger 'Jack' send to OtherObserver 'hello' send to OtherObserver */
  51. ?>
  1. Iterator(迭代器模式)
    迭代器模式 (Iterator),又叫做游标(Cursor)模式。提供一种方法访问一个容器(Container)对象中各个元素,而又不需暴露该对象的内部细节。

当你需要访问一个聚合对象,而且不管这些对象是什么都需要遍历的时候,就应该考虑使用迭代器模式。另外,当需要对聚集有多种方式遍历时,可以考虑去使用迭代器模式。迭代器模式为遍历不同的聚集结构提供如开始、下一个、是否结束、当前哪一项等统一的接口。

php标准库(SPL)中提供了迭代器接口 Iterator,要实现迭代器模式,实现该接口即可。

  1. <?php
  2. class sample implements Iterator {
  3. private $_items ;
  4. public function __construct(&$data) {
  5. $this->_items = $data;
  6. }
  7. public function current() {
  8. return current($this->_items);
  9. }
  10. public function next() {
  11. next($this->_items);
  12. }
  13. public function key() {
  14. return key($this->_items);
  15. }
  16. public function rewind() {
  17. reset($this->_items);
  18. }
  19. public function valid() {
  20. return ($this->current() !== FALSE);
  21. }
  22. }
  23. // client
  24. $data = array(1, 2, 3, 4, 5);
  25. $sa = new sample($data);
  26. foreach ($sa AS $key => $row) {
  27. echo $key, ' ', $row, '<br />';
  28. }
  29. /* 输出:
  30. 0 1
  31. 1 2
  32. 2 3
  33. 3 4
  34. 4 5 */
  35. //Yii FrameWork Demo
  36. class CMapIterator implements Iterator {
  37. /**
  38. * @var array the data to be iterated through
  39. */
  40. private $_d;
  41. /**
  42. * @var array list of keys in the map
  43. */
  44. private $_keys;
  45. /**
  46. * @var mixed current key
  47. */
  48. private $_key;
  49. /**
  50. * Constructor.
  51. * @param array the data to be iterated through
  52. */
  53. public function __construct(&$data) {
  54. $this->_d=&$data;
  55. $this->_keys=array_keys($data);
  56. }
  57. /**
  58. * Rewinds internal array pointer.
  59. * This method is required by the interface Iterator.
  60. */
  61. public function rewind() {
  62. $this->_key=reset($this->_keys);
  63. }
  64. /**
  65. * Returns the key of the current array element.
  66. * This method is required by the interface Iterator.
  67. * @return mixed the key of the current array element
  68. */
  69. public function key() {
  70. return $this->_key;
  71. }
  72. /**
  73. * Returns the current array element.
  74. * This method is required by the interface Iterator.
  75. * @return mixed the current array element
  76. */
  77. public function current() {
  78. return $this->_d[$this->_key];
  79. }
  80. /**
  81. * Moves the internal pointer to the next array element.
  82. * This method is required by the interface Iterator.
  83. */
  84. public function next() {
  85. $this->_key=next($this->_keys);
  86. }
  87. /**
  88. * Returns whether there is an element at current position.
  89. * This method is required by the interface Iterator.
  90. * @return boolean
  91. */
  92. public function valid() {
  93. return $this->_key!==false;
  94. }
  95. }
  96. $data = array('s1' => 11, 's2' => 22, 's3' => 33);
  97. $it = new CMapIterator($data);
  98. foreach ($it as $row) {
  99. echo $row, '<br />';
  100. }
  101. /* 输出:
  102. 11
  103. 22
  104. 33 */
  105. ?>
  1. ResponsibilityChain(责任链模式)
    这种模式有另一种称呼:控制链模式。它主要由一系列对于某些命令的处理器构成,每个查询会在处理器构成的责任链中传递,在每个交汇点由处理器判断是否需要对它们进行响应与处理。每次的处理程序会在有处理器处理这些请求时暂停。
  1. <?php
  2. abstract class Responsibility { // 抽象责任角色
  3. protected $next; // 下一个责任角色
  4. public function setNext(Responsibility $l) {
  5. $this->next = $l;
  6. return $this;
  7. }
  8. abstract public function operate(); // 操作方法
  9. }
  10. class ResponsibilityA extends Responsibility {
  11. public function __construct() {}
  12. public function operate(){
  13. if (false == is_null($this->next)) {
  14. $this->next->operate();
  15. echo 'Res_A start'."<br>";
  16. }
  17. }
  18. }
  19. class ResponsibilityB extends Responsibility {
  20. public function __construct() {}
  21. public function operate(){
  22. if (false == is_null($this->next)) {
  23. $this->next->operate();
  24. echo 'Res_B start';
  25. }
  26. }
  27. }
  28. $res_a = new ResponsibilityA();
  29. $res_b = new ResponsibilityB();
  30. $res_a->setNext($res_b);
  31. $res_a->operate();//输出:Res_A start
  32. ?>
  1. Command(命令模式)
    命令模式:在软件系统中,“行为请求者”与“行为实现者”通常呈现一种“紧耦合”。但在某些场合,比如要对行为进行“记录、撤销/重做、事务”等处理,这种无法抵御变化的紧耦合是不合适的。在这种情况下,如何将“行为请求者”与“行为实现者”解耦?将一组行为抽象为对象,实现二者之间的松耦合。这就是命令模式。
    角色分析:
    抽象命令:定义命令的接口,声明执行的方法。
    具体命令:命令接口实现对象,是“虚”的实现;通常会持有接收者,并调用接收者的功能来完成命令要执行的操作。
    命令接收者:接收者,真正执行命令的对象。任何类都可能成为一个接收者,只要它能够实现命令要求实现的相应功能。
    控制者:要求命令对象执行请求,通常会持有命令对象,可以持有很多的命令对象。这个是客户端真正触发命令并要求命令执行相应操作的地方,也就是说相当于使用命令对象的入口。
  1. <?php
  2. interface Command { // 命令角色
  3. public function execute(); // 执行方法
  4. }
  5. class ConcreteCommand implements Command { // 具体命令方法
  6. private $_receiver;
  7. public function __construct(Receiver $receiver) {
  8. $this->_receiver = $receiver;
  9. }
  10. public function execute() {
  11. $this->_receiver->action();
  12. }
  13. }
  14. class Receiver { // 接收者角色
  15. private $_name;
  16. public function __construct($name) {
  17. $this->_name = $name;
  18. }
  19. public function action() {
  20. echo 'receive some cmd:'.$this->_name;
  21. }
  22. }
  23. class Invoker { // 请求者角色
  24. private $_command;
  25. public function __construct(Command $command) {
  26. $this->_command = $command;
  27. }
  28. public function action() {
  29. $this->_command->execute();
  30. }
  31. }
  32. $receiver = new Receiver('hello world');
  33. $command = new ConcreteCommand($receiver);
  34. $invoker = new Invoker($command);
  35. $invoker->action();//输出:receive some cmd:hello world
  36. ?>

备忘录模式又叫做快照模式(Snapshot)或 Token 模式,备忘录模式的用意是在不破坏封装性的前提下,捕获一个对象的内部状态,并在该对象之外保存这个状态,这样就可以在合适的时候将该对象恢复到原先保存的状态。

我们在编程的时候,经常需要保存对象的中间状态,当需要的时候,可以恢复到这个状态。比如,我们使用Eclipse进行编程时,假如编写失误(例如不小心误删除了几行代码),我们希望返回删除前的状态,便可以使用Ctrl+Z来进行返回。这时我们便可以使用备忘录模式来实现。
UML:
这里写图片描述
备忘录模式所涉及的角色有三个:备忘录(Memento)角色、发起人(Originator)角色、负责人(Caretaker)角色。

这三个角色的职责分别是:

发起人:记录当前时刻的内部状态,负责定义哪些属于备份范围的状态,负责创建和恢复备忘录数据。
备忘录:负责存储发起人对象的内部状态,在需要的时候提供发起人需要的内部状态。
管理角色:对备忘录进行管理,保存和提供备忘录。

  1. <?php
  2. class Originator { // 发起人(Originator)角色
  3. private $_state;
  4. public function __construct() {
  5. $this->_state = '';
  6. }
  7. public function createMemento() { // 创建备忘录
  8. return new Memento($this->_state);
  9. }
  10. public function restoreMemento(Memento $memento) { // 将发起人恢复到备忘录对象记录的状态上
  11. $this->_state = $memento->getState();
  12. }
  13. public function setState($state) { $this->_state = $state; }
  14. public function getState() { return $this->_state; }
  15. public function showState() {
  16. echo $this->_state;echo "<br>";
  17. }
  18. }
  19. class Memento { // 备忘录(Memento)角色
  20. private $_state;
  21. public function __construct($state) {
  22. $this->setState($state);
  23. }
  24. public function getState() { return $this->_state; }
  25. public function setState($state) { $this->_state = $state;}
  26. }
  27. class Caretaker { // 负责人(Caretaker)角色
  28. private $_memento;
  29. public function getMemento() { return $this->_memento; }
  30. public function setMemento(Memento $memento) { $this->_memento = $memento; }
  31. }
  32. // client
  33. /* 创建目标对象 */
  34. $org = new Originator();
  35. $org->setState('open');
  36. $org->showState();
  37. /* 创建备忘 */
  38. $memento = $org->createMemento();
  39. /* 通过Caretaker保存此备忘 */
  40. $caretaker = new Caretaker();
  41. $caretaker->setMemento($memento);
  42. /* 改变目标对象的状态 */
  43. $org->setState('close');
  44. $org->showState();
  45. $org->restoreMemento($memento);
  46. $org->showState();
  47. /* 改变目标对象的状态 */
  48. $org->setState('close');
  49. $org->showState();
  50. /* 还原操作 */
  51. $org->restoreMemento($caretaker->getMemento());
  52. $org->showState();
  53. /* 输出:
  54. open
  55. close
  56. open
  57. close
  58. open */
  59. ?>
  1. State(状态模式)
    状态模式当一个对象的内在状态改变时允许改变其行为,这个对象看起来像是改变了其类。状态模式主要解决的是当控制一个对象状态的条件表达式过于复杂时的情况。把状态的判断逻辑转移到表示不同状态的一系列类中,可以把复杂的判断逻辑简化。
    UML类图:
    这里写图片描述
    角色:
    上下文环境(Work):它定义了客户程序需要的接口并维护一个具体状态角色的实例,将与状态相关的操作委托给当前的具体对象来处理。
    抽象状态(State):定义一个接口以封装使用上下文环境的的一个特定状态相关的行为。
    具体状态(AmState):实现抽象状态定义的接口。
  1. <?php
  2. interface State { // 抽象状态角色
  3. public function handle(Context $context); // 方法示例
  4. }
  5. class ConcreteStateA implements State { // 具体状态角色A
  6. private static $_instance = null;
  7. private function __construct() {}
  8. public static function getInstance() { // 静态工厂方法,返还此类的唯一实例
  9. if (is_null(self::$_instance)) {
  10. self::$_instance = new ConcreteStateA();
  11. }
  12. return self::$_instance;
  13. }
  14. public function handle(Context $context) {
  15. echo 'concrete_a'."<br>";
  16. $context->setState(ConcreteStateB::getInstance());
  17. }
  18. }
  19. class ConcreteStateB implements State { // 具体状态角色B
  20. private static $_instance = null;
  21. private function __construct() {}
  22. public static function getInstance() {
  23. if (is_null(self::$_instance)) {
  24. self::$_instance = new ConcreteStateB();
  25. }
  26. return self::$_instance;
  27. }
  28. public function handle(Context $context) {
  29. echo 'concrete_b'."<br>";
  30. $context->setState(ConcreteStateA::getInstance());
  31. }
  32. }
  33. class Context { // 环境角色
  34. private $_state;
  35. public function __construct() { // 默认为stateA
  36. $this->_state = ConcreteStateA::getInstance();
  37. }
  38. public function setState(State $state) {
  39. $this->_state = $state;
  40. }
  41. public function request() {
  42. $this->_state->handle($this);
  43. }
  44. }
  45. // client
  46. $context = new Context();
  47. $context->request();
  48. $context->request();
  49. $context->request();
  50. $context->request();
  51. /* 输出:
  52. concrete_a
  53. concrete_b
  54. concrete_a
  55. concrete_b */
  56. ?>
  1. Visitor(访问者模式)
    访问者模式是一种行为型模式,访问者表示一个作用于某对象结构中各元素的操作。它可以在不修改各元素类的前提下定义作用于这些元素的新操作,即动态的增加具体访问者角色。

访问者模式利用了双重分派。先将访问者传入元素对象的Accept方法中,然后元素对象再将自己传入访问者,之后访问者执行元素的相应方法。

主要角色

抽象访问者角色(Visitor):为该对象结构(ObjectStructure)中的每一个具体元素提供一个访问操作接口。该操作接口的名字和参数标识了 要访问的具体元素角色。这样访问者就可以通过该元素角色的特定接口直接访问它。
具体访问者角色(ConcreteVisitor):实现抽象访问者角色接口中针对各个具体元素角色声明的操作。
抽象节点(Node)角色:该接口定义一个accept操作接受具体的访问者。
具体节点(Node)角色:实现抽象节点角色中的accept操作。
对象结构角色(ObjectStructure):这是使用访问者模式必备的角色。它要具备以下特征:能枚举它的元素;可以提供一个高层的接口以允许该访问者访问它的元素;可以是一个复合(组合模式)或是一个集合,如一个列表或一个无序集合(在PHP中我们使用数组代替,因为PHP中的数组本来就是一个可以放置任何类型数据的集合)
适用性

访问者模式多用在聚集类型多样的情况下。在普通的形式下必须判断每个元素是属于什么类型然后进行相应的操作,从而诞生出冗长的条件转移语句。而访问者模式则可以比较好的解决这个问题。对每个元素统一调用element−>accept(vistor)即可。
访问者模式多用于被访问的类结构比较稳定的情况下,即不会随便添加子类。访问者模式允许被访问结构添加新的方法。

  1. <?php
  2. interface Visitor { // 抽象访问者角色
  3. public function visitConcreteElementA(ConcreteElementA $elementA);
  4. public function visitConcreteElementB(concreteElementB $elementB);
  5. }
  6. interface Element { // 抽象节点角色
  7. public function accept(Visitor $visitor);
  8. }
  9. class ConcreteVisitor1 implements Visitor { // 具体的访问者1
  10. public function visitConcreteElementA(ConcreteElementA $elementA) {}
  11. public function visitConcreteElementB(ConcreteElementB $elementB) {}
  12. }
  13. class ConcreteVisitor2 implements Visitor { // 具体的访问者2
  14. public function visitConcreteElementA(ConcreteElementA $elementA) {}
  15. public function visitConcreteElementB(ConcreteElementB $elementB) {}
  16. }
  17. class ConcreteElementA implements Element { // 具体元素A
  18. private $_name;
  19. public function __construct($name) { $this->_name = $name; }
  20. public function getName() { return $this->_name; }
  21. public function accept(Visitor $visitor) { // 接受访问者调用它针对该元素的新方法
  22. $visitor->visitConcreteElementA($this);
  23. }
  24. }
  25. class ConcreteElementB implements Element { // 具体元素B
  26. private $_name;
  27. public function __construct($name) { $this->_name = $name;}
  28. public function getName() { return $this->_name; }
  29. public function accept(Visitor $visitor) { // 接受访问者调用它针对该元素的新方法
  30. $visitor->visitConcreteElementB($this);
  31. }
  32. }
  33. class ObjectStructure { // 对象结构 即元素的集合
  34. private $_collection;
  35. public function __construct() { $this->_collection = array(); }
  36. public function attach(Element $element) {
  37. return array_push($this->_collection, $element);
  38. }
  39. public function detach(Element $element) {
  40. $index = array_search($element, $this->_collection);
  41. if ($index !== FALSE) {
  42. unset($this->_collection[$index]);
  43. }
  44. return $index;
  45. }
  46. public function accept(Visitor $visitor) {
  47. foreach ($this->_collection as $element) {
  48. $element->accept($visitor);
  49. }
  50. }
  51. }
  52. // client
  53. $elementA = new ConcreteElementA("ElementA");
  54. $elementB = new ConcreteElementB("ElementB");
  55. $elementA2 = new ConcreteElementB("ElementA2");
  56. $visitor1 = new ConcreteVisitor1();
  57. $visitor2 = new ConcreteVisitor2();
  58. $os = new ObjectStructure();
  59. $os->attach($elementA);
  60. $os->attach($elementB);
  61. $os->attach($elementA2);
  62. $os->detach($elementA);
  63. $os->accept($visitor1);
  64. $os->accept($visitor2);
  65. ?>
  1. Mediator(中介者模式)
    中介者模式用于开发一个对象,这个对象能够在类似对象相互之间不直接相互的情况下传送或者调解对这些对象的集合的修改。 一般处理具有类似属性,需要保持同步的非耦合对象时,最佳的做法就是中介者模式。PHP中不是特别常用的设计模式。
  1. <?php
  2. abstract class Mediator { // 中介者角色
  3. abstract public function send($message,$colleague);
  4. }
  5. abstract class Colleague { // 抽象对象
  6. private $_mediator = null;
  7. public function __construct($mediator) {
  8. $this->_mediator = $mediator;
  9. }
  10. public function send($message) {
  11. $this->_mediator->send($message,$this);
  12. }
  13. abstract public function notify($message);
  14. }
  15. class ConcreteMediator extends Mediator { // 具体中介者角色
  16. private $_colleague1 = null;
  17. private $_colleague2 = null;
  18. public function send($message,$colleague) {
  19. //echo $colleague->notify($message);
  20. if($colleague == $this->_colleague1) {
  21. $this->_colleague1->notify($message);
  22. } else {
  23. $this->_colleague2->notify($message);
  24. }
  25. }
  26. public function set($colleague1,$colleague2) {
  27. $this->_colleague1 = $colleague1;
  28. $this->_colleague2 = $colleague2;
  29. }
  30. }
  31. class Colleague1 extends Colleague { // 具体对象角色
  32. public function notify($message) {
  33. echo 'colleague1:'.$message."<br>";
  34. }
  35. }
  36. class Colleague2 extends Colleague { // 具体对象角色
  37. public function notify($message) {
  38. echo 'colleague2:'.$message."<br>";
  39. }
  40. }
  41. // client
  42. $objMediator = new ConcreteMediator();
  43. $objC1 = new Colleague1($objMediator);
  44. $objC2 = new Colleague2($objMediator);
  45. $objMediator->set($objC1,$objC2);
  46. $objC1->send("to c2 from c1"); //输出:colleague1:to c2 from c1
  47. $objC2->send("to c1 from c2"); //输出:colleague2:to c1 from c2
  48. ?>
  1. Interpreter(解释器模式)
    给定一个语言, 定义它的文法的一种表示,并定义一个解释器,该解释器使用该表示来解释语言中的句子。
    角色:
    环境角色(PlayContent):定义解释规则的全局信息。
    抽象解释器(Empress):定义了部分解释具体实现,封装了一些由具体解释器实现的接口。
    具体解释器(MusicNote):实现抽象解释器的接口,进行具体的解释执行。
  1. <?php
  2. class Expression { //抽象表示
  3. function interpreter($str) {
  4. return $str;
  5. }
  6. }
  7. class ExpressionNum extends Expression { //表示数字
  8. function interpreter($str) {
  9. switch($str) {
  10. case "0": return "零";
  11. case "1": return "一";
  12. case "2": return "二";
  13. case "3": return "三";
  14. case "4": return "四";
  15. case "5": return "五";
  16. case "6": return "六";
  17. case "7": return "七";
  18. case "8": return "八";
  19. case "9": return "九";
  20. }
  21. }
  22. }
  23. class ExpressionCharater extends Expression { //表示字符
  24. function interpreter($str) {
  25. return strtoupper($str);
  26. }
  27. }
  28. class Interpreter { //解释器
  29. function execute($string) {
  30. $expression = null;
  31. for($i = 0;$i<strlen($string);$i++) {
  32. $temp = $string[$i];
  33. switch(true) {
  34. case is_numeric($temp): $expression = new ExpressionNum(); break;
  35. default: $expression = new ExpressionCharater();
  36. }
  37. echo $expression->interpreter($temp);
  38. echo "<br>";
  39. }
  40. }
  41. }
  42. //client
  43. $obj = new Interpreter();
  44. $obj->execute("123s45abc");
  45. /* 输出:
  46. S
  47. A
  48. B
  49. C */
  50. ?>

分类: web

标签:   php