1

如何实现一个非常简单的 boost::bind 版本,它不绑定参数,但提供了一种在 c++ 类中调用成员函数的方法。

这是我的第一次尝试:

#include <iostream>

struct Foo {
    void x(int i) { std::cout << "Foo " << i << std::endl; }
};

struct Bar {
    void y(int i) { std::cout << "Bar " << i << std::endl; }
};

template<typename A1, typename I, typename M>
struct Binder {
    Binder(I i, M m) : i_(i), m_(m) { }
    void operator()(A1 a1) {
        (i_->*m_)(a1);
    }

    I i_;
    M m_;
};

template<typename A1, typename I, typename M>
Binder<A1, I, M> my_bind(I i, M m) {
    return Binder<A1, I, M>(i, m);
}

int main(int argc, const char *argv[])
{
    Foo foo;
    Bar bar;

    Binder<int, Foo*, void (Foo::*)(int)> b1 = my_bind<int>(&foo, &Foo::x);
    Binder<int, Bar*, void (Bar::*)(int)> b2 = my_bind<int>(&bar, &Bar::y);

    b1(1);
    b2(2);

    return 0;
}

上面的实现确实有效,并将打印:

Foo 1
Bar 2

问题是 my_bind 的两次调用返回了不同类型的对象。如何更改程序,以便 my_bind 将返回仅取决于 A1 的类型。

4

1 回答 1

0

问题是 my_bind 的两次调用返回了不同类型的对象。如何更改程序,以便 my_bind 将返回仅取决于 A1 的类型。

可以使用类型擦除

简而言之:

  1. 使用您喜欢的接口创建抽象类。它可能有一些模板参数。(下面代码中的AbstractBinder)
  2. 创建实现此接口的具体类。具体类可能比接口有更多的模板参数。(下面的Binder类)
  3. 使用模板构造函数创建Holder类 - 它创建具体类,但仅存储指向它的基本抽象类的指针。因此,Holder类只有 Abstract 接口所需的模板参数,而其构造函数具有Concrete类所需的所有其余模板参数。(下面的BinderHolder类)

现场演示

用法:

int main()
{
    Foo foo;
    Bar bar;

    BinderHolder<int> b1 = my_bind<int>(&foo, &Foo::x);
    BinderHolder<int> b2 = my_bind<int>(&bar, &Bar::y);

    b1(1);
    b2(2);
}

完整代码:

template<typename A1>
struct AbstractBinder
{
    virtual void call(A1 a1)=0;
    virtual AbstractBinder<A1> *clone()=0;
    virtual ~AbstractBinder(){}
};

template<typename A1, typename I, typename M>
struct Binder : AbstractBinder<A1>
{
    Binder(I i, M m) : i_(i), m_(m) { }
    void call(A1 a1)
    {
        (i_->*m_)(a1);
    }
    virtual AbstractBinder<A1> *clone()
    {
        return new Binder(*this);
    }
    I i_;
    M m_;
};

template<typename A1>
class BinderHolder
{
    AbstractBinder<A1> *ptr;
    BinderHolder &operator=(const BinderHolder&);
public:
    template<typename I, typename M>
    BinderHolder(I i, M m)
        : ptr(new Binder<A1,I,M>(i,m))
    {
    }
    BinderHolder(const BinderHolder &rhs)
        : ptr(rhs.ptr->clone())
    {
    }
    ~BinderHolder()
    {
        delete ptr;
    }
    void operator()(A1 a1)
    {
        ptr->call(a1);
    }
};

template<typename A1, typename I, typename M>
BinderHolder<A1> my_bind(I i, M m) {
    return BinderHolder<A1>(i, m);
}

#include <iostream>

struct Foo {
    void x(int i) { std::cout << "Foo " << i << std::endl; }
};

struct Bar {
    void y(int i) { std::cout << "Bar " << i << std::endl; }
};

int main()
{
    Foo foo;
    Bar bar;

    BinderHolder<int> b1 = my_bind<int>(&foo, &Foo::x);
    BinderHolder<int> b2 = my_bind<int>(&bar, &Bar::y);

    b1(1);
    b2(2);
}

PS如果您确定所有具体类的大小相同,那么您可以将堆分配替换为固定大小缓冲区内的新放置,并添加 static_assert 以确保安全。

于 2012-10-27T20:14:46.570 回答