一、什么是抽象工厂模式
装饰( Decorator )模式又叫做包装模式。通 过一种对客户端透明的方式来扩展对象的功能, 是继承关系的一个替换方案。
二、装饰模式的结构 角色和职责
以下是对此图的见解,不服别喷。Component是实体接口 或者 抽象类。左边的ConcreteComponent是其实现(功能)。Decorator装饰,所谓的装饰抽象类就是把接口类实现,然后加上DoSomething的模块。
然后下面就是各个对具体装饰的实现,如果需要多功能结合 不是相互结合,而是通过父类抽象结合对象达到目的。具体可以参考下面案例的实现图解。
抽象组件角色: 一个抽象接口,是被装饰类和 装饰类的父接口。
具体组件角色:为抽象组件的实现类。
抽象装饰角色:包含一个组件的引用,并定义了 与抽象组件一致的接口。
具体装饰角色:为抽象装饰角色的实现类。负责 具体的装饰。
三、装饰模式实现
局部类图:
具体实现:
Car
public interface Car {
public void show();
public void run();
}
RunCar
public class RunCar implements Car {
public void run() {
System.out.println("可以跑");
}
public void show() {
this.run();
}
}
CarDecorator
public abstract class CarDecorator implements Car{
private Car car;
public Car getCar() {
return car;
}
public void setCar(Car car) {
this.car = car;
}
public CarDecorator(Car car) {
this.car = car;
}
public abstract void show();
}
上面相当于搭了好架子,后面需要具体实现了。
FlyCarDecorator
public class FlyCarDecorator extends CarDecorator{
public FlyCarDecorator(Car car) {
super(car);
}
public void show() {
this.getCar().show();
this.fly();
}
public void fly() {
System.out.println("可以飞");
}
public void run() {
}
}
SwimCarDecorator
public class SwimCarDecorator extends CarDecorator {
public SwimCarDecorator(Car car) {
super(car);
}
public void show() {
this.getCar().show();
this.swim();
}
public void swim() {
System.out.println("可以游");
}
public void run() {
}
}
然后测试代码
MainClass
public class MainClass {
public static void main(String[] args) {
Car car = new RunCar();
car.show();
System.out.println("---------");
Car swimcar = new SwimCarDecorator(car);
swimcar.show();
System.out.println("---------");
Car flySwimCar = new FlyCarDecorator(swimcar);
flySwimCar.show();
}
}
运行可以得到以下结果:
可以跑
---------
可以跑
可以游
---------
可以跑
可以游
可以飞