I need to print all kind of string data within double quotation, and others without double quotation.
This are my functions to check if the argument is a string.
template<class T>
struct is_str : std::integral_constant<bool, false> {};
template<> struct is_str<char*> : std::integral_constant<bool, true> {};
template<> struct is_str<wchar_t*> : std::integral_constant<bool, true> {};
template<> struct is_str<const char*> : std::integral_constant<bool, true> {};
template<> struct is_str<const wchar_t*> : std::integral_constant<bool, true> {};
template<> struct is_str<std::string> : std::integral_constant<bool, true> {};
template<> struct is_str<const std::string> : std::integral_constant<bool, true> {};
template<> struct is_str<std::wstring> : std::integral_constant<bool, true> {};
template<> struct is_str<const std::wstring> : std::integral_constant<bool, true> {};
And in the printer function, I use the above functions like this
template<typename T>
std::enable_if_t<is_str<T>::value>, std::ostream&>
operator<<(std::ostream& xx, const T& ar)
{
xx << "\"" << ar << "\"";
return xx;
}
template<typename T>
std::enable_if_t<!is_str<T>::value>, std::ostream&>
operator<<(std::ostream& xx, const T& ar)
{
xx << ar;
return xx;
}
It doesn't compile with the error
unrecognized template declaration/definition
Can someone please tell me how to fix this or better way to handle this situation?
Graham Best is right but there is another (bigger, IMHO) problem.
You're not defining
operator<<
; you're redefining it calling itself.As far I know, it's impossible (you redefine a function, the compiler doesn't know which version call) and when you write (inside the redefined operator)
which version of
operator<<()
should be used? The new redefined (causing a loop recursion) or the old one?I think that the best way to exit from this problem is avoid to redefine
operator<<()
and define a simple function; by example, the followingprint()
and use it in this way
En passant: there are a couple of classes that can be useful to write a more compact code:
std::true_type
, defined asstd::integral_constant<bool, true>
, andstd::false_type
, defined asstd::integral_constant<bool, false>
.So you can define
is_str
as followsOBSERVE also that if you write
the
print()
doesn't add the quotes.This is because
"abc"
isn't achar const *
; it's aconst char[4]
.So, if you want add the quotes to
char[N]
andwchar_t[N]
too, you should add the following specializations