web-dev-qa-db-ja.com

メンバー関数でブーストバインドを使用する方法

次のコードにより、cl.exeがクラッシュします(MS VS2005)。
ブーストバインドを使用して、myclassのメソッドを呼び出す関数を作成しようとしています。

#include "stdafx.h"
#include <boost/function.hpp>
#include <boost/bind.hpp>
#include <functional>

class myclass {
public:
    void fun1()       { printf("fun1()\n");      }
    void fun2(int i)  { printf("fun2(%d)\n", i); }

    void testit() {
        boost::function<void ()>    f1( boost::bind( &myclass::fun1, this ) );
        boost::function<void (int)> f2( boost::bind( &myclass::fun2, this ) ); //fails

        f1();
        f2(111);
    }
};

int main(int argc, char* argv[]) {
    myclass mc;
    mc.testit();
    return 0;
}

何が間違っていますか?

73
hamishmcn

代わりに次を使用してください。

boost::function<void (int)> f2( boost::bind( &myclass::fun2, this, _1 ) );

これは、プレースホルダーを使用して、関数オブジェクトに渡された最初のパラメーターを関数に転送します-パラメーターの処理方法をBoost.Bindに伝える必要があります。式では、引数をとらないメンバー関数として解釈しようとします。
をご覧ください。 here または here 一般的な使用パターン。

VC8s cl.exeはBoost.Bindの誤用で定期的にクラッシュすることに注意してください-疑わしい場合はgccでテストケースを使用すると、おそらく次のような良いヒントが得られます出力を読み通すと、テンプレートパラメータBind-internalsがインスタンス化されました。

100
Georg Fritzsche