Hello I want to write two implementations of the to_string member function as follows:
template <typename T0> class foo
{
public: std::string to_string();
public: T0 m_Value;
};
template <typename T0> std::string foo<T0>::to_string()
{
std::stringstream ss;
ss << m_Value;
return ss.str();
}
template <typename T0> std::string foo<T0>::to_string()
{
return typeid(T0).name();
}
I have seen this, however I don't know how to use the code, I'm not used to enable_if and boost mpl at all. How should I define the two to_string functions to use the second as a fallback?
Thanks.
My take on this: you can take the metafunction you found as is, it works nicely. Let's still discuss briefly why it is working:
sizeof
does not actually evaluate an expression; it deduces its type and returns the size of that type. Type sizes are implementation defined and we cannot assume much about them, but we know thatsizeof(char) != sizeof(char[2])
, so we use these types to test for.We define a stream operator at namespace level using an
any_t
type, that will accept - you guessed it - any type and let it return something (it's not actually important what type, as long as it's notostream &
). This is what we fall back to if the type does not have a stream operator defined. In the class itself we now define two functions, one taking anostream &
, which will be the result if the stream operator is defined, and one taking the return type we defined for our fallback function.We can now test
sizeof(test(s << c))
which, again, will not evaluate the expression, only determine the return type and return its size.Now all that we understand how that works, all there's left to do is to embed this into our application. There are several approaches to do this; one way, which also works prior C++11 is to use a functor:
There are more ways to do this, another one being
enable_if
, if C++11 is available for you (you will probably want partially specialized functions to do this); you may want to read this excellent blog post on this matter.In this simple case however, a functor should do in my opinion.