Click here to Skip to main content
15,885,782 members
Articles / Programming Languages / C++

Template Metaprogramming with Modern C++: Introduction

Rate me:
Please Sign up or sign in to vote.
4.74/5 (15 votes)
2 Oct 2014CPOL7 min read 34.1K   30   14
This posts tries to introduce template metaprogramming to the average C++ programmer, showing how it works, what can do, and finally leading with its problems trying to make it easier than in the old days of C++98, thanks to C++11 and C++14 language improvements.

Introduction

Quote:

Any sufficiently complex C++ code is indistinguishable from trolling

Arthur C. Clarke

Preface

Template metaprogramming is one of the things that makes C++ that complex, poor known, and sometimes horrible language. However, its power and expressiveness are some of the best features of C++.

Extensible and fully generic C++ libraries aren't possible without template metapogramming. Even the Standard Library implementations hide many template metaprogramming tricks to make standard containers and algorithms that generic, high level, and efficient tools we use everyday.

The fact that tmp is a powerful tool can be seen in the evolution of the language, which now has features designed to improve metaprogramming, see C++11 <type_traits>, C++11 variadic templates, C++14 variable templates, C++14std::integer_sequence, etc.

But C++ template metaprogramming power comes at a high cost: Its really hard to do and understand. The template system was not originally designed to do such things, and that's reflected primarily in the cumbersome syntax involved and the cryptic error messages one get when something fails. Those are the reasons why people is usually scared by tmp, and most of us doesn't even try to use it.

This post tries to introduce template metaprogramming to the average C++ programmer, showing how it works, what can do, and finally leading with its problems trying to make it easier than in the old days of C++98, thanks to C++11 and C++14 language improvements.

But, what is metaprogramming?

From Wikipedia:

Quote:

<quote>Metaprogramming is the writing of computer programs that write or manipulate other programs (or themselves) as their data, or that do part of the work at compile time that would otherwise be done at run-time.

So instead of writing code that is compiled and does something at run-time (i.e. represents some actions to be done at run-time), we write code (meta-code?) that generates code. Let me show you a simple example:

#define MIN(x,y) (((x) > (y)) ? (x) : (y))

C parameterized macros could be viewed as metaprogramming functions, metafunctions. That is, a function that takes some parameters and generates C code. If you use that macro:

int main()
{
    int a , b , c = MIN(a,b);
}

Please ignore the UB, is just an example. The C preprocessor parses that macro, interprets its arguments, and returns the code (((a) > (b)) ? (a) : (b)), so the resulting code becomes:

int main()
{
    int a , b , c = (((a) < (b)) ? (a) : (b));
}

Reflection, the ability of some programming languages to inspect type and code information at runtime and modify it, could be another type of metaprogramming.

C++ Template Metaprogramming

Template metaprogramming, sometimes shorted to tmp, consists in using the C++ template system to generate C++ types, and C++ code in the process. Consider what a C++ template is: As the name says, it's only a template. A template function is not a function at all, it is a template to generate functions, and the same for class templates. That wonderful thing we all love, std::vector, is not a class. Is a template designed to generate a correct vector class for each type. When we instance a template, like std::vector<int>, then the compiler generates the code for a vector of ints, following the template the Standard Library developer provided. So if we write a template foo parameterized with a type parameter:
template<typename T>
struct foo
{
    T elem;
};
and then that template is instanced:
typedef foo<int> fooint;
typedef foo<char> foochar;
and the compiler generates different versions of the foo struct, one for each different combinations of template parameters:
struct foo_int
{
    int elem;
};
    
struct foo_char
{
    char elem;
};
    
typedef foo_int fooint;
typedef foo_char foochar;

Note that the generated classes foo_int and foo_char are not written in your source file at all, like what the C preprocessor does. The template instantiation is managed internally by the compiler. I wrote them in that way to make a clear example. template metaprogramming tree diagram As you can see, the C++ template system actually generates code. We, as C++ metaprogrammers, explode this to generate some code automatically.

Metafunctions

In the C preprocessor example, we introduced the concept of metafunction. In general a metafunction is a function working in the specific metaprogramming domain we are. In the case of C preprocessor, we manipulate C sourcecode explicitly, so its metafunctions (macros) take and manipulate C source. In C++ template metaprogramming we work with types, so a metafunction is a function working with types. C++ templates could take non-type parameters too, but its hard to be generic using heterogeneous categories of template parameters. Instead, we will work with type parameters only whenever possible.

template<typename T>
struct identity
{
    using type = T;
};

The template identity is a metafunction representing the identity function: Takes a value (Actually a type, since we work with types) and returns itself untouched. We can "call" that metafunction referencing its member type type:

using t = typename identity<int>::type; // t is int

Of course nested metafunction calls are possible:

using t = typename identity<typename identity<int>::type>::type; //t is int

But that typename ::type syntax doesn't scale well. Consider a more complex example:

using t = typename add<typename add<std::integral_constant<int,1>,std::integral_constant<int,2>>::type,
                       std::integral_constant<int,-2>
                      >::type;

There are a few possible solutions to this problem:

Use aliases to the result instead of the metafunction itself

Since C++11 we have template aliases, a kind of parametrized typedef. We can use them to write user-side metafunctions:

template<typename LHS , typename RHS>
using add = typename impl::add<LHS,RHS>::type;

Where add is the metafunction for the user, and impl::add is the class template that actually implements the metafunction. This allows us to write nested expressions in a clear way:

using t = add<std::integral_constant<int,1>,add<std::integral_constant<int,-2>,std::integral_constant<int,-4>>;

Build an expression evaluation system

The above approach hides the machinery to the user. But hidding means that those user side metafunctions are not metafunctions but aliases to their result. That means we cannot use user-side aliases in contexts expecting metafunctions: User-side metafunctions are not first class functions. Instead, we could build an expression evaluation system which takes an expresssion (A template with its parameters) and evaluate it saying "Is this a metafunction? Ok, so I should get its result via typename ::type". This approach has the advantage that one could customize the evaluation and design it for many complex cases. The simplest one, before evaluating a metafunction evaluate its parameters. This is what I did for Turbo, and Boost.MPL.Lambda takes a similar approach:

//https://www.biicode.com/manu343726/manu343726/turbo_core/master
#include "manu343726/turbo_core/turbo_core.hpp"

using tml::placeholders::_1;
using tml::placeholders::_2;

//t is tml::Int<3> (std::integral_constant<int,3>)
using t = tml::eval<tml::lambda<_1,_2 , tml::add<_1,_2>> , tml::Int<1>,tml::Int<2>>;

C++14 variable templates: Stop doing ugly template metaprogramming and use a natural syntax

This last approach is available since C++14 thanks to variable templates. A variable template is a constant parametrized with a template. The canonical example is a pi constant aware of the precision of the type used:

template<typename T>
constexpr T pi = 3.141592654;

float radious = 1.0f;
float circle  = pi<float>*pi<float>*radious;

Variable templates are values parametrized with templates, instead of types. So we can use constexpr functions instead of template metafunctions to operate even with types (Imagine a variable template acting as a box for a type). See Boost.Hanna for an example of this approach.

A Haskell-like language inside C++

template metaprogramming meme

Since we work with the C++ type system, using types as values for our computations, tmp works like a functional programming language; because metafunctions have no side effects: We can only create types, not to modify existing ones.

And like in a functional language, one of the pillars of tmp is recursion. In this case recursive template instantiations (Remember that name).
template<typename T>
struct throw_stars
{
    using type = T;
}; 

template<typename T>
struct throw_stars<T*>
{
    using type = typename throw_stars<T>::type;
};

I think the classic factorial/Fibonacci metafunctions examples are so boring. Here is something more interesting: The template throw_stars is a metafunction that takes a type and throws away all the "stars".

using t = typename throw_stars<int********>::type; //t is int 

The template specialization acts as the recursive case, and the main template as the base case. Note how C++ template specialization behaves like pattern matching. Another example could be traversing of C++11 variadic packs:

template<typename HEAD , typename... TAIL>
struct last
{
    using type = typename last<TAIL...>::type;
};

template<typename T>
struct last<T>
{
    using type = T;
};

using t = typename last<int,char,bool,double>::type; //t is double

which is a great example of a head:tail approach for list traversing common in functional languages.

Summary

In this first approach to C++ template metaprogramming we have seen that:

  • Metaprogramming is the process of writing code to generate code, that is, automatize code generation.
  • C++ template metaprogramming uses the template system to generate types, and code in the process: We generate types using templates, and we actually use those types to do computations or to generate the desired code.
  • The basic unit of metaprogramming is the metafunction, as in common programming the basic unit is the function. Metafunctions manipulate entities of their specific metaprogramming domain. In C++ template metaprogramming, those entities are types, and metafunctions are represented through templates.
  • Template metaprogramming is like a functional language embedded into C++ itself. That "language" has no side effects (We cannot modify an existing type, only create new ones), so we use the same patterns as in a functional programming language such as Haskell or F#.

Now we have a good overview of what C++ template metaprogramming is, but we need some C++ knowledge before getting into it. The next time we will learn C++ templates in depth: Template parameters, template specialization, SFINAE, etc; to make sure we all have and understand the necessary tools to do proper metaprogramming in Modern C++. Written by Manu Sánchez.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer biicode
Spain Spain
biicode is a C/C++ dependencies manager with a hosting service. For C/C++ developers that think a dependency manager is needed, biicode is a multiplatform tool and hosting service that allows you to build your projects easily, integrate third party code and reuse code among projects with just #includes.
This is a Organisation

3 members

Comments and Discussions

 
QuestionTemplates and metaprogramming Pin
geoyar13-Oct-14 14:53
professionalgeoyar13-Oct-14 14:53 
GeneralMy vote of 1 Pin
LingUaan3-Oct-14 20:36
LingUaan3-Oct-14 20:36 
GeneralMy vote of 2 Pin
CubbiMew3-Oct-14 16:48
CubbiMew3-Oct-14 16:48 
GeneralRe: My vote of 2 Pin
Member 104947487-Oct-14 5:35
Member 104947487-Oct-14 5:35 
GeneralRe: My vote of 2 Pin
Stefan_Lang15-Oct-14 23:16
Stefan_Lang15-Oct-14 23:16 
GeneralRe: My vote of 2 Pin
Member 1049474816-Oct-14 12:38
Member 1049474816-Oct-14 12:38 
GeneralRe: My vote of 2 Pin
Stefan_Lang21-Oct-14 20:57
Stefan_Lang21-Oct-14 20:57 
QuestionWell managed to read it all the way through and.... Pin
Bob10003-Oct-14 10:17
professionalBob10003-Oct-14 10:17 
AnswerRe: Well managed to read it all the way through and.... Pin
Member 104947487-Oct-14 5:40
Member 104947487-Oct-14 5:40 
QuestionThis allows us to write nested expressions in a clear way: Pin
Member 25550063-Oct-14 8:59
Member 25550063-Oct-14 8:59 
AnswerRe: This allows us to write nested expressions in a clear way: Pin
Member 104947487-Oct-14 5:41
Member 104947487-Oct-14 5:41 
QuestionMy rating of 5 Pin
Loic URIEN3-Oct-14 8:21
Loic URIEN3-Oct-14 8:21 
AnswerRe: My rating of 5 Pin
biicode5-Oct-14 22:10
professionalbiicode5-Oct-14 22:10 
AnswerRe: My rating of 5 Pin
Member 104947487-Oct-14 5:44
Member 104947487-Oct-14 5:44 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.