C++11多线程之 std::packaged_task

简介

先给出官网的一个地址:http://www.cplusplus.com/reference/future/packaged_task/?kw=packaged_task
个人认为,相当于一个装饰器,封装了一系列的函数,然后启动一个线程进行异步执行,而且函数的类型是高度可定制化的。启动线程的时候,仅需要把封装的任何和对应的参数依次传入即可。std::packaged_task返回一个std::future对应的值,之后我们可以通过返回的future进行任务的获取。

对比原生的std::promise,这个做法更加简洁安全,因为不用人为地去自己传入std::promise了。相对于std::async来说,更加灵活,因为std::async函数是编译器自己封装线程,我们无法认为控制。

代码示例

#include 
#include 
#include 
#include 

int test(int n) {
    std::cout << "test function will sleep for " << n << " seconds\n";
    std::this_thread::sleep_for (std::chrono::seconds(n));
    std::cout << "test function weak up...\n";
    return n;
}

int main() {
    std::packaged_task<int(int)> tsk(test);
    std::future<int> fut = tsk.get_future();
    std::thread th(std::move(tsk), 1);
    int val = fut.get();
    std::cout << "Main thread gets value " << val << std::endl;
    th.join();
}

你可能感兴趣的:(C++笔记)