c ++:使用packaged_task构建异步

时间:2015-05-04 15:56:33

标签: c++ multithreading templates c++11 packaged-task

我正在尝试使用packaged_task实现异步。我通过模板化函数bsync尝试这个。 bsync有两个参数:一个函数f,一个参数包,args,并返回一个future,fut。未来是f(args ...)返回的类型。即 - 回归是未来

我想我差不多了,但是我遇到了类型转换错误。任何帮助将不胜感激:

#include "stdafx.h"
#include <iostream>
#include <future>
#include <thread>
#include <functional>
#include <type_traits>
using namespace std;


//Implement bsync as a templated function
//Template parameters are (i) Fn (the function to run), (ii) Args, a parameter pack of arguments to feed the function
//The function returns a future<Ret>, where Ret is the return-type of Fn(Args)
template<class Fn,class...Args>
auto bsync(Fn f, Args&&...args)->future<result_of<decltype(f)&(Args&&...)>>{

    //Determine return-type
    typedef result_of<decltype(f)&(Args&&...)>::type A;

    //Initialize a packaged_task
    packaged_task <A(Args&&...)>tsk(f);

    //Initialize a future
    future<A> fut = tsk.get_future();

    //Run the packaged task in a separate thread
    thread th(move(tsk),(args)...);

    //Join the thread
    th.join();

    return fut;
}

int plus_one(int x){
    cout << "Adding 1 to " << x << endl;
    return x++;
}

int main(){
    auto x = bsync(plus_one, 1);

    cout << "Press any key to continue:" << endl;
    cin.ignore();
    return 0;
}

1 个答案:

答案 0 :(得分:3)

您的尾随返回类型不正确。你有:

future<result_of<decltype(f)&(Args&&...)>>

这是future类型result_of<...>。您需要实际评估 result_of元函数以生成实际结果类型。那就是:

future<typename result_of<Fn(Args&&...)>::type>
       ^^^^^^^^^                        ^^^^^^

解决问题后,typename typedef错过了A