46

我正在尝试重新创建观察者模式,我可以在其中完美地将参数转发给观察者的给定成员函数。

如果我尝试传递具有多个覆盖的成员函数的地址,它无法根据参数推断出正确的成员函数。

#include <iostream>
#include <vector>
#include <algorithm>

template<typename Class>
struct observer_list
{
    template<typename Ret, typename... Args, typename... UArgs>
    void call(Ret (Class::*func)(Args...), UArgs&&... args)
    {
        for (auto obj : _observers)
        {
            (obj->*func)(std::forward<UArgs>(args)...);
        }
    }
    std::vector<Class*> _observers;
};

struct foo
{
    void func(const std::string& s)
    {
        std::cout << this << ": " << s << std::endl;
    }
    void func(const double d)
    {
        std::cout << this << ": " << d << std::endl;
    }
};

int main()
{
    observer_list<foo> l;
    foo f1, f2;
    l._observers = { &f1, &f2 };

    l.call(&foo::func, "hello");
    l.call(&foo::func, 0.5);

    return 0;
}

这无法用template argument deduction/substitution failed.

请注意,我有Args...并且UArgs...因为我需要能够传递的参数不一定与函数签名的类型相同,但可以转换为所述类型。

我在想我可以使用std::enable_if<std::is_convertible<Args, UArgs>>调用来消除歧义,但我不相信我可以使用可变参数模板参数包来做到这一点?

我怎样才能让模板参数推导在这里工作?

4

1 回答 1

51

问题在这里:

l.call(&foo::func, "hello");
l.call(&foo::func, 0.5);

对于这两行,编译器不知道foo::func您指的是哪一行。foo:func因此,您必须通过强制转换提供缺少的类型信息(即 的类型)来消除歧义:

l.call(static_cast<void (foo::*)(const std::string&)>(&foo::func), "hello");
l.call(static_cast<void (foo::*)(const double      )>(&foo::func), 0.5);

或者,您可以提供编译器无法推断的模板参数并定义 的类型func

l.call<void, const std::string&>(&foo::func, "hello");
l.call<void, double            >(&foo::func, 0.5);

请注意,您必须使用double而不是const double高于。原因是一般doubleconst double是两种不同的类型。但是,在一种情况下doubleconst double被认为是同一类型:作为函数参数。例如,

void bar(const double);
void bar(double);

不是两个不同的重载,但实际上是相同的功能。

于 2013-07-26T07:19:41.350 回答