I am trying to write a template function similar to std::to_string that works for basic types as well as iterators of STL containers. But I am not sure how to write the templates specific enough to identify just the iterators.
What I tried so far is to try to use the iterator typedef in STL containers
template<typename... Args, template <typename...> class Container>
static string to_string(typename Container<Args...>::iterator s) { ...
A minimal example is attached below. The code compiles but the template function My::to_string fails to match the above signature, and treated std::set<int>::iterator as a default type.
My question is how to write this correctly in a generic manner, so that the template function My::to_string can pickup iterators, but do not confuse iterators with other standard template types like std::string.
Thanks in advance.
#include <set>
#include <iostream>
using namespace std;
class My{
//base case
template<typename T>
static string to_string(const T& t) {
return "basic ";
}
//specialization for string
template <typename Char, typename Traits, typename Alloc>
static string to_string(const std::basic_string<Char, Traits, Alloc>& s) {
return (string)s;
}
//Problem line: how to write specialization for iterators of standard containers?
template<typename... Args, template <typename...> class Container>
static string to_string(typename Container<Args...>::iterator s) {
return "itor ";
}
};
int main() {
int i = 2;
string str = "Hello";
set<int> s;
s.insert(i);
cout << to_string(i) << ", " << str << ", "
<< to_string(s.begin()) << endl; //didn't get captured by iterator spec.
}
Output:
basic, Hello, basic
Desired output:
basic, Hello, itor
If you only care about the iterator-ness of the parameter, and not the type of the container, then you can SFINAE out the other overload.
First make an is_iterator trait, as shown in this answer:
template <typename T>
struct sfinae_true : std::true_type {};
struct is_iterator_tester {
template <typename T>
static sfinae_true<typename std::iterator_traits<T>::iterator_category> test(int);
template <typename>
static std::false_type test(...);
};
template <typename T>
struct is_iterator : decltype(is_iterator_tester::test<T>(0)) {};
Now SFINAE out the wrong overload depending on whether the type is an iterator:
//base case
template<typename T>
static std::enable_if_t<!is_iterator<T>::value, string> to_string(const T& t) {
return "basic ";
}
//specialization for string
template <typename Char, typename Traits, typename Alloc>
static string to_string(const std::basic_string<Char, Traits, Alloc>& s) {
return (string)s;
}
//Problem line: how to write specialization for iterators of standard containers?
template<typename T>
static std::enable_if_t<is_iterator<T>::value, string> to_string(const T& s) {
return "itor ";
}
Demo.
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With