Decorator Design Pattern in Modern C++
To facilitates the additional functionality to objects.
Join the DZone community and get the full member experience.
Join For FreeIn software engineering, Structural Design Patterns deal with the relationship between objects and classes i.e. how objects and classes interact or build a relationship in a manner suitable to the situation. The Structural Design Patterns simplify the structure by identifying relationships. In this article, we're going to take a look at the not so complex yet subtle design pattern that is Decorator Design Pattern in Modern C++ due to its extensibility and testability. It is also known as a Wrapper.
The code snippets you see throughout this series of articles are simplified, not sophisticated. So you often see me not using keywords like override
, final
, public
(while inheritance) just to make code compact and consumable(most of the time) in single standard screen size. I also prefer struct
instead of class
just to save line by not writing "public:
" sometimes and also miss virtual destructor, constructor, copy constructor, prefix std::
, deleting dynamic memory, intentionally. I also consider myself a pragmatic person who wants to convey an idea in the simplest way possible rather than the standard way or using jargon.
Note:
If you stumbled here directly, then I would suggest you go through What is design pattern? first, even if it is trivial. I believe it will encourage you to explore more on this topic.
All of this code you encounter in this series of articles are compiled using C++20(though I have used Modern C++ features up to C++17 in most cases). So if you don't have access to the latest compiler you can use https://wandbox.org/ which has preinstalled boost library as well.
Intent
To facilitates the additional functionality to objects.
Sometimes we have to augment the functionality of existing objects without rewrite or altering existing code, just to stick to the Open-Closed Principle. This also preserves the Single Responsibility Principle to have extra functionality on the side.
Decorator Design Pattern Examples in C++
And to achieve this we have two different variants of Decorator Design Pattern in C++:- Dynamic Decorator: Aggregate the decorated object by reference or pointer.
- Static Decorator: Inherit from the decorated object.
Dynamic Decorator
xxxxxxxxxx
struct Shape {
virtual operator string() = 0;
};
struct Circle : Shape {
float m_radius;
Circle(const float radius = 0) : m_radius{radius} {}
void resize(float factor) { m_radius *= factor; }
operator string() {
ostringstream oss;
oss << "A circle of radius " << m_radius;
return oss.str();
}
};
struct Square : Shape {
float m_side;
Square(const float side = 0) : m_side{side} {}
operator string() {
ostringstream oss;
oss << "A square of side " << m_side;
return oss.str();
}
};
So, we have a hierarchy of two different Shape
s (i.e. Square
& Circle
), and we want to enhance this hierarchy by adding color to it. Now we're suddenly not going to create two other classes e.g. colored circle and a colored square. That would be too much and ultimately isn't a scalable option.
Rather we can just have ColoredShape
as follows.
xxxxxxxxxx
struct ColoredShape : Shape {
const Shape& m_shape;
string m_color;
ColoredShape(const Shape &s, const string &c) : m_shape{s}, m_color{c} {}
operator string() {
ostringstream oss;
oss << string(const_cast<Shape&>(m_shape)) << " has the color " << m_color;
return oss.str();
}
};
// we are not changing the base class of existing objects
// cannot make, e.g., ColoredSquare, ColoredCircle, etc.
int main() {
Square square{5};
ColoredShape green_square{square, "green"};
cout << string(square) << endl << string(green_square) << endl;
// green_circle.resize(2); // Not available
return EXIT_SUCCESS;
}
Why this is a dynamic decorator?
Because you can instantiate the ColoredShape
at runtime by providing needed arguments. In other words, you can decide at runtime that which Shape
(i.e. Circle
or Square
) is going to be coloured.
You can even mix the decorators as follows:
xxxxxxxxxx
struct TransparentShape : Shape {
const Shape& m_shape;
uint8_t m_transparency;
TransparentShape(const Shape& s, const uint8_t t) : m_shape{s}, m_transparency{t} {}
operator string() {
ostringstream oss;
oss << string(const_cast<Shape&>(m_shape)) << " has "
<< static_cast<float>(m_transparency) / 255.f * 100.f
<< "% transparency";
return oss.str();
}
};
int main() {
TransparentShape TransparentShape{ColoredShape{Square{5}, "green"}, 51};
cout << string(TransparentShape) << endl;
return EXIT_SUCCESS;
}
Limitation of Dynamic Decorator
If you look at the definition of Circle
, You can see that the circle has a method called resize()
. we can not use this method as we did aggregation on-base interface Shape
& bound by the only method exposed in it.
Static Decorator
The dynamic decorator is great if you don't know which object you are going to decorate and you want to be able to pick them at runtime but sometimes you know the decorator you want at compile time in which case you can use a combination of C++ templates & inheritance.
xxxxxxxxxx
template <class T> // Note: `class`, not typename
struct ColoredShape : T {
static_assert(is_base_of<Shape, T>::value, "Invalid template argument"); // Compile time safety
string m_color;
template <typename... Args>
ColoredShape(const string &c, Args &&... args) : m_color(c), T(std::forward<Args>(args)...) { }
operator string() {
ostringstream oss;
oss << T::operator string() << " has the color " << m_color;
return oss.str();
}
};
template <typename T>
struct TransparentShape : T {
uint8_t m_transparency;
template <typename... Args>
TransparentShape(const uint8_t t, Args... args) : m_transparency{t}, T(std::forward<Args>(args)...) { }
operator string() {
ostringstream oss;
oss << T::operator string() << " has "
<< static_cast<float>(m_transparency) / 255.f * 100.f
<< "% transparency";
return oss.str();
}
};
int main() {
ColoredShape<Circle> green_circle{"green", 5};
green_circle.resize(2);
cout << string(green_circle) << endl;
// Mixing decorators
TransparentShape<ColoredShape<Circle>> green_trans_circle{51, "green", 5};
green_trans_circle.resize(2);
cout << string(green_trans_circle) << endl;
return EXIT_SUCCESS;
}
As you can see we can now call the resize()
method which was the limitation of Dynamic Decorator. You can even mix the decorators as we did earlier.
So essentially what this example demonstrates is that if you're prepared to give up on the dynamic composition nature of the decorator and if you're prepared to define all the decorators at compile time you get the added benefit of using inheritance.
And that way you actually get the members of whatever object you are decorating being accessible through the decorator and mixed decorator.
Functional Approach to Decorator Design Pattern Using Modern C++
Up until now, we were talking about the Decorator Design Pattern which decorates over a class but you can do the same for functions. Following is a typical logger example for the same:
xxxxxxxxxx
// Need partial specialization for this to work
template <typename T>
struct Logger;
// Return type and argument list
template <typename R, typename... Args>
struct Logger<R(Args...)> {
function<R(Args...)> m_func;
string m_name;
Logger(function<R(Args...)> f, const string &n) : m_func{f}, m_name{n} { }
R operator()(Args... args) {
cout << "Entering " << m_name << endl;
R result = m_func(args...);
cout << "Exiting " << m_name << endl;
return result;
}
};
template <typename R, typename... Args>
auto make_logger(R (*func)(Args...), const string &name) {
return Logger<R(Args...)>(std::function<R(Args...)>(func), name);
}
double add(double a, double b) { return a + b; }
int main() {
auto logged_add = make_logger(add, "Add");
auto result = logged_add(2, 3);
return EXIT_SUCCESS;
}
Above example may seem a bit complex to you but if you have a clear understanding of variadic temple then it won't take more than 30 seconds to understand what's going on here.
Benefits of Decorator Design Pattern
- Decorator facilitates augmentation of the functionality for an existing object at run-time & compile time.
- Decorator also provides flexibility for adding any number of decorators, in any order & mixing it.
- Decorators are a nice solution to permutation issues because you can wrap a component with any number of Decorators.
- It is a wise choice to apply the Decorator Design Pattern for already shipped code. Because it enables backward compatibility of application & less unit level testing as changes do not affect other parts of code.
Summary by FAQs
When to use the Decorator Design Pattern?
-- Employ the Decorator Design Pattern when you need to be able to assign extra behaviours to objects at runtime without breaking the code that uses these objects.
-- When the class has final keyword which means the class is not further inheritable. In such cases, the Decorator Design Pattern may come to rescue.
What are the drawbacks of using the Decorator Design Pattern?
-- Decorators can complicate the process of instantiating the component because you not only have to instantiate the component but wrap it in a number of Decorators.
-- Overuse of Decorator Design Pattern may complicate the system in terms of both i.e. Maintainance & learning curve.
Difference between Adapter & Decorator Design Pattern?
-- Adapter changes the interface of an existing object
-- Decorator enhances the interface of an existing object
Difference between Proxy & Decorator Design Pattern?
-- Proxy provides a somewhat same or easy interface
-- Decorator provides enhanced interface
Published at DZone with permission of Vishal Chovatiya. See the original article here.
Opinions expressed by DZone contributors are their own.
Comments