php设计模式之观察者模式实例详解【星际争霸游戏案例】

本文实例讲述了php设计模式之观察者模式,分享给大家供大家参考,具体如下:

当我们在星际中开地图和几家电脑作战的时候,电脑的几个玩家相当于结盟,一旦我们出兵进攻某一家电脑,其余的电脑会出兵救援。

那么如何让各家电脑知道自己的盟友被攻击了呢?并且自动做出反应?

待解决的问题:一旦某个电脑被我们进攻,其他电脑就获知,并且自动出兵救援。

思路:为电脑设置一些额外的观察系统,由他们去通知其他电脑。

观察者(Observer)模式示例:

  1. <?php
  2. //抽象的结盟类
  3. abstract class abstractAlly
  4. {
  5. //放置观察者的集合,这里以简单的数组来直观演示
  6. public $oberserverCollection;
  7. //增加观察者的方法,参数为观察者(也是玩家)的名称
  8. public function addOberserver($oberserverName)
  9. {
  10. //以元素的方式将观察者对象放入观察者的集合
  11. $this->oberserverCollection[] = new oberserver($oberserverName);
  12. }
  13. //将被攻击的电脑的名字通知各个观察者
  14. public function notify($beAttackedPlayerName)
  15. {
  16. //把观察者的集合循环
  17. foreach ($this->oberserverCollection as $oberserver)
  18. {
  19. //调用各个观察者的救援函数,参数为被攻击的电脑的名字,if用来排除被攻击的电脑的观察者
  20. if($oberserver->name != $beAttackedPlayerName)
  21. {
  22. $oberserver->help($beAttackedPlayerName);
  23. }
  24. }
  25. }
  26. abstract public function beAttacked($beAttackedPlayer);
  27. }
  28. //具体的结盟类
  29. class Ally extends abstractAlly
  30. {
  31. //构造函数,将所有电脑玩家的名称的数组作为参数
  32. public function __construct($allPlayerName)
  33. {
  34. //把所有电脑玩家的数组循环
  35. foreach ($allPlayerName as $playerName)
  36. {
  37. //增加观察者,参数为各个电脑玩家的名称
  38. $this->addOberserver($playerName);
  39. }
  40. }
  41. //将被攻击的电脑的名字通知各个观察者
  42. public function beAttacked($beAttackedPlayerName)
  43. {
  44. //调用各个观察者的救援函数,参数为被攻击的电脑的名字,if用来排除被攻击的电脑的观察者
  45. $this->notify($beAttackedPlayerName);
  46. }
  47. }
  48. //观察者的接口
  49. interface Ioberserver
  50. {
  51. //定义规范救援方法
  52. function help($beAttackedPlayer);
  53. }
  54. //具体的观察者类
  55. class oberserver implements Ioberserver
  56. {
  57. //观察者(也是玩家)对象的名字
  58. public $name;
  59. //构造函数,参数为观察者(也是玩家)的名称
  60. public function __construct($name)
  61. {
  62. $this->name = $name;
  63. }
  64. //观察者进行救援的方法
  65. public help($beAttackedPlayerName)
  66. {
  67. //这里简单的输出,谁去救谁,最后加一个换行,便于显示
  68. echo $this->name." help ".$beAttackedPlayerName."<br>";
  69. }
  70. abstract public function beAttacked($beAttackedPlayer);
  71. }
  72. //假设我一对三,两家虫族,一家神族
  73. $allComputePlayer = array('Zerg1', 'Protoss2', 'Zerg2');
  74. //新建电脑结盟
  75. $Ally = new Ally($allComputePlayer);
  76. //假设我进攻了第二个虫族
  77. $Ally->beAttacked('Zerg2');
  78. ?>

用途总结:观察者模式可以将某个状态的变化立即通知所有相关的对象,并调用对方的处理方法。

实现总结:需要一个观察者类来处理变化,被观察的对象需要实现通知所有观察者的方法。