类的线程调用方法

可能的复制品:
使用成员函数 启动线程

我有一个小班:

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

如何在方法 runMultiThread()的两个线程中用两组不同的参数(例如 calculate(0,10)calculate(11,20))运行方法 calculate

谢谢我忘记了我需要传递 this,作为参数。

173094 次浏览

Not so hard:

#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();
}

If the result of the computation is still needed, use a future instead:

#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();
}