31

我正在尝试编写一个类成员,它同时多次调用另一个类成员。

我写了一个简单的问题示例,甚至无法编译它。我在调用 std::async 时做错了什么?我想问题在于我如何传递函数。

#include <vector>
#include <future>
using namespace std;
class A
{
    int a,b;
public: 
    A(int i=1, int j=2){ a=i; b=j;} 

    std::pair<int,int> do_rand_stf(int x,int y)
    {
        std::pair<int,int> ret(x+a,y+b);
        return ret;
    }

    void run()
    {
        std::vector<std::future<std::pair<int,int>>> ran;
        for(int i=0;i<2;i++)
        {
            for(int j=0;j<2;j++)
            {
                auto hand=async(launch::async,do_rand_stf,i,j);
                ran.push_back(hand);    
            }
        }
        for(int i=0;i<ran.size();i++)
        {
            pair<int,int> ttt=ran[i].get();
            cout << ttt.first << ttt.second << endl;
        } 
    }
};

int main()
{
    A a;
    a.run();
}

汇编:

g++ -std=c++11 -pthread main.cpp 
4

2 回答 2

64

do_rand_stf是一个非静态成员函数,因此不能在没有类实例(隐式参数)的情况下调用this。幸运的是,std::async像您需要做的就是传递给调用并在传递时使用有效的成员函数指针语法:std::bindbindstd::mem_fnthisthisstd::asyncdo_rand_stf

auto hand=async(launch::async,&A::do_rand_stf,this,i,j);

不过,代码中还有其他问题。首先,您使用std::coutandstd::endl不使用#includeing <iostream>。更严重的是,std::future它是不可复制的,只能移动,所以你push_back不能不hand使用std::move. 或者,只需将async结果push_back直接传递给:

ran.push_back(async(launch::async,&A::do_rand_stf,this,i,j));
于 2012-08-01T11:55:48.277 回答
4

您可以将this指针传递给新线程:

async([this]()
{
    Function(this);
});
于 2017-02-12T22:15:05.013 回答