Decorator(也称Wrapper) 属于对象结构型模式。
1. 意图:动态地给一个对象添加一些额外的职责。
2. 动机:我们有时候只是希望给某个对象而不是整个类添加一些功能。
3. 适用性: 在不影响其他对象的情况下,以动态、透明的方式给单个对象添加职责。
4. 优点:
a 比静态继承更灵活
b 避免在层次结构高的类有太多的特征
5. 缺点:
a Decorator 与 Component 不一样,Decorator是一个透明的包装
b 产生许多小对象
6. 结构:
7. 代码实例:
以手机为例,手机属于通讯工具,最基本的功能就是打电话(voice call)。手机又有feature phone 和 smart phone,但是我们时候会需要打vedio call,或者 meeting call等等扩展功能。
public abstract class CommunicationTool {
private static final String DESCRIPTION = "make a call through communication tool";
public String getDescription() {
return DESCRIPTION;
}
public abstract void call();
}
public abstract class Decorator extends CommunicationTool {
public abstract String getDescription();
}
public class SmartPhone extends CommunicationTool {
public void call() {
System.out.println("make a call from smart phone");
}
}
public class VedioDecorator extends Decorator {
private CommunicationTool mDecorator;
private static final String DESCRIPTION = "a vedio call";
public VedioDecorator(CommunicationTool mDecorator) {
super();
this.mDecorator = mDecorator;
}
public void call() {
mDecorator.call();
makeVedioCall();
}
private void makeVedioCall() {
System.out.println(DESCRIPTION);
}
@Override
public String getDescription() {
return DESCRIPTION;
}
}
public class MeetingDecorator extends Decorator {
private static final String DESCRIPTION = "a meeting call";
private CommunicationTool mDecorator;
public MeetingDecorator (CommunicationTool decorator) {
mDecorator = decorator;
}
@Override
public String getDescription() {
return DESCRIPTION;
}
@Override
public void call() {
mDecorator.call();
makeMeetingCall();
}
private void makeMeetingCall() {
System.out.println(DESCRIPTION);
}
}
public class TestMachine {
public static void main(String[] args) {
CommunicationTool mPhone = new SmartPhone();
Decorator mDecorator = new VedioDecorator(mPhone);
mDecorator = new MeetingDecorator(mDecorator);
mDecorator.call();
}
}
8. 真实案例:
a 许多面向对象的用户界面工具使用装饰为窗口组件添加图形修饰
b Java I/O,FileInputStream BufferedInputStream LineNumberInputStream
9. 相关模式:
Adapter模式:Decorator模式不同于Adapter模式,因为装饰仅改变对象的职责而不改变它的借口;而适配器模式给对象一个全新的接口。
Composite模式:可以将装饰视为一个退化的、仅有一个组件的组合,而装饰的目的不在于对象的聚集。
Strategy模式:用一个装饰你可以改变对象的外表;而Strategy模式使得你可以改变对象的内核。
10. 相关设计原则: 开放--关闭原则
类应该对扩展开放,对修改关闭