如何使用迭代器特性专门化函数模板?
How to specialize a function template with iterator traits?
template <typename ForwIt>
typename std::iterator_traits<ForwIt>::value_type
foo(ForwIt begin, ForwIt end, double bar)
{
using value_type = typename std::iterator_traits<ForwIt>::value_type;
// value_type is the type of the values the iterator ForIt points to
value_type baz;
// Do stuff with the values in range [begin, end).
// And modify baz;
return baz;
}
int main()
{
std::vector<int> numbers;
for (int i = 0; i < 10; ++i)
numbers.push_back(i);
const std::vector<int> v0(numbers.begin(), numbers.end());
const std::vector<float> v1(numbers.begin(), numbers.end());
std::cout << foo(v0.begin(), v0.end(), 0.1) << ' ' <<
foo(v1.begin(), v1.end(), 0.1) << std::endl;
return 0;
}
foo
函数的 return 类型的推导是 value_type
推导的结果。现在这适用于所有数字类型。
但是我希望 return 类型(和 baz
的类型)是 double
当 value_type
被推断为整数类型时。在这种情况下如何进行专业化?
您可以避免特化或编写另一个重载。相反,您可以根据某些条件使用 conditional_t
到 select 特定类型
// alias for convenience
using T = typename std::iterator_traits<ForwIt>::value_type;
// if T is int, value_type is double, otherwise it's just T
using value_type = std::conditional_t<std::is_same_v<T, int>, double, T>;
对于return类型,只需使用auto
,正确的类型将从baz
的类型推导出来。
这是一个demo
template <typename ForwIt>
typename std::iterator_traits<ForwIt>::value_type
foo(ForwIt begin, ForwIt end, double bar)
{
using value_type = typename std::iterator_traits<ForwIt>::value_type;
// value_type is the type of the values the iterator ForIt points to
value_type baz;
// Do stuff with the values in range [begin, end).
// And modify baz;
return baz;
}
int main()
{
std::vector<int> numbers;
for (int i = 0; i < 10; ++i)
numbers.push_back(i);
const std::vector<int> v0(numbers.begin(), numbers.end());
const std::vector<float> v1(numbers.begin(), numbers.end());
std::cout << foo(v0.begin(), v0.end(), 0.1) << ' ' <<
foo(v1.begin(), v1.end(), 0.1) << std::endl;
return 0;
}
foo
函数的 return 类型的推导是 value_type
推导的结果。现在这适用于所有数字类型。
但是我希望 return 类型(和 baz
的类型)是 double
当 value_type
被推断为整数类型时。在这种情况下如何进行专业化?
您可以避免特化或编写另一个重载。相反,您可以根据某些条件使用 conditional_t
到 select 特定类型
// alias for convenience
using T = typename std::iterator_traits<ForwIt>::value_type;
// if T is int, value_type is double, otherwise it's just T
using value_type = std::conditional_t<std::is_same_v<T, int>, double, T>;
对于return类型,只需使用auto
,正确的类型将从baz
的类型推导出来。
这是一个demo