首先介绍三个重要原则:
- 依赖倒转原则:高层模块不应该依赖于底层模块;两者都应该依赖与抽象。抽象不应该依赖于细节,细节应该依赖抽象。
- 里氏替换原则:子类型必须能够替换掉他们的父类型。 如:Animal animal = new cat(); animal.eat(); animal.drink(); animal.run();
- 单一职责原则:就一个类而言,应该仅有一个引起它变化的原因。如果一个类承担的指责过多,就等于把这些职责耦合在一起,一个职责的变化可能会削弱或限制这个类完成其他职责的能力。这种耦合会导致脆弱的设计,当变化发生时,设计就会遭受到意想不到的破坏。
- 开放封闭原则:对修改关闭,对扩展开放。无论模块是多么的封闭,都会存在一些无法对之封闭的变化。所以,在最初编码时,假设变化不会发生,当变化发生时,创建抽象来隔离发生的同类变化。面对新的需求,对程序的改动是通过增加新代码进行的,而不是更改现有的代码。
装饰模式:动态地给一个对象添加一些额外的职责,就增加功能来说,装饰模式比生成子类更灵活是为已有功能动态地添加更多功能的一种方式。
什么时候用它?
向旧类中添加新代码,新加的代码通常装饰原有类的核心职责或主要行为。
优点:把类中的装饰功能从类中搬移去除,这样简化原有的类。有效地把类的核心职责和装饰功能区分开了,而且可以去除相关类中重复的装饰逻辑。
1. 类图如下:其中
- Component是定义一个对象接口,可以给这些对象动态的添加职责。
- ConcreteComponent定义了一个具体的对象,也可以给这个对象添加一些职责。
- Decorator装饰类,继承了Component,从外类扩展Component的功能,但对于Component类来说无需知道Decorator类的存在。
- ConcreteDecorator具体的装饰对象,起到给Component添加职责的作用。
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(); } }