爲何C++11引入std::future和std::promise?C++11建立了線程之後,咱們不能直接從thread.join()獲得結果,必須定義一個變量,在線程執行時,對這個變量賦值,而後執行join(),過程相對繁瑣。html
thread庫提供了future用來訪問異步操做的結果。std::promise用來包裝一個值將數據和future綁定起來,爲獲取線程函數中的某個值提供便利,取值是間接經過promise內部提供的future來獲取的,也就是說promise的層次比future高。 ios
#include "stdafx.h" #include <iostream> #include <type_traits> #include <future> #include <thread> using namespace std; int main() { std::promise<int> promiseParam; std::thread t([](std::promise<int>& p) { std::this_thread::sleep_for(std::chrono::seconds(10));// 線程睡眠10s p.set_value_at_thread_exit(4);// }, std::ref(promiseParam)); std::future<int> futureParam = promiseParam.get_future(); auto r = futureParam.get();// 線程外阻塞等待 std::cout << r << std::endl; return 0; }
上述程序執行到futureParam.get()時,有兩個線程,新開的線程正在睡眠10s,而主線程正在等待新開線程的退出值,這個操做是阻塞的,也就是說std::future和std::promise某種程度也能夠作爲線程同步來使用。promise
std::packaged_task包裝一個可調用對象的包裝類(如function,lambda表達式(C++11之lambda表達式),將函數與future綁定起來。std::packaged_task與std::promise都有get_future()接口,可是std::packaged_task包裝的是一個異步操做,而std::promise包裝的是一個值。異步
#include "stdafx.h" #include <iostream> #include <type_traits> #include <future> #include <thread> using namespace std; int main() { std::packaged_task<int()> task([]() { std::this_thread::sleep_for(std::chrono::seconds(10));// 線程睡眠10s return 4; }); std::thread t1(std::ref(task)); std::future<int> f1 = task.get_future(); auto r = f1.get();// 線程外阻塞等待 std::cout << r << std::endl; return 0; }
而std::async比std::promise, std::packaged_task和std::thread更高一層,它能夠直接用來建立異步的task,異步任務返回的結果也保存在future中。std::async的原型:async
async( std::launch policy, Function&& f, Args&&... args );
std::launch policy有兩個,一個是調用即建立線程(std::launch::async),一個是延遲加載方式建立線程(std::launch::deferred),當掉使用async時不建立線程,知道調用了future的get或者wait時才建立線程。以後是線程函數和線程參數。函數
#include "stdafx.h" #include <iostream> #include <future> #include <thread> int main() { // future from a packaged_task std::packaged_task<int()> task([]() { std::cout << "packaged_task started" << std::endl; return 7; }); // wrap the function std::future<int> f1 = task.get_future(); // get a future std::thread(std::move(task)).detach(); // launch on a thread // future from an async() std::future<int> f2 = std::async(std::launch::deferred, []() { std::cout << "Async task started" << std::endl; return 8; }); // future from a promise std::promise<int> p; std::future<int> f3 = p.get_future(); std::thread([&p] { p.set_value_at_thread_exit(9); }).detach(); f1.wait(); f2.wait(); f3.wait(); std::cout << "Done!\nResults are: " << f1.get() << ' ' << f2.get() << ' ' << f3.get() << '\n'; }