我想设计一组函数,例如min
,max
和stddev
,它们可以支持用户定义的类型。我打算做的是让用户将Extractor
模板参数传递给这些函数。一些示例代码如下:
template <typename T>
struct DefaultExtractor
{
typedef T value_type;
static T value(T &v){
return v;
}
};
template <
typename Extractor=DefaultExtractor<typename std::iterator_traits<InputIterator>::value_type>, //error
typename InputIterator>
typename Extractor::value_type
foo(InputIterator first, InputIterator last)
{
return Extractor::value(*first);
}
这不编译,错误消息是&#34;错误:'InputIterator'未在此范围内声明&#34;在typename Extractor=...
。
我想在Extractor
之前放置模板InputIterator
的原因是,当用户想要使用自定义的foo
来呼叫Extractor
时,他们不会InputIterator
。需要明确提供InputIterator
的类型。
我想知道是否有一个解决方案来编译代码,同时它不需要用户在需要自定义Extractor
时明确提供参数g++-4.6.1 -std=c++0x
。
代码使用{{1}}编译。
答案 0 :(得分:3)
虽然我发现您希望将提取器作为模板参数传递,但实际上将对象传递给函数更为典型。它也更灵活,因为它允许你有额外的状态,可以传递给提取器。
最重要的是,它可以更轻松地处理模板参数:
#include <iterator>
#include <list>
template <typename T>
struct DefaultExtractor
{
typedef T value_type;
static T value(T &v){
return v;
}
};
struct MyExtractor {
typedef int value_type;
static int value(int value) { return value; }
};
template <typename Extractor, typename InputIterator>
inline typename Extractor::value_type
foo(
InputIterator first,
InputIterator last,
const Extractor &extractor
)
{
return extractor.value(*first);
}
template <typename InputIterator>
inline typename DefaultExtractor<
typename std::iterator_traits<InputIterator>::value_type
>::value_type
foo(
InputIterator first,
InputIterator last
)
{
typedef DefaultExtractor<typename std::iterator_traits<InputIterator>::value_type> Extractor;
return foo(first,last,Extractor());
}
int main(int argc,char **argv)
{
std::list<int> l;
// Use default extractor
foo(l.begin(),l.end());
// Use custom exractor.
foo(l.begin(),l.end(),MyExtractor());
return 0;
}