web-dev-qa-db-ja.com

先物と約束

私は未来と約束の違いと混同しています。

明らかに、それらには異なる方法やものがありますが、実際のユースケースは何ですか?

それは...ですか?:

  • 非同期タスクを管理しているとき、futureを使用して「将来」の値を取得します
  • 私が非同期タスクの場合、ユーザーが私の約束から未来を得ることができるように、戻り値の型としてpromiseを使用します
118
Let_Me_Be

FutureとPromiseは、非同期操作の2つの別々の側面です。

std::promiseは、非同期操作の「プロデューサー/ライター」によって使用されます。

std::futureは、非同期操作の「コンシューマー/リーダー」によって使用されます。

これらの2つの「インターフェース」に分けられている理由は、「コンシューマー/リーダー」からの「書き込み/設定」機能をhideにするためです。

auto promise = std::promise<std::string>();

auto producer = std::thread([&]
{
    promise.set_value("Hello World");
});

auto future = promise.get_future();

auto consumer = std::thread([&]
{
    std::cout << future.get();
});

producer.join();
consumer.join();

Std :: promiseを使用してstd :: asyncを実装する1つの(不完全な)方法は次のとおりです。

template<typename F>
auto async(F&& func) -> std::future<decltype(func())>
{
    typedef decltype(func()) result_type;

    auto promise = std::promise<result_type>();
    auto future  = promise.get_future();

    std::thread(std::bind([=](std::promise<result_type>& promise)
    {
        try
        {
            promise.set_value(func()); // Note: Will not work with std::promise<void>. Needs some meta-template programming which is out of scope for this question.
        }
        catch(...)
        {
            promise.set_exception(std::current_exception());
        }
    }, std::move(promise))).detach();

    return std::move(future);
}

std::packaged_taskの周りでヘルパーであるstd::promiseを使用すると(つまり、基本的に上記で行ったことを実行します)、より完全でより高速な以下を実行できます。

template<typename F>
auto async(F&& func) -> std::future<decltype(func())>
{
    auto task   = std::packaged_task<decltype(func())()>(std::forward<F>(func));
    auto future = task.get_future();

    std::thread(std::move(task)).detach();

    return std::move(future);
}

これは、返されるstd::asyncが実際に破壊されるときにスレッドが終了するまでブロックするstd::futureとはわずかに異なることに注意してください。

152
ronag