装饰模式是指在不必改变原类文件和使用继承的情况下,动态地扩展一个对象的功能。通过创建一个包装对象,也就是装饰来包裹真实的对象。装饰模式中的装饰对象和真实对象有相同的接口。这样客户端对象就能以和真实对象相同的方式和装饰对象交互,同时装饰对象包含一个真实对象的引用(reference),装饰对象接受所有来自客户端的请求。它把这些请求转发给真实的对象。 装饰模式与继承都可以要扩展对象的功能,但是装饰模式可以提供比继承更多的灵活性。 通过使用不同的具体装饰类以及这些装饰类的排列组合,可以创造出很多不同行为的组合。
基础设计
单纯的看概念有点单调,看一张经典的装饰模式的UML类图:
Component:定义ConcreteComponent和Decorator类要实现的方法,装饰对象和真实对象的之间的通信就是通过Component实现;
ConcreteComponent:真实对象,使用ConcreteComponent的派生类提供核心功能,与Decorator是同一级别;
Decorator:具有特定装饰功能的类,用来装饰ConcreteComponent类,具体的装饰子类通过继承Decorator实现;
关于整体的轮廓有了一个大概的了解,我们可以通过生活的例子来模拟装饰模式,关于房子,有商业住宅和民用住宅,买了房子我们需要装修,桌子,椅子必不可少,我们最终需要算一下总费用,思考几秒可以看下面具体实现;
功能实现
设计基础类House和协议:
@protocol HouseDelegate@optional-(double)totalMoney;@end@interface House : NSObject -(NSString *)detialInfo;@end
House的子类CommercialHouse,被装饰对象:
@implementation CommercialHouse-(double)totalMoney{ return 360000.89;}-(NSString *)detialInfo{ return [NSString stringWithFormat:@"商业住宅"];}@end
装饰对象的基类HouseDecorator,这里需要保持一个对被装饰对象的引用:
@interface HouseDecorator : House-(instancetype)initWithHouse:(House *)house;@property (strong,nonatomic) House *house;@end
@implementation HouseDecorator-(instancetype)initWithHouse:(House *)house{ self=[super init]; if (self) { self.house=house; } return self;}@end
装饰对象TableDecorator:
@implementation TableDecorator-(double)totalMoney{ return self.house.totalMoney+10;}-(NSString *)detialInfo{ return [NSString stringWithFormat:@"%@--桌子",self.house.detialInfo];}@end
装饰对象ChairDecorator:
@implementation ChairDecorator-(double)totalMoney{ return self.house.totalMoney+100;}-(NSString *)detialInfo{ return [NSString stringWithFormat:@"%@--椅子",self.house.detialInfo];}@end
回到最初的总费用问题,我们看下结果:
House *house=[[CommercialHouse alloc]init]; house=[[TableDecorator alloc]initWithHouse:house]; house=[[ChairDecorator alloc]initWithHouse:house]; NSLog(@"房子价格:%f", [house totalMoney]); NSLog(@"房子详情:%@",[house detialInfo]); NSLog(@"博客园-FlyElephant"); NSLog(@"http://www.cnblogs.com/xiaofeixiang/");
桌子椅子的价格是可以动态变化的,桌子椅子的数量的也是不确定的,从这些角度看例子稍微有点勉强,不过大概功能设计实现大同小异,万变不离其宗,相信大家会对装饰模式有自己独到的见解~