您当前的界面无法使用非类型参数。
您可以采用类型参数并将值包装在 a 中std::integral_constant
:
template<class X, class Y, class Z>
class A { /* stuff */ };
// use as:
A<std::integral_constant<Color, Color::Red>,
std::integral_constant<ShowAxes, ShowAxes::True>,
std::integral_constant<ShowLabels, ShowLabels::True>> a;
这相当冗长,因此您可以考虑编写一个宏:
#define AS_IC(Value) std::integral_constant<decltype(Value), Value>
并重写为
A<AS_IC(Color::Red), AS_IC(ShowAxes::True), AS_IC(ShowLabels::True)> a;
从 s 列表中提取所需类型的值integral_constant
很简单:
template<class Result, class...>
struct extract;
template<class Result, Result Value, class... Tail>
struct extract<Result, std::integral_constant<Result, Value>, Tail...> : std::integral_constant<Result, Value> {};
template<class Result, class Head, class... Tail>
struct extract<Result, Head, Tail...> : extract<Result, Tail...> {};
然后你可以做
// inside the definition of A
static constexpr Color col = extract<Color, X, Y, Z>::value;
演示。
但是,这不会生成相同的类,但您可以创建一个A_impl
行为A
与非类型参数类似的类模板,并且包含实际实现,然后创建A
一个别名模板:
template< Color, ShowAxes, ShowLabels >
class A_impl
{/* stuff */};
template<class X, class Y, class Z>
using A = A_impl<extract<Color, X, Y, Z>::value,
extract<ShowAxes, X, Y, Z>::value,
extract<ShowLabels, X, Y, Z>::value>;
现在给出
A<AS_IC(Color::Red), AS_IC(ShowAxes::True), AS_IC(ShowLabels::True)> a;
A<AS_IC(Color::Red), AS_IC(ShowLabels::True), AS_IC(ShowAxes::True)> b;
a
并且b
具有相同的类型。演示。
或者,您也可以使用decltype
和重载函数模板,但这需要为每个可能的类型顺序添加函数模板声明:
template< Color c, ShowAxes a, ShowLabels l>
A<c,a,l> A_of();
template< ShowAxes a, ShowLabels l, Color c>
A<c,a,l> A_of();
// etc.
decltype(A_of<Color::Red, ShowAxes::True, ShowLabels::True>()) a1;
decltype(A_of<ShowAxes::True, ShowLabels::True, Color::Red>()) a2;