考虑如下定义的类模板和辅助枚举类:
enum class Color {Red, Green, Blue}
enum class ShowAxes {False, True}
enum class ShowLabels {False, True}
template< Color, ShowAxes, ShowLabels >
class A
{......};
问题是,如何重新定义A类,它将独立于其论证的排列。我使用Dev C ++,它支持C ++ 11。
[编辑]
例如,新版本的A应该支持
A< Color::Red, ShowAxes::True, ShowLabels::True >
A< Color::Red, ShowLabels::True, ShowAxes::True >
A< ShowAxes::True, Color::Red, ShowLabels::True >
A< ShowLabels::True, Color::Red, ShowAxes::True >
A< ShowLabels::True, Color::Red, ShowAxes::True >
A< ShowAxes::True, Color::Red, ShowLabels::True >
版本,并且它们都是相同的,即它们生成相同的类。
答案 0 :(得分:5)
当前界面使用非类型参数是不可能的。
您可以改为使用类型参数并将值包装在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;
从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
具有相同的类型。 Demo
在替代方案中,您还可以使用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;
答案 1 :(得分:0)
也许使用std::is_same。然后,您可以通过这种方式简化代码:
template <typename A, typename B, typename C>
class X
{
public:
X() {
static_assert(
std::is_same<A, Color>::value ||
std::is_same<B, Color>::value ||
std::is_same<C, Color>::value,
"nope");
// other assertions here!
// also, make sure your types are different ;)
}
X(A a, B b, C c) : X() {
// your code here
}
};
template <typename A, typename B, typename C>
X<A, B, C> make(A a, B b, C c) {
// possible verifications here
return X<A, B, C>(a, b, c);
}
int main() {
auto a = make(Color::Red, ShowAxes::true, ShowLabels::True);
return 0;
}
您可以验证所有类型A,B和B下进行。
对不起,我没有看到任何其他解决方案。 :/