Jump to content
Wikipedia The Free Encyclopedia

Decorator pattern

From Wikipedia, the free encyclopedia
Design pattern in object-oriented programming
Not to be confused with the concept of "decorators" in Python.

In object-oriented programming, the decorator pattern is a design pattern that allows behavior to be added to an individual object, dynamically, without affecting the behavior of other instances of the same class.[1] The decorator pattern is often useful for adhering to the Single Responsibility Principle, as it allows functionality to be divided between classes with unique areas of concern[2] as well as to the Open-Closed Principle, by allowing the functionality of a class to be extended without being modified.[3] Decorator use can be more efficient than subclassing, because an object's behavior can be augmented without defining an entirely new object.

Overview

[edit ]

The decorator[4] design pattern is one of the twenty-three Gang-of-Four design patterns ; these describe how to solve recurring design problems and design flexible and reusable object-oriented software—that is, objects which are easier to implement, change, test, and reuse.

The decorator pattern provides a flexible alternative to subclassing for extending functionality. When using subclassing, different subclasses extend a class in different ways. However, an extension is bound to the class at compile-time and can't be changed at run-time. The decorator pattern allows responsibilities to be added (and removed from) an object dynamically at run-time. It is achieved by defining Decorator objects that

  • implement the interface of the extended (decorated) object (Component) transparently by forwarding all requests to it.
  • perform additional functionality before or after forwarding a request.

This allows working with different Decorator objects to extend the functionality of an object dynamically at run-time.[5]

Intent

[edit ]
Decorator UML class diagram

The decorator pattern can be used to extend (decorate) the functionality of a certain object statically, or in some cases at run-time, independently of other instances of the same class, provided some groundwork is done at design time. This is achieved by designing a new Decorator class that wraps the original class. This wrapping could be achieved by the following sequence of steps:

  1. Subclass the original Component class into a Decorator class (see UML diagram);
  2. In the Decorator class, add a Component pointer as a field;
  3. In the Decorator class, pass a Component to the Decorator constructor to initialize the Component pointer;
  4. In the Decorator class, forward all Component methods to the Component pointer; and
  5. In the ConcreteDecorator class, override any Component method(s) whose behavior needs to be modified.

This pattern is designed so that multiple decorators can be stacked on top of each other, each time adding a new functionality to the overridden method(s).

Note that decorators and the original class object share a common set of features. In the previous diagram, the operation() method was available in both the decorated and undecorated versions.

The decoration features (e.g., methods, properties, or other members) are usually defined by an interface, mixin (a.k.a. trait) or class inheritance which is shared by the decorators and the decorated object. In the previous example, the class Component is inherited by both the ConcreteComponent and the subclasses that descend from Decorator.

The decorator pattern is an alternative to subclassing. Subclassing adds behavior at compile time, and the change affects all instances of the original class; decorating can provide new behavior at run-time for selected objects.[5]

This difference becomes most important when there are several independent ways of extending functionality. In some object-oriented programming languages, classes cannot be created at runtime, and it is typically not possible to predict, at design time, what combinations of extensions will be needed. This would mean that a new class would have to be made for every possible combination. By contrast, decorators are objects, created at runtime, and can be combined on a per-use basis. The I/O Streams implementations of both Java and the .NET Framework incorporate the decorator pattern.[5]

Motivation

[edit ]
UML diagram for the window example

As an example, consider a window in a windowing system. To allow scrolling of the window's contents, one may wish to add horizontal or vertical scrollbars to it, as appropriate. Assume windows are represented by instances of the Window interface, and assume this class has no functionality for adding scrollbars. One could create a subclass ScrollingWindow that provides them, or create a ScrollingWindowDecorator that adds this functionality to existing Window objects. At this point, either solution would be fine.

Now, assume one also desires the ability to add borders to windows. Again, the original Window class has no support. The ScrollingWindow subclass now poses a problem, because it has effectively created a new kind of window. If one wishes to add border support to many but not all windows, one must create subclasses WindowWithBorder and ScrollingWindowWithBorder, etc. This problem gets worse with every new feature or window subtype to be added. For the decorator solution, a new BorderedWindowDecorator is created. Any combination of ScrollingWindowDecorator or BorderedWindowDecorator can decorate existing windows. If the functionality needs to be added to all Windows, the base class can be modified. On the other hand, sometimes (e.g., using external frameworks) it is not possible, legal, or convenient to modify the base class.

In the previous example, the SimpleWindow and WindowDecorator classes implement the Window interface, which defines the draw() method and the getDescription() method that are required in this scenario, in order to decorate a window control.

Common usecases

[edit ]

Applying decorators

[edit ]

Adding or removing decorators on command (like a button press) is a common UI pattern, often implemented along with the Command design pattern. For example, a text editing application might have a button to highlight text. On button press, the individual text glyphs currently selected will all be wrapped in decorators that modify their draw() function, causing them to be drawn in a highlighted manner (a real implementation would probably also use a demarcation system to maximize efficiency).

Applying or removing decorators based on changes in state is another common use case. Depending on the scope of the state, decorators can be applied or removed in bulk. Similarly, the State design pattern can be implemented using decorators instead of subclassed objects encapsulating the changing functionality. The use of decorators in this manner makes the State object's internal state and functionality more compositional and capable of handling arbitrary complexity.

Usage in Flyweight objects

[edit ]
Main article: Flyweight pattern

Decoration is also often used in the Flyweight design pattern. Flyweight objects are divided into two components: an invariant component that is shared between all flyweight objects; and a variant, decorated component that may be partially shared or completely unshared. This partitioning of the flyweight object is intended to reduce memory consumption. The decorators are typically cached and reused as well. The decorators will all contain a common reference to the shared, invariant object. If the decorated state is only partially variant, then the decorators can also be shared to some degree - though care must be taken not to alter their state while they're being used. iOS's UITableView implements the flyweight pattern in this manner - a tableview's reusable cells are decorators that contains a references to a common tableview row object, and the cells are cached / reused.

Obstacles of interfacing with decorators

[edit ]

Applying combinations of decorators in diverse ways to a collection of objects introduces some problems interfacing with the collection in a way that takes full advantage of the functionality added by the decorators. The use of an Adapter or Visitor patterns can be useful in such cases. Interfacing with multiple layers of decorators poses additional challenges and logic of Adapters and Visitors must be designed to account for that.

Architectural relevance

[edit ]

Decorators support a compositional rather than a top-down, hierarchical approach to extending functionality. A decorator makes it possible to add or alter behavior of an interface at run-time. They can be used to wrap objects in a multilayered, arbitrary combination of ways. Doing the same with subclasses means implementing complex networks of multiple inheritance, which is memory-inefficient and at a certain point just cannot scale. Likewise, attempting to implement the same functionality with properties bloats each instance of the object with unnecessary properties. For the above reasons decorators are often considered a memory-efficient alternative to subclassing.

Decorators can also be used to specialize objects which are not subclassable, whose characteristics need to be altered at runtime (as mentioned elsewhere), or generally objects that are lacking in some needed functionality.

Usage in enhancing APIs

[edit ]

The decorator pattern also can augment the Facade pattern. A facade is designed to simply interface with the complex system it encapsulates, but it does not add functionality to the system. However, the wrapping of a complex system provides a space that may be used to introduce new functionality based on the coordination of subcomponents in the system. For example, a facade pattern may unify many different languages dictionaries under one multi-language dictionary interface. The new interface may also provide new functions for translating words between languages. This is a hybrid pattern - the unified interface provides a space for augmentation. Think of decorators as not being limited to wrapping individual objects, but capable of wrapping clusters of objects in this hybrid approach as well.

Alternatives to decorators

[edit ]

As an alternative to the decorator pattern, the adapter can be used when the wrapper must respect a particular interface and must support polymorphic behavior, and the Facade when an easier or simpler interface to an underlying object is desired.[6]

Pattern Intent
Adapter Converts one interface to another so that it matches what the client is expecting
Decorator Dynamically adds responsibility to the interface by wrapping the original code
Facade Provides a simplified interface

Structure

[edit ]

UML class and sequence diagram

[edit ]
A sample UML class and sequence diagram for the Decorator design pattern. [7]

In the above UML class diagram, the abstract Decorator class maintains a reference (component) to the decorated object (Component) and forwards all requests to it (component.operation()). This makes Decorator transparent (invisible) to clients of Component.

Subclasses (Decorator1,Decorator2) implement additional behavior (addBehavior()) that should be added to the Component (before/after forwarding a request to it).
The sequence diagram shows the run-time interactions: The Client object works through Decorator1 and Decorator2 objects to extend the functionality of a Component1 object.
The Client calls operation() on Decorator1, which forwards the request to Decorator2. Decorator2 performs addBehavior() after forwarding the request to Component1 and returns to Decorator1, which performs addBehavior() and returns to the Client.

Examples

[edit ]

C++

[edit ]

This implementation (which uses C++23 features) is based on the pre C++98 implementation in the book.

importstd;
usingstd::unique_ptr;
// Beverage interface.
classBeverage{
public:
virtualvoiddrink()=0;
virtual~Beverage()=default;
};
// Drinks which can be decorated.
classCoffee:publicBeverage{
public:
virtualvoiddrink()override{
std::print("Drinking Coffee");
}
};
classSoda:publicBeverage{
public:
virtualvoiddrink()override{
std::print("Drinking Soda");
}
};
classBeverageDecorator:publicBeverage{
private:
unique_ptr<Beverage>component;
protected:
voidcallComponentDrink(){
if(component){
component->drink();
}
}
public:
BeverageDecorator()=delete;
explicitBeverageDecorator(unique_ptr<Beverage>component):
component{std::move(component)}{}

virtualvoiddrink()=0;
};
classMilk:publicBeverageDecorator{
private:
floatpercentage;
public:
Milk(unique_ptr<Beverage>component,floatpercentage):
BeverageDecorator(std::move(component)),percentage{percentage}{}
virtualvoiddrink()override{
callComponentDrink();
std::print(", with milk of richness {}%",percentage);
}
};
classIceCubes:publicBeverageDecorator{
private:
intcount;
public:
IceCubes(unique_ptr<Beverage>component,intcount):
BeverageDecorator(std::move(component)),count{count}{}
virtualvoiddrink()override{
callComponentDrink();
std::print(", with {} ice cubes",count);
}
};
classSugar:publicBeverageDecorator{
private:
intspoons=1;
public:
Sugar(unique_ptr<Beverage>component,intspoons):
BeverageDecorator(std::move(component)),spoons{spoons}{}

virtualvoiddrink()override{
callComponentDrink();
std::print(", with {} spoons of sugar",spoons);
}
};
intmain(intargc,char*argv[]){
unique_ptr<Beverage>soda=std::make_unique<Soda>();
soda=std::make_unique<IceCubes>(std::move(soda),3);
soda=std::make_unique<Sugar>(std::move(soda),1);
soda->drink();
std::println();

unique_ptr<Beverage>coffee=std::make_unique<Coffee>();
coffee=std::make_unique<IceCubes>(std::move(coffee),16);
coffee=std::make_unique<Milk>(std::move(coffee),3.);
coffee=std::make_unique<Sugar>(std::move(coffee),2);
coffee->drink();
return0;
}

The program output is like

DrinkingSoda,with3icecubes,with1spoonsofsugar
DrinkingCoffee,with16icecubes,withmilkofrichness3%,with2spoonsofsugar

Full example can be tested on a godbolt page.

C++

[edit ]

Two options are presented here: first, a dynamic, runtime-composable decorator (has issues with calling decorated functions unless proxied explicitly) and a decorator that uses mixin inheritance.

Dynamic decorator

[edit ]
importstd;
usingstd::string;
classShape{
public:
virtual~Shape()=default;
virtualstringgetName()const=0;
};
classCircle:publicShape{
private:
floatradius=10.0f;
public:
voidresize(floatfactor)noexcept{
radius*=factor;
}
[[nodiscard]]
stringgetName()constoverride{
returnstd::format("A circle of radius {}",radius);
}
};
classColoredShape:publicShape{
private:
stringcolor;
Shape&shape;
public:
ColoredShape(conststring&color,Shape&shape):
color{color},shape{shape}{}
[[nodiscard]]
stringgetName()constoverride{
returnstd::format("{} which is colored {}",shape.getName(),color);
}
};
intmain(){
Circlecircle;
ColoredShapecoloredShape{"red",circle};
std::println("{}",coloredShape.getName());
}
importstd;
usingstd::string;
usingstd::unique_ptr;
classWebPage{
public:
virtualvoiddisplay()=0;
virtual~WebPage()=default;
};
classBasicWebPage:publicWebPage{
private:
stringhtml;
public:
voiddisplay()override{
std::println("Basic WEB page");
}
};
classWebPageDecorator:publicWebPage{
private:
unique_ptr<WebPage>webPage;
public:
explicitWebPageDecorator(unique_ptr<WebPage>webPage):
webPage{std::move(webPage)}{}
voiddisplay()override{
webPage->display();
}
};
classAuthenticatedWebPage:publicWebPageDecorator{
public:
explicitAuthenticatedWebPage(unique_ptr<WebPage>webPage):
WebPageDecorator(std::move(webPage)){}
voidauthenticateUser(){
std::println("authentication done");
}
voiddisplay()override{
authenticateUser();
WebPageDecorator::display();
}
};
classAuthorizedWebPage:publicWebPageDecorator{
public:
explicitAuthorizedWebPage(unique_ptr<WebPage>webPage):
WebPageDecorator(std::move(webPage)){}
voidauthorizedUser(){
std::println("authorized done");
}
voiddisplay()override{
authorizedUser();
WebPageDecorator::display();
}
};
intmain(intargc,char*argv[]){
unique_ptr<WebPage>myPage=std::make_unique<BasicWebPage>();
myPage=std::make_unique<AuthorizedWebPage>(std::move(myPage));
myPage=std::make_unique<AuthenticatedWebPage>(std::move(myPage));
myPage->display();
std::println();
return0;
}

Static decorator (mixin inheritance)

[edit ]

This example demonstrates a static Decorator implementation, which is possible due to C++ ability to inherit from the template argument.

importstd;
usingstd::string;
classCircle{
private:
floatradius=10.0f;
public:
voidresize(floatfactor)noexcept{
radius*=factor;
}
[[nodiscard]]
stringgetName()const{
returnstd::format("A circle of radius {}",radius);
}
};
template<typenameT>
classColoredShape:publicT{
private:
stringcolor;
public:
explicitColoredShape(conststring&color):
color{color}{}

[[nodiscard]]
stringgetName()const{
returnstd::format("{} which is colored {}",T::getName(),color);
}
};
intmain(){
ColoredShape<Circle>redCircle{"red"};
std::println("{}",redCircle.getName());
redCircle.resize(1.5f);
std::println("{}",redCircle.getName());
}

Java

[edit ]

First example (window/scrolling scenario)

[edit ]

The following Java example illustrates the use of decorators using the window/scrolling scenario.

// The Window interface class
publicinterface Window{
voiddraw();// Draws the Window
StringgetDescription();// Returns a description of the Window
}
// Implementation of a simple Window without any scrollbars
class SimpleWindowimplementsWindow{
@Override
publicvoiddraw(){
// Draw window
}
@Override
publicStringgetDescription(){
return"simple window";
}
}

The following classes contain the decorators for all Window classes, including the decorator classes themselves.

// abstract decorator class - note that it implements Window
abstractclass WindowDecoratorimplementsWindow{
privatefinalWindowwindowToBeDecorated;// the Window being decorated
publicWindowDecorator(WindowwindowToBeDecorated){
this.windowToBeDecorated=windowToBeDecorated;
}
@Override
publicvoiddraw(){
windowToBeDecorated.draw();// Delegation
}
@Override
publicStringgetDescription(){
returnwindowToBeDecorated.getDescription();// Delegation
}
}
// The first concrete decorator which adds vertical scrollbar functionality
class VerticalScrollBarDecoratorextendsWindowDecorator{
publicVerticalScrollBarDecorator(WindowwindowToBeDecorated){
super(windowToBeDecorated);
}
@Override
publicvoiddraw(){
super.draw();
drawVerticalScrollBar();
}
privatevoiddrawVerticalScrollBar(){
// Draw the vertical scrollbar
}
@Override
publicStringgetDescription(){
returnString.format("%s, including vertical scrollbars",super.getDescription());
}
}
// The second concrete decorator which adds horizontal scrollbar functionality
class HorizontalScrollBarDecoratorextendsWindowDecorator{
publicHorizontalScrollBarDecorator(WindowwindowToBeDecorated){
super(windowToBeDecorated);
}
@Override
publicvoiddraw(){
super.draw();
drawHorizontalScrollBar();
}
privatevoiddrawHorizontalScrollBar(){
// Draw the horizontal scrollbar
}
@Override
publicStringgetDescription(){
returnString.format("%s, including horizontal scrollbars",super.getDescription());
}
}

Here is a test program that creates a Window instance which is fully decorated (i.e., with vertical and horizontal scrollbars), and prints its description:

publicclass DecoratedWindowTest{
publicstaticvoidmain(String[]args){
// Create a decorated Window with horizontal and vertical scrollbars
WindowdecoratedWindow=newHorizontalScrollBarDecorator(
newVerticalScrollBarDecorator(newSimpleWindow())
);
// Print the Window's description
System.out.println(decoratedWindow.getDescription());
}
}

The output of this program is "simple window, including vertical scrollbars, including horizontal scrollbars". Notice how the getDescription method of the two decorators first retrieve the decorated Window's description and decorates it with a suffix.

Below is the JUnit test class for the Test Driven Development

import staticorg.junit.Assert.assertEquals;
importorg.junit.Test;
publicclass WindowDecoratorTest{
@Test
publicvoidtestWindowDecoratorTest(){
WindowdecoratedWindow=newHorizontalScrollBarDecorator(
newVerticalScrollBarDecorator(newSimpleWindow())
);
// assert that the description indeed includes horizontal + vertical scrollbars
assertEquals("simple window, including vertical scrollbars, including horizontal scrollbars",decoratedWindow.getDescription());
}
}

Second example (coffee making scenario)

[edit ]

The next Java example illustrates the use of decorators using coffee making scenario. In this example, the scenario only includes cost and ingredients.

// The interface Coffee defines the functionality of Coffee implemented by decorator
publicinterface Coffee{
publicdoublegetCost();// Returns the cost of the coffee
publicStringgetIngredients();// Returns the ingredients of the coffee
}
// Extension of a simple coffee without any extra ingredients
publicclass SimpleCoffeeimplementsCoffee{
@Override
publicdoublegetCost(){
return1;
}
@Override
publicStringgetIngredients(){
return"Coffee";
}
}

The following classes contain the decorators for all Coffee classes, including the decorator classes themselves.

// Abstract decorator class - note that it implements Coffee interface
publicabstractclass CoffeeDecoratorimplementsCoffee{
privatefinalCoffeedecoratedCoffee;
publicCoffeeDecorator(Coffeec){
this.decoratedCoffee=c;
}
@Override
publicdoublegetCost(){// Implementing methods of the interface
returndecoratedCoffee.getCost();
}
@Override
publicStringgetIngredients(){
returndecoratedCoffee.getIngredients();
}
}
// Decorator WithMilk mixes milk into coffee.
// Note it extends CoffeeDecorator.
class WithMilkextendsCoffeeDecorator{
publicWithMilk(Coffeec){
super(c);
}
@Override
publicdoublegetCost(){// Overriding methods defined in the abstract superclass
returnsuper.getCost()+0.5;
}
@Override
publicStringgetIngredients(){
returnString.format("%s, Milk",super.getIngredients());
}
}
// Decorator WithSprinkles mixes sprinkles onto coffee.
// Note it extends CoffeeDecorator.
class WithSprinklesextendsCoffeeDecorator{
publicWithSprinkles(Coffeec){
super(c);
}
@Override
publicdoublegetCost(){
returnsuper.getCost()+0.2;
}
@Override
publicStringgetIngredients(){
returnString.format("%s, Sprinkles",super.getIngredients());
}
}

Here's a test program that creates a Coffee instance which is fully decorated (with milk and sprinkles), and calculate cost of coffee and prints its ingredients:

publicclass Main{
publicstaticvoidprintInfo(Coffeec){
System.out.printf("Cost: %s; Ingredients: %s%n",c.getCost(),c.getIngredients());
}
publicstaticvoidmain(String[]args){
Coffeec=newSimpleCoffee();
printInfo(c);
c=newWithMilk(c);
printInfo(c);
c=newWithSprinkles(c);
printInfo(c);
}
}

The output of this program is given below:

Cost: 1.0; Ingredients: Coffee
Cost: 1.5; Ingredients: Coffee, Milk
Cost: 1.7; Ingredients: Coffee, Milk, Sprinkles

PHP

[edit ]
abstract class Component
{
 protected $data;
 protected $value;
 abstract public function getData();
 abstract public function getValue();
}
class ConcreteComponent extends Component
{
 public function __construct()
 {
 $this->value = 1000;
 $this->data = "Concrete Component:\t{$this->value}\n";
 }
 public function getData()
 {
 return $this->data;
 }
 public function getValue()
 {
 return $this->value;
 }
}
abstract class Decorator extends Component
{
 
}
class ConcreteDecorator1 extends Decorator
{
 public function __construct(Component $data)
 {
 $this->value = 500;
 $this->data = $data;
 }
 public function getData()
 {
 return $this->data->getData() . "Concrete Decorator 1:\t{$this->value}\n";
 }
 public function getValue()
 {
 return $this->value + $this->data->getValue();
 }
}
class ConcreteDecorator2 extends Decorator
{
 public function __construct(Component $data)
 {
 $this->value = 500;
 $this->data = $data;
 }
 public function getData()
 {
 return $this->data->getData() . "Concrete Decorator 2:\t{$this->value}\n";
 }
 public function getValue()
 {
 return $this->value + $this->data->getValue();
 }
}
class Client
{
 private $component;
 public function __construct()
 {
 $this->component = new ConcreteComponent();
 $this->component = $this->wrapComponent($this->component);
 echo $this->component->getData();
 echo "Client:\t\t\t";
 echo $this->component->getValue();
 }
 private function wrapComponent(Component $component)
 {
 $component1 = new ConcreteDecorator1($component);
 $component2 = new ConcreteDecorator2($component1);
 return $component2;
 }
}
$client = new Client();
// Result: #quanton81
//Concrete Component:	1000
//Concrete Decorator 1:	500
//Concrete Decorator 2:	500
//Client: 2000

Python

[edit ]

The following Python example, taken from Python Wiki - DecoratorPattern, shows us how to pipeline decorators to dynamically add many behaviors in an object:

"""
Demonstrated decorators in a world of a 10x10 grid of values 0-255. 
"""
importrandom
fromtypingimport Any, List
defs32_to_u16(x: int) -> int:
 sign: int
 if x < 0:
 sign = 0xF000
 else:
 sign = 0
 bottom: int = x & 0x00007FFF
 return bottom | sign
defseed_from_xy(x: int, y: int) -> int:
 return s32_to_u16(x) | (s32_to_u16(y) << 16)
classRandomSquare:
 def__init__(self, seed_modifier: int) -> None:
 self.seed_modifier: int = seed_modifier
 defget(self, x: int, y: int) -> int:
 seed: int = seed_from_xy(x, y) ^ self.seed_modifier
 random.seed(seed)
 return random.randint(0, 255)
classDataSquare:
 def__init__(self, initial_value: int = None) -> None:
 self.data: List[int] = [initial_value] * 10 * 10
 defget(self, x: int, y: int) -> int:
 return self.data[(y * 10) + x] # yes: these are all 10x10
 defset(self, x: int, y: int, u: int) -> None:
 self.data[(y * 10) + x] = u
classCacheDecorator:
 def__init__(self, decorated: Any) -> None:
 self.decorated: Any = decorated
 self.cache: DataSquare = DataSquare()
 defget(self, x: int, y: int) -> int:
 if self.cache.get(x, y) == None:
 self.cache.set(x, y, self.decorated.get(x, y))
 return self.cache.get(x, y)
classMaxDecorator:
 def__init__(self, decorated: Any, max: int) -> None:
 self.decorated: Any = decorated
 self.max: int = max
 defget(self, x: int, y: int) -> None:
 if self.decorated.get(x, y) > self.max:
 return self.max
 return self.decorated.get(x, y)
classMinDecorator:
 def__init__(self, decorated: Any, min: int) -> None:
 self.decorated: Any = decorated
 self.min: int = min
 defget(self, x: int, y: int) -> int:
 if self.decorated.get(x, y) < self.min:
 return self.min
 return self.decorated.get(x, y)
classVisibilityDecorator:
 def__init__(self, decorated: Any) -> None:
 self.decorated: Any = decorated
 defget(self, x: int, y: int) -> int:
 return self.decorated.get(x, y)
 defdraw(self) -> None:
 for y in range(10):
 for x in range(10):
 print("%3d" % self.get(x, y), end=' ')
 print()
if __name__ == "__main__":
 # Now, build up a pipeline of decorators:
 random_square: RandomSquare = RandomSquare(635)
 random_cache: CacheDecorator = CacheDecorator(random_square)
 max_filtered: MaxDecorator = MaxDecorator(random_cache, 200)
 min_filtered: MinDecorator = MinDecorator(max_filtered, 100)
 final: VisibilityDecorator = VisibilityDecorator(min_filtered)
 final.draw()

Note:

The Decorator Pattern (or an implementation of this design pattern in Python - as the above example) should not be confused with Python Decorators, a language feature of Python. They are different things.

Second to the Python Wiki:

The Decorator Pattern is a pattern described in the Design Patterns Book. It is a way of apparently modifying an object's behavior, by enclosing it inside a decorating object with a similar interface. This is not to be confused with Python Decorators, which is a language feature for dynamically modifying a function or class.[8]

Crystal

[edit ]
abstractclassCoffee
abstractdefcost
abstractdefingredients
end
# Extension of a simple coffee
classSimpleCoffee<Coffee
defcost
1.0
end
defingredients
"Coffee"
end
end
# Abstract decorator
classCoffeeDecorator<Coffee
protectedgetterdecorated_coffee:Coffee
definitialize(@decorated_coffee)
end
defcost
decorated_coffee.cost
end
defingredients
decorated_coffee.ingredients
end
end
classWithMilk<CoffeeDecorator
defcost
super+0.5
end
defingredients
super+", Milk"
end
end
classWithSprinkles<CoffeeDecorator
defcost
super+0.2
end
defingredients
super+", Sprinkles"
end
end
classProgram
defprint(coffee:Coffee)
puts"Cost: #{coffee.cost}; Ingredients: #{coffee.ingredients}"
end
definitialize
coffee=SimpleCoffee.new
print(coffee)
coffee=WithMilk.new(coffee)
print(coffee)
coffee=WithSprinkles.new(coffee)
print(coffee)
end
end
Program.new

Output:

Cost: 1.0; Ingredients: Coffee
Cost: 1.5; Ingredients: Coffee, Milk
Cost: 1.7; Ingredients: Coffee, Milk, Sprinkles

C#

[edit ]
namespaceDecoratorExample;
interfaceIBike
{
stringGetDetails();
doubleGetPrice();
}
classAluminiumBike:IBike
{
publicdoubleGetPrice()=>100.0;
publicstringGetDetails()=>"Aluminium Bike";
}
classCarbonBike:IBike
{
publicdoubleGetPrice()=>1000.0;
publicstringGetDetails()=>"Carbon";
}
abstractclassBikeAccessories:IBike
{
privatereadonlyIBike_bike;
publicBikeAccessories(IBikebike)
{
_bike=bike;
}
publicvirtualdoubleGetPrice()=>_bike.GetPrice();
publicvirtualstringGetDetails()=>_bike.GetDetails();
}
classSecurityPackage:BikeAccessories
{
publicSecurityPackage(IBikebike):base(bike)
{
// ...
}
publicoverridestringGetDetails()=>$"{base.GetDetails()} + Security Package";
publicoverridedoubleGetPrice()=>base.GetPrice()+1;
}
classSportPackage:BikeAccessories
{
publicSportPackage(IBikebike):base(bike)
{
// ...
}
publicoverridestringGetDetails()=>$"{base.GetDetails()} + Sport Package";
publicoverridedoubleGetPrice()=>base.GetPrice()+10;
}
publicclassBikeShop
{
publicvoidUpgradeBike()
{
AluminiumBikebasicBike=newAluminiumBike();
BikeAccessoriesupgraded=newSportPackage(basicBike);
upgraded=newSecurityPackage(upgraded);
Console.WriteLine($"Bike: '{upgraded.GetDetails()}' Cost: {upgraded.GetPrice()}");
}
staticvoidMain(string[]args)
{
UpgradeBike();
}
}

Output:

Bike: 'Aluminium Bike + Sport Package + Security Package' Cost: 111

Ruby

[edit ]
classAbstractCoffee
defprint
puts"Cost: #{cost}; Ingredients: #{ingredients}"
end
end
classSimpleCoffee<AbstractCoffee
defcost
1.0
end
defingredients
"Coffee"
end
end
classWithMilk<SimpleDelegator
defcost
__getobj__.cost+0.5
end
defingredients
__getobj__.ingredients+", Milk"
end
end
classWithSprinkles<SimpleDelegator
defcost
__getobj__.cost+0.2
end
defingredients
__getobj__.ingredients+", Sprinkles"
end
end
coffee=SimpleCoffee.new
coffee.print
coffee=WithMilk.new(coffee)
coffee.print
coffee=WithSprinkles.new(coffee)
coffee.print


Output:

Cost: 1.0; Ingredients: Coffee
Cost: 1.5; Ingredients: Coffee, Milk
Cost: 1.7; Ingredients: Coffee, Milk, Sprinkles

See also

[edit ]

References

[edit ]
  1. ^ Gamma, Erich; et al. (1995). Design Patterns. Reading, MA: Addison-Wesley Publishing Co, Inc. pp. 175ff. ISBN 0-201-63361-2.
  2. ^ "How to Implement a Decorator Pattern". Archived from the original on 2015年07月07日.
  3. ^ "The Decorator Pattern, Why We Stopped Using It, and the Alternative". 8 March 2022.
  4. ^ Erich Gamma, Richard Helm, Ralph Johnson, John Vlissides (1994). Design Patterns: Elements of Reusable Object-Oriented Software. Addison Wesley. pp. 175ff. ISBN 0-201-63361-2.{{cite book}}: CS1 maint: multiple names: authors list (link)
  5. ^ a b c "The Decorator design pattern - Problem, Solution, and Applicability". w3sDesign. Archived from the original on 2023年04月08日. Retrieved 2017年08月12日.
  6. ^ Freeman, Eric; Freeman, Elisabeth; Sierra, Kathy; Bates, Bert (2004). Hendrickson, Mike; Loukides, Mike (eds.). Head First Design Patterns (paperback). Vol. 1. O'Reilly. pp. 243, 252, 258, 260. ISBN 978-0-596-00712-6 . Retrieved 2012年07月02日.
  7. ^ "The Decorator design pattern - Structure and Collaboration". w3sDesign.com. Retrieved 2017年08月12日.
  8. ^ "DecoratorPattern - Python Wiki". wiki.python.org.
[edit ]
Gang of Four
patterns
Creational
Structural
Behavioral
Concurrency
patterns
Architectural
patterns
Other
patterns
Books
People
Communities
See also

AltStyle によって変換されたページ (->オリジナル) /