一、什么是装饰器模式?(理论)
装饰器模式是一种结构型设计模式,它允许在不改变对象自身结构的情况下,动态地给对象添加额外的功能。
装饰器模式通过将对象包装在一个装饰器类中,这个装饰器类具有与被装饰对象相同的接口,它可以在调用被装饰器类之前或者之后执行自己的代码,从而实现功能的扩展。
装饰器模式主要是为了避免在对象的继承层次结构中,使用过多的子类来扩展功能。通过使用装饰器模式,可以在运行时动态地给对象添加新的功能,且不会影响到其他对象。装饰器模式可以有效避免类爆炸的问题,使得代码更加灵活和可维护。
大白话:装饰器模式可以动态地给对象添加一些额外的特征或者行为。
二、装饰器模式角色划分
- 抽象组件(Component):定义一个抽象接口,以规范准备接受附加额外功能的对象,也就是装饰对象和被装饰对象共同实现的接口。
- 具体组件(ConcreteComponent):实现抽象组件,是被装饰的对象。
- 抽象装饰(Decorator):实现抽象接口,并且持有一个组件对象的引用,在调用组件方法之前或者之后执行自己的代码。
- 具体装饰(ConcreteDecorator):实现抽象装饰的相关方法,并给具体构建添加额外的功能。
三、代码示例
/**
* 抽象组件类
**/
abstract class Component {
public abstract void operation();
}
/**
* 具体组件类
**/
class ConcreteComponent extends Component {
@Override
public void operation() {
System.out.println("hello, my name is ConcreteComponent");
}
}
/**
* 抽象装饰器类
**/
abstract class Decorator extends Component {
protected Component component;
public Decorator(Component component) {
this.component = component;
}
@Override
public void operation() {
component.operation();
}
}
/**
* 具体装饰器类
**/
class ConcreteDecorator extends Decorator {
public ConcreteDecorator(Component component) {
super(component);
}
@Override
public void operation() {
super.operation();
System.out.println("新增的额外功能如下!!!");
operationFirst();
operationLast();
anotherOperation();
}
private void operationFirst() {
System.out.println("hello, my name is operationFirst");
}
private void operationLast() {
System.out.println("hello, my name is operationLast");
}
//新功能
public void anotherOperation() {
System.out.println("hello, my name is anotherOperation");
}
}
public class Client {
public static void main(String[] args) {
Component component = new ConcreteComponent();
component.operation();
System.out.println("----------------我是分割线-----------------");
Decorator decorator1 = new ConcreteDecorator(component);
decorator1.operation();
}
}
运行结果如下:
原本此
component
的输出是hello, my name is ConcreteComponent
;
但是
经过Decorator decorator1
装饰器的加工后,我们发现多了装饰器的一些输出,这也就是装饰器模式实现的基本原理。
个人理解大白话:就是使用装饰器类去继承被装饰类,然后重写被装饰类所需要修饰的方法,在方法中使用
super()
去调用父类(被装饰类)原有的方法,再可以自定义一些自主的方法,从而实现装饰!
四、总结
- 装饰器是继承的强有力补充,比继承灵活。在不改变原有对象的情况下,动态的给一个对象扩展功能。
- 装饰器类好被装饰类可以独立发展,不会相互耦合,装饰器模式也是集成的一个替代模式,装饰器模式可以动态扩展一个实现类的功能。