标签:统一 cout 操作 实现 没有 对象 targe 海洋 面向对象
在实际开发时,你有没有碰到过这种问题;开发一个类,封装了一个对象的核心操作,而这些操作就是客户使用该类时都会去调用的操作;而有一些非核心的操作,可能会使用,也可能不会使用;现在该怎么办呢?
装饰模式能够实现动态的为对象添加功能,是从一个对象外部来给对象添加功能。通常给对象添加功能,要么直接修改对象添加相应的功能,要么派生对应的子类来扩展,抑或是使用对象组合的方式。显然,直接修改对应的类这种方式并不可取。在面向对象的设计中,而我们也应该尽量使用对象组合,而不是对象继承来扩展和复用功能。装饰器模式就是基于对象组合的方式,可以很灵活的给对象添加所需要的功能。装饰器模式的本质就是动态组合。动态是手段,组合才是目的。总之,装饰模式是通过把复杂的功能简单化,分散化,然后再运行期间,根据需要来动态组合的这样一个模式。它使得我们可以给某个对象而不是整个类添加一些功能。
Component:定义一个对象接口,可以给这些对象动态地添加职责;
ConcreteComponent:定义一个具体的Component,继承自Component,重写了Component类的虚函数;
Decorator:维持一个指向Component对象的指针,该指针指向需要被装饰的对象;并定义一个与Component接口一致的接口;
ConcreteDecorator:向组件添加职责。
代码实现:
#include <iostream> using namespace std; class Component { public: virtual void Operation() = 0; }; class ConcreteComponent : public Component { public: ConcreteComponent() { cout <<" ConcreteComponent "<< endl; } void Operation() { cout<<"I am no decoratored ConcreteComponent"<<endl; } }; class Decorator : public Component { public: Decorator(Component *pComponent) : m_pComponentObj(pComponent) { cout << " Decorator "<<endl; } void Operation() { if (m_pComponentObj != NULL) { m_pComponentObj->Operation(); } } protected: Component *m_pComponentObj; }; class ConcreteDecoratorA : public Decorator { public: ConcreteDecoratorA(Component *pDecorator) : Decorator(pDecorator) { cout << " ConcreteDecoratorA "<<endl; } void Operation() { AddedBehavior(); Decorator::Operation(); } void AddedBehavior() { cout<<"This is added behavior A."<<endl; } }; class ConcreteDecoratorB : public Decorator { public: ConcreteDecoratorB(Component *pDecorator) : Decorator(pDecorator) { cout << " ConcreteDecoratorB "<<endl; } void Operation() { AddedBehavior(); Decorator::Operation(); } void AddedBehavior() { cout<<"This is added behavior B."<<endl; } }; int main() { 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; delete pDecoratorBAOjb; pDecoratorBAOjb = NULL; delete pDecoratorBOjb; pDecoratorBOjb = NULL; delete pDecoratorAOjb; pDecoratorAOjb = NULL; delete pComponentObj; pComponentObj = NULL; }
C++设计模式——桥接模式与装饰模式都是为了防止过度的继承,从而造成子类泛滥的情况。那么二者之间的主要区别是什么呢?桥接模式的定义是将抽象化与实现化分离(用组合的方式而不是继承的方式),使得两者可以独立变化。可以减少派生类的增长。如果光从这一点来看的话,和装饰者差不多,但两者还是有一些比较重要的区别:
标签:统一 cout 操作 实现 没有 对象 targe 海洋 面向对象
原文地址:http://www.cnblogs.com/wujing-hubei/p/6285555.html