将成员函数转发给静态方法

时间:2015-09-15 07:16:40

标签: c++ c++11 function-pointers member-functions

上下文

基本上我需要为成员函数设置const void *const,因为必须将其传递给第三方库(这意味着我无法使用bindfunction等) 。由于这似乎是不可能的,我想做下一个最好的事情并将成员函数映射到静态转发方法,然后我可以获取指针(将this作为第一个参数传递)。

问题

我有一个很多我需要注册的函数,有不同的签名,所以我想有一个很好的解决方案,允许我将成员函数的签名转换为静态方法签名(当然将this作为参数传递) - 然后我可以将其转换为const void* const。所以基本上我想做这样的事情:

基本上是这样的:

struct Foo
{ 
    MyType Bar(int a);
};

template <typename Ret, typename This, Ret(This::*Func)()>
struct CallWrap0
{
    static Ret &&Call(This* thisPtr)
    {
        return thisPtr->(*Func)();
    }
};

int Main()
{
    const void * const memberFunction = &(CallWrap0<MyType, Foo, Foo::Bar>()::Call);
    // etc.
}

这个解决方案的问题在于 - 尽管它有效 - 它不是很好,因为我必须明确告诉编译器类型。我正在寻找一种解决方案,编译器可以自动填写所有管道。

我一直试图用辅助函数解决这个问题,到目前为止没有运气:

template <class Ret, class T, class... Args>
const void* const FunctionPtr(Ret (T::*function)(Args... args))
{
    // not sure... function is not a template, so this would require a class instance
    // which is not possible due to the ext. library constraints.
}

1 个答案:

答案 0 :(得分:4)

#include <utility>

template <typename T, T t>
struct CallWrap;

template <typename Ret, typename This, typename... Args, Ret(This::*Func)(Args...)>
struct CallWrap<Ret(This::*)(Args...), Func>
{
    static Ret Call(This* thisPtr, Args... args)
    {
        return (thisPtr->*Func)(std::forward<Args>(args)...);
    }
};

int main()
{
    auto f = &CallWrap<decltype(&Foo::Bar), &Foo::Bar>::Call;
}

DEMO

对于无法编译上述解决方案的MSVC,请尝试以下代码:

template <typename T>
struct CallWrap;

template <typename Ret, typename This, typename... Args>
struct CallWrap<Ret(This::*)(Args...)>
{
    template <Ret(This::*Func)(Args...)>
    struct Function
    {
        static Ret Call(This* thisPtr, Args... args)
        {
            return (thisPtr->*Func)(std::forward<Args>(args)...);
        }
    };
};

int main()
{
    auto f = &CallWrap<decltype(&Foo::Bar)>::Function<&Foo::Bar>::Call;
}

DEMO 2