设计模式之- 装饰模式(Decorator Pattern)

在看java的io类设计的时候看到了其中对于FileInputStream,BufferedInputStream以及相关io包装类的设计,想起来设计模式里面还有这么重要的一个类,特来此用C++也总结一下。

装饰器模式


一般有两种方式可以实现给一个类或对象增加行为:
1. 继承机制,使用继承机制是给现有类添加功能的一种有效途径,通过继承一个现有类可以使得子类在拥有自身方法的同时还拥有父类的方法。但是这种方法是静态的,用户不能控制增加行为的方式和时机。
2. 关联机制,即将一个类的对象嵌入另一个对象中,由另一个对象来决定是否调用嵌入对象的行为以便扩展自己的行为,我们称这个嵌入的对象为装饰器(Decorator)
装饰模式以对客户透明的方式动态地给一个对象附加上更多的责任,换言之,客户端并不会觉得对象在装饰前和装饰后有什么不同。装饰模式可以在不需要创造更多子类的情况下,将对象的功能加以扩展。这就是装饰模式的模式动机。

装饰器模式(Decorator Pattern)允许向一个现有的对象添加新的功能,同时又不改变其结构。这种类型的设计模式属于结构型模式,它是作为现有的类的一个包装。
这种模式创建了一个装饰类,用来包装原有的类,并在保持类方法签名完整性的前提下,提供了额外的功能。
 
C++实现代码:
#include <iostream>
using namespace std;


class Component {
public:
     virtual void Operation() = 0;
};


class ConcreteComponent : public Component {
public:
    void Operation() {
        cout<<"I am no decoratored ConcreteComponent"<<endl;
    }
};


class Decorator : public Component {
public:
    Decorator(Component *pComponent) : m_pComponentObj(pComponent) {}
    void Operation() {
        if (m_pComponentObj != NULL) {
            m_pComponentObj->Operation();
        }
    }
protected:
     Component *m_pComponentObj;//这个组合十分关键,使得装饰类能够扩展功能!
};



class ConcreteDecoratorA : public Decorator {
public:
    ConcreteDecoratorA(Component *pDecorator) : Decorator(pDecorator){}
    void Operation() {
        AddedBehavior();
        Decorator::Operation();
    }
    void  AddedBehavior() {
        cout<<"This is added behavior A."<<endl;
    }
};


class ConcreteDecoratorB : public Decorator {
public:
    ConcreteDecoratorB(Component *pDecorator) : Decorator(pDecorator){}
    void Operation() {
        AddedBehavior();
        Decorator::Operation();
    }
    void  AddedBehavior() {
        cout<<"This is added behavior B."<<endl;
    }
};


int main(int argc, char** argv) {
     Component *pComponentObj = new ConcreteComponent();
     Decorator *pDecoratorAOjb = new ConcreteDecoratorA(pComponentObj);
     pDecoratorAOjb->Operation();
     cout<<"============================================="<<endl;
     Decorator *pDecoratorBOjb = new ConcreteDecoratorB(pComponentObj);
     pDecoratorBOjb->Operation();
     cout<<"============================================="<<endl;
     Decorator *pDecoratorBAOjb = new ConcreteDecoratorB(pDecoratorAOjb);
     pDecoratorBAOjb->Operation();
     cout<<"============================================="<<endl;
}

类图:

../_images/Decorator.jpg

设计模式的学习真的是需要理论结合实际进行的,单看定义什么的很难记住,只要有一些实际的应用能想到就很难忘记这些经典的模式。

猜你喜欢

转载自www.cnblogs.com/J1ac/p/9721121.html