我自己从未使用过变量模板,但我想我现在可能需要它们。假设我有一个班级
class A {
int Kern;
template<int> void func_a(int, double) const;
template<int> void func_b(double, double, char) const;
template<int> unsigned func_c(float, std::vector<int> const&) const;
public
/* ... */
void FuncA(int, double) const;
void FuncB(double, double, char) const;
unsigned FuncC(float, std::vector<int> const&) const;
};
A::FuncA()
等的定义都是
void A::FuncA(int i, double x) const
{
switch(Kern) {
case 1: return func_a<1>(i,x);
case 2: return func_a<2>(i,x);
case 3: return func_a<3>(i,x);
/* ... */
}
}
我目前使用C-macro实现此开关
#define SwitchKernMacro(KERN,FUNC) \
switch(KERN) { \
case 1: FUNC(1); \
case 2: FUNC(2); \
case 3: FUNC(3); \
/* ... */ \
}
这样
void A::FuncA(int i, double x) const
{
#define FuncK(KERN) return func_a<KERN>(i,x);
SwitchKernMacro(Kern,FuncK);
#undef FuncK
}
我喜欢避免这个C-macro支持可变参数模板解决方案,这样我的函数的实现变得简单(或类似)
void A::FuncA(int i, double x) const
{ return SwitchKern(Kern,func_a,i,x); }
void A::FuncB(double a, double b, char c) const
{ return SwitchKern(Kern,func_b,a,b,c); }
unsigned A::FuncC(float f, std::vector<int> const&v) const
{ return SwitchKern(Kern,func_c,f,v); }
模板SwitchKern
应该如何?
修改
似乎对C ++模板以及何时可以使用它们存在一些困惑。假设,我只有以下非常简单的功能
class A {
int Kern;
template int> void simple() const;
public:
void Simple() const
{
switch(K) {
case 1: return simple<1>();
case 2: return simple<2>();
case 3: return simple<3>();
default: return simple<0>();
}
}
/* ... */
};
然后我也可以通过
实现A::Simple()
class A {
/* ... */
template<int> friend struct simple_aux;
};
template<class T, template<int> class SimpleAux>
void Switch(int K, const T* a) {
switch(K) {
case 1: return SimpleAux<1>(a)();
case 2: return SimpleAux<2>(a)();
case 3: return SimpleAux<3>(a)();
default: return SimpleAux<0>(a)();
}
}
template<int k> struct simple_aux
{
const A*const a;
explicit simple_aux(const A*a__) : a(a__) {}
void operator()() { return a->simple<k>(); }
};
void A::Simple() const
{ Switch<A,simple_aux>(K,this); }
但是,此解决方案不允许返回类型与void
不同,并且不允许函数A::Simple()
的任意参数(传递给A::simple<>()
)。我的问题是如何使用可变参数模板添加这些功能
答案 0 :(得分:3)
问题是函数模板不能传递给模板,只能传递给类模板。您可以使用帮助程序类解决此问题:
template<template<int i> class Helper, typename... Args>
auto SwitchKern(int Kern, const A &a, Args &&...args)
-> decltype((a.*(Helper<0>::func()))(args...))
{
switch (Kern) {
case 1: return (a.*(Helper<1>::func()))(std::forward<Args>(args)...);
case 2: return (a.*(Helper<2>::func()))(std::forward<Args>(args)...);
case 3: return (a.*(Helper<3>::func()))(std::forward<Args>(args)...);
}
}
template<int i>
struct FuncAHelper {
static decltype(&A::func_a<i>) func() { return &A::func_a<i>; }
};
void A::FuncA(int i, double x) const
{
return SwitchKern<FuncAHelper, int &, double &>(Kern, *this, i, x);
}
另见Is there a generic way to adapt a function template to be a polymorphic function object?
答案 1 :(得分:-1)
我认为模板都是关于编译时解决方案的,它们无法帮助解决运行时问题,因此如果您使用开关检查运行时值,则无法更改为模板(可变或正常)