策略模式

 

  在软件开发中也常常遇到类似的情况,实现某一个功能有多种算法或者策略,我们可以根据环境或者条件的不同选择不同的算法或者策略来完成该功能。
如查找、排序等,一种常用的方法是硬编码(Hard Coding)在一个类中,如需要提供多种查找算法,可以将这些算法写到一个类中,在该类中提供多个方法,每一个方法对应一个具体的查找算法;
当然也可以将这些查找算法封装在一个统一的方法中,通过if…else…或者case等条件判断语句来进行选择。这两种实现方法我们都可以称之为硬编码,

如果需要增加一种新的查找算法,需要修改封装算法类的源代码;更换查找算法,也需要修改客户端调用代码。
在这个算法类中封装了大量查找算法,该类代码将较复杂,维护较为困难。
如果我们将这些策略包含在客户端,这种做法更不可取,将导致客户端程序庞大而且难以维护,如果存在大量可供选择的算法时问题将变得更加严重。

策略模式(Strategy),又叫算法簇模式,就是定义了不同的算法族,并且之间可以互相替换,此模式让算法的变化独立于使用算法的客户。

 

 

 1 <?php
 2 
 3 /**
 4  * 这个模式有点类似依赖注入
 5  */
 6 
 7 /**
 8  * 策略接口
 9  */
10 interface Strategy
11 {
12     public function doOperation($num1, $num2);
13 }
14 
15 /**
16  * 加法策略
17  */
18 class Add implements Strategy
19 {
20     public function doOperation($num1, $num2)
21     {
22         return $num1 + $num2;
23     }
24 }
25 
26 /**
27  * 减法策略
28  */
29 class Substract implements Strategy
30 {
31     public function doOperation($num1, $num2)
32     {
33         return $num1 - $num2;
34     }
35 }
36 
37 /**
38  * 乘法策略
39  */
40 class Multiply implements Strategy
41 {
42     public function doOperation($num1, $num2)
43     {
44         return $num1 * $num2;
45     }
46 }
47 
48 
49 
50 /**
51  * 具体使用策略的类
52  */
53 class Number
54 {
55     private $_strategy;
56 
57     public function __construct($strategy)
58     {
59         $this->_strategy = $strategy;
60     }
61 
62     public function execute($num1, $num2)
63     {
64         return $this->_strategy->doOperation($num1, $num2);
65     }
66 }
67 
68 
69 
70 
71 $n = new Number(new Add());
72 print $n->execute(1, 5);
73 
74 echo "<br/>";
75 
76 $n1 = new Number(new Multiply());
77 echo $n1->execute(2, 6);
View Code

 

posted @ 2017-01-09 13:35  _logan  阅读(112)  评论(0编辑  收藏  举报