函式指標使用c++類成員函式

liiinuuux發表於2016-08-18
使用一些C的庫時,需要讓類的成員函式對接C的回撥函式指標。
以pthread為例,利用類裡的一個靜態函式作為pthread_create的引數,將類的this指標傳給這個靜態函式,然後就可以想幹什麼幹什麼了。

點選(此處)摺疊或開啟

  1. template <typename A, typename R>
  2. class thr: public boost::noncopyable
  3. {
  4. private:
  5.     typedef A arg_t;
  6.     typedef R res_t;
  7.     typedef pthread_t tid_t;
  8.     typedef boost::function func_t;
  9.     thr(){}
  10.     tid_t _tid;
  11.     arg_t _arg;
  12.     res_t _res;
  13.     func_t _func;

  14.     static void* _thread_func(void* arg)
  15.     {
  16.         ((thr*)arg)->func();
  17.         return NULL;
  18.     }
  19. public:
  20.     explicit thr(func_t func, arg_t arg): _func(func), _arg(arg){}
  21.     ~thr(){}
  22.     tid_t get_tid() {return _tid;}
  23.     arg_t get_arg() {return _arg;}
  24.     res_t get_result() {return _res;}
  25.     void set_arg(arg_t arg) {_arg = arg;}
  26.     void set_result(res_t res){_res = res;}

  27.     void func() {_res = _func(_arg);}
  28.     int run() {return pthread_create(&_tid, NULL, _thread_func, this);}
  29.     int join()
  30.     {
  31.         void* p;
  32.         return pthread_join(_tid, &p);
  33.     }
  34. };

  35. class test
  36. {
  37. public:
  38.     char* f(int i)
  39.     {
  40.         char* s = new char[10];
  41.         sprintf(s, "%d", i);
  42.         return s;
  43.     }
  44. };

  45. int main()
  46. {
  47.     test te;
  48.     thr th(boost::bind(&test::f, te, _1), 123);
  49.     th.run();
  50.     th.join();

  51.     char* s = th.get_result();
  52.     cout << th.get_result() << endl;
  53.     delete[] s;
  54.     return 0;
  55. }



上面為了方便用了boost::function。使得整個類和boost::thread功能有點重複。
如果不想用boost,可以想下面這樣,用繼承的方式。
class thr
{
protected:
    pthread_t _tid;

    static void* _thread_func(void* arg) {return ((thr*)arg)->_func();}
    virtual void* _func() = 0;
    thr(const thr& o){}
public:
    thr(){}
    ~thr(){}
    int start_thread()
    {
        int re = pthread_create(&_tid, NULL, _thread_func, this);
        if(re != 0) return re;
    }

    int join_thread()
    {
        void* p;
        if(pthread_join(_tid, &p) != 0) return -1;
        cout << (*(int*)p) << endl;
        return 0;
    }
};

class test: public thr
{
private:
    int _i;
    void* _func()
    {
        cout << "thread begin" << endl;
        return &_i;
    }
public:
    test(int i):_i(i){}
};

int main()
{
    test te(10);
    te.start_thread();
    te.join_thread();
    return 0;
}







來自 “ ITPUB部落格 ” ,連結:http://blog.itpub.net/26239116/viewspace-2123701/,如需轉載,請註明出處,否則將追究法律責任。

相關文章