如何使用模板特化来查找成员函数参数类型等?

时间:2012-01-19 20:28:34

标签: c++ templates metaprogramming

我确信我之前已经看到过这种情况,但现在却找不到它。

给定具有某种形式的成员函数的类,例如:

int Foo::Bar(char, double)

如何使用模板和各种专业来推断组成类型,例如:

template<typename Sig>
struct Types;

// specialisation for member function with 1 arg
template<typename RetType, typename ClassType, etc...>
struct Types<RetType (ClassType::*MemFunc)(Arg0)>
{
    typedef RetType return_type;
    typedef ClassType class_type;
    typedef MemFunc mem_func;
    typedef Arg0 argument_0;
    etc...
};

// specialisation for member function with 2 args
template<typename RetType, typename ClassType, etc...>
struct Types<RetType (ClassType::*MemFunc)(Arg0, Arg1)>
{
    typedef RetType return_type;
    typedef ClassType class_type;
    typedef MemFunc mem_func;
    typedef Arg0 argument_0;
    typedef Arg0 argument_1;
    etc...
};

这样当我用上面的成员函数实例化Types时,例如:

Types<&Foo::Bar>

它解析为正确的特化,并将声明相关的typedef?

编辑:

我正在玩快速委托,其回调静态绑定到成员函数。

我有以下模型,我认为它静态绑定到成员函数:

#include <iostream>

template<class class_t, void (class_t::*mem_func_t)()>
struct cb
{
    cb( class_t *obj_ )
        : _obj(obj_)
    { }

    void operator()()
    {
      (_obj->*mem_func_t)();
    }

    class_t *_obj;
};

struct app
{
  void cb()
  {
    std::cout << "hello world\n";
  }
};

int main()
{
  typedef cb < app, &app::cb > app_cb;

  app* foo = new app;
  app_cb f ( foo );
  f();
}

然而 - 如何以上述方式将其作为专业化?

1 个答案:

答案 0 :(得分:4)

你几乎得到了它,除了额外的MemFunc,这不是该类型的一部分。

template<typename RetType, typename ClassType, typename Arg0>
struct Types<RetType (ClassType::*)(Arg0)>   // <-- no MemType
{
    typedef RetType return_type;
    typedef ClassType class_type;
//  typedef MemFunc mem_func;     // <-- remove this line
    typedef Arg0 argument_0;
};

然而,无法使用

Types<&Foo::Bar>

因为Foo :: Bar是一个成员函数指针,而不是它的类型。您需要一些编译器扩展来获取C ++ 03中的类型,例如typeof in gccBoost.Typeof

Types<typeof(&Foo::Bar)>

或升级到C ++ 11并使用标准decltype

Types<decltype(&Foo::Bar)>