我正在尝试围绕AngelScript编写一个薄的包装器。我无法弄清楚如何包裹特定的结构。
这是我要包装的结构的结构定义,asSMethodPtr
:
template <int N>
struct asSMethodPtr
{
template<class M>
static asSFuncPtr Convert(M Mthd)
{
// This version of the function should never be executed, nor compiled,
// as it would mean that the size of the method pointer cannot be determined.
int ERROR_UnsupportedMethodPtr[N-100];
asSFuncPtr p;
return p;
}
};
以下是asSFuncPtr
的定义:
struct asSFuncPtr
{
union
{
char dummy[25]; // largest known class method pointer
struct {asFUNCTION_t func; char dummy[25-sizeof(asFUNCTION_t)];} f;
} ptr;
asBYTE flag; // 1 = generic, 2 = global func
};
以下是我发现的代码(取自AngelBinder库),允许我“包装”它:
template<typename R> ClassExporter& method(std::string name, R (T::*func)())
{
MethodClass mthd(name, Type<R>::toString(), asSMethodPtr< sizeof( void (T::*)() ) >::Convert( AS_METHOD_AMBIGUITY_CAST( R (T::*)()) (func) ));
this->_methods.push(mthd);
return *this;
}
不幸的是,我不知道这段代码在做什么......
T::*
应该做什么?指向类类型的指针?
什么是R (T::*func)()
?
任何帮助表示赞赏...
答案 0 :(得分:2)
T::*
是指向成员的指针。 R (T::*func)()
是指向成员函数的指针,该函数返回R
并获取0参数。例如:
struct S
{
int f()
{
return 5;
}
int x = 10;
};
int main()
{
S s;
int S::* ptr = &S::x;
std::cout << s.*ptr; // 10
int (S::*f_ptr)() = &S::f;
std::cout << (s.*f_ptr)(); // 5
}
了解更多here。