美文网首页
再说设计模式-装饰模式

再说设计模式-装饰模式

作者: oneape15 | 来源:发表于2019-03-06 11:10 被阅读10次

    定义

    装饰模式(Decorator Pattern)的定义如下:

    Attach additional responsibilities to an object dynamically keeping the same interface. Decorators provide a flexible alternative to subclassing for extending functionality.
    动态地给一个对象添加一些额外的职责。就增加功能来说,装饰模式相比生成子类更为灵活。

    装饰械的通用类图如下:


    装饰模式的通用类图

    在类图中,有四个角色需要说明:

    • Component抽象构件
      Component是一个接口或者是抽象类,就是定义我们最核心的对象,也就是最原始的对象。
    • ConcreteComponent具体构件
      ConcreteComponent是最核心、最原始、最基本的接口或抽象类的实现,你要装饰的就是它。
    • Decorator装饰角色
      一般是一个抽象类,实现接口或者抽象方法,它里面可不一定有抽象的方法,在它的属性里必然有一个private变量指向Component抽象构件。
    • 具体装饰角色
      你要把你最核心的,最原始的、最基本的东西装饰成其他东西。

    抽象构件代码:

    public abstract class Component {
      // 抽象的方法
      public abstract void operate();
    }
    

    具体构件

    public class ConcreteComponent extends Component {
      // 具体实现
      @Override
      public void operate() {
        System.out.println("do something");
      }
    }
    

    装饰角色通常是一个抽象类,代码如下:

    public abstract class Decorator extends Component {
      private Component component = null;
      // 通过构造函数传递被修饰者
      public Decorator(Component _component) {
        this.component = _component;
      }
    
      //  委托给被修饰者执行
      @Override
      public void operate() {
        this.component.operate();
      }
    }
    

    具体的装饰类:

    public class ConcreteDecorator1 extends Decorator {
      // 定义被修饰者
      public ConcreteDecorator1(Component _component) {
        super(_component);
      }
      // 定义自己的修饰方法
      private void method1() {
        System.out.println("method1 修饰");
      }
    
      // 重写父类的Operatio方法
      public void operate() {
        this.method();
        super.operate();
      }
    }
    

    场景类:

    public class Client {
        public static void main(String[] args) {
          Component component = new ConcreteComponent();
          // 第一次修饰
          component = new ConcreteDecorator1(component);
          // 第二次修饰
          component = new ConcreteDecorator2(component);
          // 修饰后运行
          component.operate();
        }
    }
    

    优点

    • 装饰类和被装饰类可以独立发展,而不会相互耦合;
    • 装饰类是继承关系的一个替代方案;
    • 装饰模式可以动态地扩展一个实现类的功能;

    缺点

    多层的装饰是比较复杂的。
    为什么会复杂?
    就如剥洋葱一样,你剥到最后才发现,是最里层的装饰出现了问题。
    因此,尽量减少装饰类的数量,以便降低系统的复杂度。

    使用场景

    • 需要扩展一个类的功能,或给一个类增加附加功能。
    • 需要动态地给一个对象增加功能,这些功能可以再动态地撤销。
    • 需要为一批的兄弟类进行改装或加装功能,当然是首选装饰模式。

    相关文章

      网友评论

          本文标题:再说设计模式-装饰模式

          本文链接:https://www.haomeiwen.com/subject/spwzuqtx.html