![]() |
XTL
0.1
eXtended Template Library
|
There are a few patterns in wide-spread employ across the TMP landscape and it's worth recognizing them. Here are a few of the more common patterns/idioms with examples.
Template declarations are parsed at compile time and not instantiated until their use is defined in run-time code. If a template is not used in run-time code then it can contain a myriad of errors and the application will compile just fine since it's not used. This permits template to contain code that operates on template parameters before the concrete types are declared effectively decoupling two class declarations in ways that aren't possible in classic C++. For example, the following will not compile:
Neither Cat nor Mouse are used in run-time code but it won't compile because Cat reference Mouse before it's declared and forward declarations won't help. However, consider the following:
The templated version compiles just fine because the template isn't fully resolved until it's used in the run-time code in main
(Cat<Mouse> oCat
.) At this point the template becomes instantiated. All the types are fully defined at the time they're used in run-time code so everything works.
Expanding on this idiom, a template can interrogate the parameter:
Here again Cat
uses _MouseT
but also uses a member named Slow
. Using members of a template parameter like this requires that any type passed to the Cat
template have a Slow
member. In other words, the _MouseT
parameter must adhere to a concept that Cat
requires. As long as the type passed as _MouseT
to the Cat
template adheres to the interface concept the code is valid.
Performing similar feats in classic C++ normally requires a generic interface such as IMouse
be declared with some pure virtual members that subclasses implement.
This one looks odd at first glance and seems that it shouldn't compile. Here's a common use care with STL:
The MyStruct passes itself as a parameter to specialize std::enable_shared_from_this before the definition is complete. It doesn't look like it will compile but it does. This pattern is often used to give the base class visibility into the subclasses, something that cannot be easily done in classic OO.
This one also appears curious at first:
MyStruct is a template that subclasses it's template parameter.