装饰模式
在不改变原有类文件和使用继承的情况下,动态扩展某个对象的功能。
一个对象在运行中被添加一些附件(功能)从而使其更加适应系统的需求,这就是由装饰模式实现的。
GOF对于装饰模式的定义是:动态地给一个对象添加一些额外的职责,就增加功能来说,装饰模式比生成子类更加灵活。
接下来直接上代码
public abstract class Component
{
public abstract void Operation();
}
public class concreteComponent extends Component
{
@Override
public void Operation()
{
System.out.println("basic operation!");
}
}
//装饰器类
public class Decorator extends Component
{
protected Component component;
public void SetComponent(Component component)
{
this.component = component;
}
@Override
public void Operation()
{
if(component) component.Operation();
}
}
//装饰器A
public class ConcreteDecoratorA extends Decorator
{
private String addedState;
public void Operation()
{
super.Operation();
addedState = "new state";
System.out.println("this class has a"+addedState);
}
}
//装饰器B
public class ConcreteDecoratorB extends Decorator
{
public void Operation()
{
super.Operation();
AddedBehavior();
}
private void AddedBehavior()
{
System.out.println("now the object has a new method");
}
}
装饰器就是利用SetComponent来对需要被装饰的对象进行包装的。
大多数情况下,我们都只需要将一个对象的行为进行一些细小的调整,同时也希望这些经过调整的对象的行为能够与原有的行为混合。这样一来,这个对象的行为就会包括原有的行为和调整后的行为。
通过装饰器模式可以实现上面的要求,可以再程序运行的过程中生成新的操作。
网友评论