装饰模式的定义是:装饰模式又名包装(Wrapper)模式。装饰模式以对客户端透明的方式扩展对象的功能,是继承关系的一个替代方案。
装饰模式的主要目的是动态地给对象添加一些额外的职责。它的类图如下:
举例说明如下:
规定接口:
public interface Component{
public void method();
}
被装饰类:
public class ConcreateComponent implements Component{
@Override
public void method() {
System.out.println("被装饰类实现的方法");
}
}
装饰角色:
public class Decorator implements Component{
private Component component;
public Decorator(Component component){
this.component = component;
}
@Override
public void sampleOperation() {
// 委派给构件
component.sampleOperation();
}
}
具体装饰类:
class ConcreateDecorator implements Component{
private Component component;
public ConcreateDecorator(Component component) {
this.component = component;
}
@Override
public void method() {
this.component.method();
//自定义代码
}
}
测试类:
public class Test {
public static void main(String[] args) {
ConcreateDecorator cd = new ConcreateDecorator(new ConcreateComponent());
cd.method();
}
}
这样你就将ConcreateComponent 类包装为ConcreateDecorator 类,并且在其method方法中扩展了自己的相关代码。
其实在Java的java.io包中就使用了装饰模式,如图:
![E2JO04}U7COX2SVRM]XB64X.png](http://upload-images.jianshu.io/upload_images/5700787-8768af4eb530c715.png?imageMogr2/auto-orient/strip%7CimageView2/2/w/1240)
我们经常写的代码:
public class Test {
public static void main(String[] args) {
try {
BufferedInputStream bfin = new BufferedInputStream(new FileInputStream("asd"));
} catch (Exception e) {
e.printStackTrace();
}
}
}
其实就是将FileInputStream包装成BufferedInputStream 。
装饰模式的优点
(1)装饰模式与继承关系的目的都是要扩展对象的功能,但是装饰模式可以提供比继承更多的灵活性。装饰模式允许系统动态决定“贴上”一个需要的“装饰”,或者除掉一个不需要的“装饰”。继承关系则不同,继承关系是静态的,它在系统运行前就决定了。
(2)通过使用不同的具体装饰类以及这些装饰类的排列组合,设计师可以创造出很多不同行为的组合。
装饰模式的缺点
产生过多相似的对象,不易排错!