- future[meta header]
- std[meta namespace]
- class template[meta id-type]
- cpp11[meta cpp]
namespace std {
template <class R>
class promise;
}
promise
は、「別スレッドでの処理完了を待ち、その処理結果を取得する」といった非同期処理を実現するためのクラスであり、future
クラスと組み合わせて使用する。promise
が別スレッドでの処理結果を書き込み、future
がその結果を読み取る。promise
とfuture
は内部的に同一の共有状態を参照する。これによってスレッド間での値の受け渡しやスレッド間同期を実現する。
このクラスはR&
およびvoid
の、2つの特殊化を持つ。
テンプレートパラメータ:
名前 |
説明 |
対応バージョン |
get_future |
結果取得のためのfuture オブジェクトを取得する |
C++11 |
名前 |
説明 |
対応バージョン |
swap |
2つのpromise オブジェクトを入れ替える |
C++11 |
#include <iostream>
#include <future>
#include <thread>
#include <utility>
void calc(std::promise<int> p)
{
int sum = 0;
for (int i = 0; i < 10; ++i) {
sum += i + 1;
}
p.set_value(sum); // 結果値を書き込む
}
int main()
{
std::promise<int> p;
std::future<int> f = p.get_future();
// 別スレッドで計算を行う
std::thread t(calc, std::move(p));
// calc()によって書き込まれた結果を取得
std::cout << f.get() << std::endl;
t.join();
}
- std::promise[color ff0000]
- std::future[link future.md]
- p.set_value[link promise/set_value.md]
- p.get_future()[link promise/get_future.md]
- std::move[link /reference/utility/move.md]
- f.get()[link future/get.md]