Part 1 Part 2 Part 3 Part 4 Part 5 Postscript
So far, we’ve dealt with things that are already outputtable with operator<<
, and things that are iterable with begin()
and end()
. To round out the “containers”, we need to deal with pair
and tuple
. It’s simple to print a pair
:
template
struct stringifier_select
{
explicit stringifier_select(const T& t) : m_t(t) {}
std::ostream& output(std::ostream& s) const
{
return s << '(' << prettyprint(m_t.first)
<< ',' << prettyprint(m_t.second) << ')';
}
const T& m_t;
};
Printing a tuple
is a little harder. There is no easy way to iterate through a tuple
, but that's what we want to do. A tuple
is designed for compile-time member access where you know either the index (from C++11) or the type (from C++14) of the element you want. So what we need is a compile-time way of iterating through an index. And that's what std::index_sequence
is for.
template
inline void for_each_in_tuple(const std::tuple& t,
F f,
std::index_sequence)
{
(void)(int[]) { 0, (f(std::get(t), Is), 0)... };
}
template
inline void for_each_in_tuple(const std::tuple& t, F f)
{
for_each_in_tuple(t, f, std::make_index_sequence());
}
This is a handy function to have around. It applies a function to each element of a tuple
. First (in the second function seen here), we create a std::index_sequence
equal to the size of the tuple
. Then (in the top function) we construct an int
array using uniform initialization. To deal with zero-length tuple
s, the array has one zero element to begin. After that, each element of the array is our function applied to the thing at the current index and the index itself, sequenced with zero using the comma operator, so that whatever is returned, the array gets a zero and is happy.
I decided to pass both the element and the index to the function to deal with the separator fencepost problem (as with containers). So outputting a tuple
looks like this:
template
struct stringifier_select
{
explicit stringifier_select(const T& t) : m_t(t) {}
std::ostream& output(std::ostream& s) const
{
s << '(';
for_each_in_tuple(m_t,
[&s] (auto& e, size_t i)
{ if (i > 0) s << ',';
s << prettyprint(e); });
return s << ')';
}
const T& m_t;
};
Going well so far. Next, I'll look at distinguishing callable things.