首先介绍三个重要原则:
装饰模式:动态地给一个对象添加一些额外的职责,就增加功能来说,装饰模式比生成子类更灵活是为已有功能动态地添加更多功能的一种方式。
什么时候用它?
向旧类中添加新代码,新加的代码通常装饰原有类的核心职责或主要行为。
优点:把类中的装饰功能从类中搬移去除,这样简化原有的类。有效地把类的核心职责和装饰功能区分开了,而且可以去除相关类中重复的装饰逻辑。
1. 类图如下:其中
2. 如果只有一个ConcreteComponent类而没有Component类,则Decorator类可以直接继承ConcreteComponent类。
3. 如果只有一个ConcreteDecorator类,可以直接把Decrator类与ConcreteDecorator类合为一起。
例子:模拟qq扮靓,注意衣服搭配的顺序可以不同,采用上述第二个类图,无Component类
代码如下:
ConcreteComponent, Person类
package cn.edu.tju.decoratorPattern; //无componet类,只有concreteComponent类Person,让Decorator类直接集成ConcreteComponent类 public class Person { private String name; public Person(){}; public Person(String name){ this.name = name; } public void show(){ System.out.println("装扮人物: " + name); } }
Decorator, Finery类
package cn.edu.tju.decoratorPattern; //Decorator类 public class Finery extends Person{ private Person component;//注意 public void decorate(Person component){ this.component = component; } public void show(){ component.show(); } }
ConcreteDecoratorA, TShirts类
package cn.edu.tju.decoratorPattern; //ConcreteDecorator类 public class TShirts extends Finery{ public void show(){ System.out.print("大T恤 "); super.show(); } }
ConcreteDecoratorB, BigTrouser类
package cn.edu.tju.decoratorPattern; //ConcreteDecorator类 public class BigTrouser extends Finery{ public void show(){ System.out.print("垮裤 "); super.show(); } }
ConcreteDecoratorC, Sneaker类
package cn.edu.tju.decoratorPattern; //ConcreteDecorator类 public class Sneaker extends Finery{ public void show(){ System.out.print("破球鞋 "); super.show(); } }
ConcreteDecoratorD, Suit类
package cn.edu.tju.decoratorPattern; //ConcreteDecorator类 public class Suit extends Finery{ public void show(){ System.out.print("西装 "); super.show(); } }
测试类,Test
package cn.edu.tju.decoratorPattern; public class Test { public static void main(String[] args){ Person harry = new Person("harry"); System.out.println("第一种装扮:"); Sneaker sneaker = new Sneaker();//破球鞋 BigTrouser bTrouser = new BigTrouser();//垮裤 TShirts tShirt = new TShirts();//大T恤 tShirt.decorate(harry);//按T恤、破球鞋、垮裤的顺序穿,顺序很重要,如裤头外穿则成了superman bTrouser.decorate(tShirt); sneaker.decorate(bTrouser); sneaker.show(); System.out.println("第二种装扮:"); Suit suit = new Suit();//西装 suit.decorate(harry); suit.show(); } }