我读标准对吗?从min
和max
(以及minmax
)中有新的initializer_list变体,但没有Variadic Template变量?
因此,这是可以的:
int a = min( { 1,2,a,b,5 } );
但这不是:
int b = min( 1,2,a,b,5 ); // err!
我想,很多人都认为Variadic Templates可以很容易地实现这一点,因此他们可能会感到失望。
我想说,对min
和max
使用V.T.将是过度杀伤
- 可变模板能够处理多种类型
- initializer列表检查所有类型在设计上是否相同
因此I.L.更适合这项任务。
我的解释正确吗?
您的解释是正确的。N2772包含更深入的基本原理。
以下是我在GCC 4.6上测试的min
使用可变模板的解决方案,该模板带有和不带有Boost Concepts Common Type Traits。不过,我不确定common_type是否需要。
#define LessThanComparable class
#include <boost/type_traits/common_type.hpp>
/*! Multi-Type Minimum of p a. */
template <LessThanComparable T> const T & multi_type_min (const T & a) { return a; } // template termination
/*! Multi-Type Minimum of p a, p b and p args. */
template <class T, class ... R >
//requires SameType <T , Args >...
T multi_type_min(const T & a, const T & b, const R &... args)
{
return multi_type_min(a < b ? a : b, args...);
}
/*! Minimum of p a. */
template <LessThanComparable T> const T & min(const T & a) { return a; } // template termination
/*! Minimum of p a, p b and p args. */
template <class T, class U, class ... R, class C = typename boost::common_type<T, U, R...>::type >
C min(const T & a, const U & b, const R &... c)
{
return min(static_cast<C>(a < b ? a : b), static_cast<C>(c)...);
}
是的,我认为可以公平地说,让所有值都是兼容的类型会使列表成为该功能的一个很好的候选者。这并不是说你不能编写自己的变体模板版本。
通过组合可变模板和initializer_list,我们可以让函数int b = min( 1,2,a,b,5 );
在没有递归展开的情况下工作。
template <class T>
T _real_min_(T a, std::initializer_list<T> s) {
T *res = &a;
for (auto it = s.begin(); it != s.end(); ++it) {
*res = *(it) < *res ? *it : *res;
}
return *res;
}
template <class T, class... ArgTypes>
T min(T a, ArgTypes... args) {
return _real_min_(a, {args...});
}