web-dev-qa-db-ja.com

クラスのstd :: thread呼び出しメソッド

可能性のある複製:
メンバー関数でスレッドを開始

私には小さなクラスがあります:

class Test
{
public:
  void runMultiThread();
private:
  int calculate(int from, int to);
}  

メソッドcalculate(0,10)からの2つのスレッドで、2つの異なるパラメーターセット(たとえば、calculate(11,20)runMultiThread())でメソッドcalculateを実行する方法

PSありがとうthisをパラメーターとして渡す必要があることを忘れてしまいました。

56
kobra

それほど難しくない:

#include <thread>

void Test::runMultiThread()
{
    std::thread t1(&Test::calculate, this,  0, 10);
    std::thread t2(&Test::calculate, this, 11, 20);
    t1.join();
    t2.join();
}

それでも計算の結果が必要な場合は、代わりにfutureを使用します。

#include <future>

void Test::runMultiThread()
{
     auto f1 = std::async(&Test::calculate, this,  0, 10);
     auto f2 = std::async(&Test::calculate, this, 11, 20);

     auto res1 = f1.get();
     auto res2 = f2.get();
}
155
Kerrek SB