使用静态成员函数指针作为模板参数时,使用最新的VC ++编译器(2012年11月CTP)得到此编译错误:
error C2027: use of undefined type 'wrapper<int (int,int),int A::f1(int,int)>'
但是当使用免费功能时,一切正常。 我在g ++(pointer to static member function is "invalid" as a template argument for g++)中查找了一些类似的错误,但它明确指出参数无效。静态函数有什么不同?
我正在将函数转换为void(*)(void)
,因为像<typename T_Ret, typename... T_Args, T_Ret(*)(T_Args...)>
这样的构造不会因其他一些原因而编译。
struct A
{
static int f1(int a, int b)
{
return a + b;
}
};
int f2(int a, int b)
{
return a + b;
}
template <typename Sig, void(*fnc)(void)>
struct wrapper;
template <void(*fnc)(void), typename T_Ret, typename... T_Args>
struct wrapper<T_Ret (T_Args...), fnc>
{
static bool apply()
{
// get some ints here
int a = 1;
int b = 2;
typedef T_Ret (fnc_ptr*)(T_Args...);
int res = ( (fnc_ptr)fnc )(a, b);
// do smth with result
res;
return true; // or false
}
};
int main()
{
bool res;
res = wrapper<decltype(A::f1), (void(*)(void))A::f1>::apply(); // error
res = wrapper<decltype(f2), (void(*)(void))f2>::apply(); // compiles ok
return 0;
}
编辑: 好吧,我把问题缩小到了decltype。 当我明确地写出类型时,一切正常:
res = wrapper<int(int, int), (void(*)(void))A::f1>::apply(); // compiles ok
答案 0 :(得分:1)
编辑: 看起来这是一个编译器错误:http://channel9.msdn.com/Series/C9-Lectures-Stephan-T-Lavavej-Core-C-/STLCCSeries6#c634886322325940618
解决方法:
将decltype(A::f1)
更改为decltype(&A::f1)
,将其输出从int(int, int)
更改为int (__cdecl *)(int,int)
。并改变
template <void(*fnc)(void), typename T_Ret, typename... T_Args>
struct wrapper<T_Ret (T_Args...), fnc>
到
template <void(*fnc)(void), typename T_Ret, typename... T_Args>
struct wrapper<T_Ret (*)(T_Args...), fnc>
工作代码:
struct A
{
static int f1(int a, int b)
{
return a + b;
}
};
template <typename Sig, void(*fnc)(void)>
struct wrapper;
template <void(*fnc)(void), typename T_Ret, typename... T_Args>
struct wrapper<T_Ret (*)(T_Args...), fnc>
{
static bool apply()
{
// get some ints here
int a = 1;
int b = 2;
typedef T_Ret (*fnc_ptr)(T_Args...);
int res = ( (fnc_ptr)fnc )(a, b);
// do smth with result
res;
return true; // or false
}
};
int main()
{
bool res;
res = wrapper<decltype(&A::f1), (void(*)(void))A::f1>::apply();
return 0;
}
答案 1 :(得分:0)
您可以尝试使用this:
#include <iostream>
using namespace std;
struct A
{
static int f1(int a, int b)
{
return a + b;
}
};
int f2(int a, int b)
{
return a + b;
}
template <typename T, T X>
struct wrapper
{
template <typename... Args>
static bool value(Args... blargs)
{
return X(blargs...) == 3;
}
};
int main()
{
bool res;
res = wrapper<decltype(&A::f1), &A::f1>::value(1,2);
cout << res << endl;
return 0;
}
但严重的是,这要容易得多:
#include <iostream>
using namespace std;
int main()
{
bool res;
res = A::f1(a, b) == 3;
cout << res << endl;
return 0;
}