设计模式----装饰者模式UML和实现代码

一、什么是装饰者模式?

  1. 装饰者模式定义:

    在不必改变原类文件和使用继承的情况下,动态地扩展一个对象的功能。它是通过创建一个包装对象,也就是装饰来包裹真实的对象。

  2. 类型:结构型模式

  3. 顺口溜:桥组享代外

二、装饰者模式UML

设计模式----装饰者模式UML和实现代码_第1张图片





三、JAVA代码实现

package com.amosli.dp.structural.decorator;

public abstract class Component {
	public abstract void operation();
}

package com.amosli.dp.structural.decorator;

public class ConcreteComponent extends Component {

	@Override
	public void operation() {
		System.out.println("concrete operation...");
	}

}

package com.amosli.dp.structural.decorator;

public class Decorator extends Component {

	private Component component;


	public Component getComponent() {
		return component;
	}


	public void setComponent(Component component) {
		this.component = component;
	}


	@Override
	public void operation() {
		component.operation();
	}

}


package com.amosli.dp.structural.decorator;

public class ConcreteDecoratorA extends Decorator{

	private String addedStat;
	public String getAddedStat() {
		return addedStat;
	}
	public void setAddedStat(String addedStat) {
		this.addedStat = addedStat;
	}
	@Override
	public void operation() {
		super.operation();
		addedStat="addedStat";
		System.out.println("added stat..");
	}
	
}

package com.amosli.dp.structural.decorator;

public class ConcreteDecoratorB extends Decorator {

	@Override
	public void operation() {
		super.operation();
		addBehavior();
	}
	
	public void addBehavior(){
		System.out.println("add behavior");
	}
}


package com.amosli.dp.structural.decorator;

public class Client {
	public static void main(String[] args) {
		Component component = new ConcreteComponent();
		Decorator decorator = new ConcreteDecoratorA();
		Decorator decoratorB = new ConcreteDecoratorB();
		decorator.setComponent(component);
		decoratorB.setComponent(decorator);
		decoratorB.operation();
	}
}


装饰者模式隐含的是通过一条条装饰链去实现具体对象,每一条装饰链都始于一个Componet对象,每个装饰者对象后面紧跟着另一个装饰者对象,而对象链终于ConcreteComponet对象。


问题:  说装饰者模式比用继承会更富有弹性,在类图中不是一样用到了继承了吗? 

说明:装饰者和被装饰者之间必须是一样的类型,也就是要有共同的超类。在这里应用继承并不是实现方法的复制,而是实现类型的匹配。因为装饰者和被装饰者是同一个类型,因此装饰者可以取代被装饰者,这样就使被装饰者拥有了装饰者独有的行为。根据装饰者模式的理念,我们可以在任何时候,实现新的装饰者增加新的行为。如果是用继承,每当需要增加新的行为时,就要修改原程序了。


四、装饰者模式的应用场景:

1、  想透明并且动态地给对象增加新的职责的时候。

2、  给对象增加的职责,在未来存在增加或减少可能。

3、  用继承扩展功能不太现实的情况下,应该考虑用组合的方式。

五、优缺点

装饰者模式的优点:

1、  通过组合而非继承的方式,实现了动态扩展对象的功能的能力。

2、  有效避免了使用继承的方式扩展对象功能而带来的灵活性差,子类无限制扩张的问题。

3、  充分利用了继承和组合的长处和短处,在灵活性和扩展性之间找到完美的平衡点。

4、  装饰者和被装饰者之间虽然都是同一类型,但是它们彼此是完全独立并可以各自独立任意改变的。

5、  遵守大部分GRASP原则和常用设计原则,高内聚、低偶合。

装饰者模式的缺点:

1、  装饰链不能过长,否则会影响效率。

2、  因为所有对象都是继承于Component,所以如果Component内部结构发生改变,则不可避免地影响所有子类(装饰者和被装饰者),也就是说,通过继承建立的关系总是脆弱地,如果基类改变,势必影响对象的内部,而通过组合(Decoator HAS A Component)建立的关系只会影响被装饰对象的外部特征。

3、只在必要的时候使用装饰者模式,否则会提高程序的复杂性,增加系统维护难度。

五、源码地址

本系列文章源码地址,https://github.com/amosli/dp  欢迎Fork  & Star !!



你可能感兴趣的:(java,设计模式,装饰者模式,UML)