介绍
结构型设计模式之一,其使用一种对客户端透明的方式来动态扩展对象的功能,同时它也是继承关系的一种替代方案。
定义
动态地给一个对象添加一些额外的职责,就增加功能来说,装饰模式相比生成子类更灵活。
使用场景
需要透明且动态扩展类的功能时。
类图
举个例子:
abstract class Shape{
abstract fun draw()
}
class Circle : Shape(){
override fun draw() {
println("draw a circle")
}
}
class Rectangle: Shape(){
override fun draw() {
println("draw a Rectangle")
}
}
open class Decorator(private val shape: Shape): Shape(){
override fun draw(){
shape.draw()
}
}
class BlueShape(shape: Shape): Decorator(shape){
override fun draw() {
println("蜡笔是蓝色的了,可以画画了")
super.draw()
}
}
class BigShape(shape: Shape): Decorator(shape){
override fun draw() {
println("准备画一个大大的形状")
super.draw()
}
}
fun main() {
//可以动态任意的装饰
val blueCircle = BlueShape(Circle())
blueCircle.draw()
println()
val bigRec = BigShape(Rectangle())
bigRec.draw()
println()
val bigBlueCircle = BigShape(BlueShape(Circle()))
bigBlueCircle.draw()
}
输出:
蜡笔是蓝色的了,可以画画了
draw a circle
准备画一个大大的形状
draw a Rectangle
准备画一个大大的形状
蜡笔是蓝色的了,可以画画了
draw a circle
使用场景
这里使用 Java io 设计的库作为基础进行 装饰器模式的讲解。
FilterInputStream 就是Decorator。可以给InputStream动态添加功能。FileInputStream 实现了从文件中获取输入流;DataInputStream实现了可以从输入流中读取java基础类型数据;BufferedInputStream实现了输入流缓存的功能,ZipInputStream 实现了Zip输入流的处理。 装饰器衍生出来的类的目的是为了丰富基础的输入流,例如:
可以通过 DataInputStream 和 FileInputStream 组合一个从文件中读取Java基础数据类型的输入流。
,其实就是增强了FileInputStream(基于字节的输入流)的功能,让我们可以以Java基本数据类型去访问输入流。
DataInputStream input = new DataInputStream(new FileInputStream("a.txt"))
再比如,可以在刚才的基础上,增加缓存功能。
DataInputStream input = new DataInputStream(new BufferedInputStream(new FileInputStream("a.txt")))