原谅我对提出这个基本问题的无知,但我已经习惯了使用Python,这种事情是微不足道的,我完全忘记了如何在C ++中尝试这一点。
我希望能够将回调传递给在后台执行慢进程的函数,并在进程完成后稍后调用它。此回调可以是自由函数,静态函数或成员函数。我也希望能够在那里注入一些任意的参数用于上下文。 (即,在某种程度上实现一个非常差的人的协程。)最重要的是,这个函数将始终采用std :: string,这是进程的输出。我不介意这个参数在最终回调参数列表中的位置是否固定。
我觉得答案将涉及boost :: bind和boost :: function但我无法确定为了创建任意callables而必须进行的精确调用(同时将它们放在一起只需要一个string),将它们存储在后台进程中,并使用字符串参数正确调用callable。
答案 0 :(得分:17)
回调应存储为boost::function<void, std::string>
。然后,您可以使用boost::bind
通过绑定其他参数将任何其他函数签名“转换”为此类对象。
我没有尝试编译它,但它应该显示一般的想法
void DoLongOperation(boost::function<void, const std::string&> callback)
{
std::string result = DoSomeLengthyStuff();
callback(result);
}
void CompleteRoutine1(const std::string&);
void CompleteRoutine2(int param, const std::string&);
// Calling examples
DoLongOperation(&CompleteRoutine1); // Matches directly
DoLongOperation(boost::bind(&CompleteRoutine2, 7, _1)); // int parameter is bound to constant.
// This one is thanks to David Rodríguez comment below, but reformatted here:
struct S
{
void f( std::string const & );
};
int main()
{
S s;
DoLongOperation( boost::bind( &S::f, &s, _1 ) );
}
答案 1 :(得分:1)
听起来您想使用Observer pattern。
答案 2 :(得分:0)
最简单的方法:
class Callback
{
public:
virtual ~Callback() {}
virtual Callback* clone() const = 0;
// Better to wrap the call (logging, try/catch, etc)
void execute(const std::string& result) { this->executeImpl(result); }
protected:
// Don't make sense to have them public
Callback() {}
Callback(const Callback&) {}
Callback& operator=(const Callback&) { return *this; }
private:
virtual void executeImpl(const std::string& result) = 0;
};
// Example
class Example: public Callback
{
public:
Example(int a, int b): Callback(), mA(a), mB(b) {}
virtual Example* clone() const { return new Example(*this); }
private:
virtual void executeImpl(const std::string& result) {}
int mA;
int mB;
};
然后,您可以将回调类(通过指针/引用)传递给进程。该类具有根据需要的状态,并且可以在必要时复制(如果不是,则删除克隆)。