装饰模式
装饰模式是在不必改变原类文件和使用继承的情况下,动态地扩展一个对象的功能。它是通过创建一个包装对象,也就是装饰来包裹真实的对象。
#pragma once
#include <iostream>
#include <Windows.h>
using namespace std;
//穿衣服虚基类
class Wear_clothes
{
public:
virtual void Action() = 0;
};
//穿衣服装饰类
class Decorate : public Wear_clothes
{
public:
Decorate():clothes(0){}
virtual void Action()
{
if(clothes != NULL)
clothes->Action();
}
void addClothes(Wear_clothes* clothes)
{
if(this->clothes != clothes)
this->clothes = clothes;
}
protected:
Wear_clothes* clothes;
};
//具体的装饰(穿体恤)
class Wear_T_shirt : public Decorate
{
public:
virtual void Action()
{
cout << "穿体恤" << endl;
Decorate::Action();
}
};
//具体的装饰(穿裤子)
class Wear_Trousers : public Decorate
{
public:
virtual void Action()
{
cout << "穿裤子" << endl;
Decorate::Action();
}
};
//具体的装饰(穿裙子)
class Wear_Skirt : public Decorate
{
public:
virtual void Action()
{
cout << "穿裙子" << endl;
Decorate::Action();
}
};
int main()
{
// 第一套穿法
cout << "男生穿衣服:" << endl;
// 裤子
Wear_Trousers* trousers = new Wear_Trousers;
// 再穿体恤
trousers->addClothes(new Wear_T_shirt);
trousers->Action();
// 第二套穿法
cout << endl;
cout << "女生穿衣服:" << endl;
// 裙子
Wear_Skirt* skirt = new Wear_Skirt;
// 再穿体恤
skirt->addClothes(new Wear_T_shirt);
skirt->Action();
//潮人穿法
cout << endl;
cout << "潮人穿衣服:" << endl;
Wear_Skirt* supper_skirt = new Wear_Skirt;
Wear_Trousers* supper_trousers = new Wear_Trousers;
Wear_T_shirt* supper_t_shirt = new Wear_T_shirt;
supper_t_shirt->addClothes(supper_trousers);
supper_trousers->addClothes(supper_skirt);
supper_t_shirt->Action();
system("pause");
return 1;
}
优点
- Decorator模式与继承关系的目的都是要扩展对象的功能,但是Decorator可以提供比继承更多的灵活性。
- 通过使用不同的具体装饰类以及这些装饰类的排列组合,设计师可以创造出很多不同行为的组合。
缺点
- 这种比继承更加灵活机动的特性,也同时意味着更加多的复杂性。
- 装饰模式会导致设计中出现许多小类,如果过度使用,会使程序变得很复杂。