是否有可能使函数模板从函数引用中获取`decltype`?

时间:2013-10-09 20:13:58

标签: c++ c++11

我一直很难理解std::function模板。它似乎使用了我还不知道的魔法。它的模板参数是class Rclass... ARGS。然而,它可以作为std::function<void>std::function<void()>传递给模板。参数示例:std::function<void, int, float>std::function<void(int, float)>。第二种语法是在 c ++ 11 中引入的吗?我不认为这是有效的。

另外,有没有办法获取函数的decltype并将其传递给函数模板?这将使功能模板的设置变得更加容易。

以下是一个例子:

#include <functional>
using namespace std;

///////////////////////////////////////////////////////////////////////////////
// this works
void x() {}
void y(int p0) {}

int main1()
{
  using namespace std::placeholders;
  function<decltype(y)> functors[] = { bind(x), bind(y, _1) };
  functors[0](1);
  functors[1](1);
  return 0;
}

///////////////////////////////////////////////////////////////////////////////
// this doesn't work
struct X
{
    void x() {}
    void y(int p0) {}
    void z(int i, int p0)
    {
      using namespace std::placeholders;
      static function<decltype(&X::y)> functors[] = { bind(&X::x, _1), bind(&X::y, _1, _2) };
      functors[i](this, p0);
    }
};

int main2()
{
  X xobj;
  xobj.z(0, 1);
  xobj.z(1, 1);
  return 0;
}

int main()
{
    return main1() + main2();
}

2 个答案:

答案 0 :(得分:4)

std::function接受一个模板参数,该参数必须是函数类型。您无法使用std::function<void, int, float>std::function<void(int, float)>是唯一有效的语法。

std::function是在C ++ 11中引入的。之前没有std::function。但是,在TR1中定义了std::tr1::function,它使用了相同的std::function<void(int, float)>语法。

答案 1 :(得分:2)

您正在寻找的decltype可能类似于:

template<typename T>
struct transform_to_free_function;

template <typename Target, typename R, typename... Args>
struct transform_to_free_function<R (Target::*)(Args...)>
{
    using type = R(Target*, Args...);
};

注意:1)type现在是public成员2)它应该是一个函数类型,而不是用于此目的的指针。从指针类型创建非指针类型并不简单,但是否则必须在其上使用std::remove_pointer

然后你的例子的其余部分编译得很好:

#include <functional>
using namespace std;

template<typename T>
struct transform_to_free_function;

template <typename Target, typename R, typename... Args>
struct transform_to_free_function<R (Target::*)(Args...)>
{
    using type = R(Target*, Args...);
};

struct X
{
    void x() {}
    void y(int p0) {}
    void z(int i, int p0);
};

void X::z(int i, int p0)
{
    using namespace std::placeholders;
    static function<transform_to_free_function<decltype(&X::y)>::type>
    functors[] = { bind(&X::x, _1), bind(&X::y, _1, _2) };
    functors[i](this, p0);
}

int main()
{
    X xobj;
    xobj.z(0, 1);
    xobj.z(1, 1);
    return 0;
}