我是否正确地阅读了来自min
和max
(以及minmax
)的标准,有新的 initializer_list 变体,但没有< strong> Variadic模板变体?
因此,这没关系:
int a = min( { 1,2,a,b,5 } );
但这不是:
int b = min( 1,2,a,b,5 ); // err!
我想,很多人都希望Variadic模板可以很容易地实现这一点,因此他们可能会感到失望。
我会说使用V.T.对于min
和max
来说会有点矫枉过正
我的解释是否正确?
答案 0 :(得分:10)
您的解释是正确的。 N2772包含更深入的理由。
答案 1 :(得分:1)
这是我的解决方案,使用带有和不带 Boost Concepts常见类型特征的可变参数模板,用于在GCC 4.6上测试的min
。不过,我不确定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)...);
}
答案 2 :(得分:0)
是的我认为将所有值都设置为兼容类型是合理的,这使得列表成为此功能的良好候选者。这并不是说您无法编写自己的可变参数模板版本。
答案 3 :(得分:0)
通过结合可变参数模板和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...});
}