修饰模式,是面向对象编程领域中,一种动态地往一个类中添加新的行为的设计模式。就功能而言,修饰模式相比生成子类更为灵活,这样可以给某个对象而不是整个类添加一些功能。将所有的功能建立在继承体系上会导致系统中的类越来越多,而且当你又要修改他们的分支的时候,可能还会出现重复代码
概念
扩展一个类一般可以使用继承或者组合的形式。使用继承的方式扩展时,随着基类子类的增多,以及子类的子类出现,继而出现了代码的无限制膨胀,增加了系统的复杂性。而使用装饰者模式既继承又引用,能动态扩展类的一些功能,减少了继承数量。
装饰器模式(Decorator),可以动态地添加修改类的功能
一个类提供了一项功能,如果要在修改并添加额外的功能,传统的编程模式,需要写一个子类继承它,并重新实现类的方法
使用装饰器模式,仅需在运行时添加一个装饰器对象即可实现,可以实现最大的灵活性。
实现方式
实现一个装饰器的基类
1 2 3 4 5 6 7 8 9
| interface DrawDecorator { function beforeDraw();
function afterDraw(); }
|
实现一个颜色装饰器
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23
| class ColorDrawDecorator implements DrawDecorator { protected $color;
function __construct($color = 'red') { $this->color = $color; }
function beforeDraw() { echo "<div style='color: {$this->color};'>"; }
function afterDraw() { echo "</div>"; } }
|
实现画板的类
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76
| class Canvas { public $data;
protected $decorators = array();
function init($width = 20, $height = 10) { $data = array(); for($i = 0; $i < $height; $i++) { for($j = 0; $j < $width; $j++) { $data[$i][$j] = '*'; } } $this->data = $data; }
function addDecorator(DrawDecorator $decorator) { $this->decorators[] = $decorator; }
function beforeDraw() { foreach($this->decorators as $decorator) { $decorator->beforeDraw(); } }
function afterDraw() { $decorators = array_reverse($this->decorators); foreach($decorators as $decorator) { $decorator->afterDraw(); } }
function draw() { $this->beforeDraw(); foreach($this->data as $line) { foreach($line as $char) { echo $char; } echo "<br />\n"; } $this->afterDraw(); }
function rect($a1, $a2, $b1, $b2) { foreach($this->data as $k1 => $line) { if ($k1 < $a1 or $k1 > $a2) continue; foreach($line as $k2 => $char) { if ($k2 < $b1 or $k2 > $b2) continue; $this->data[$k1][$k2] = ' '; } } } }
|
调用
1 2 3 4 5 6 7 8
| $canvas = new Canvas();
$canvas->addDecorator(new ColorDrawDecorator('green')); $canvas->init(40, 20);
$canvas->rect(4,15,9,30); $canvas->draw();
|