期货与承诺

问题描述 投票:0回答:1

我对

std::future
std::promise
之间的区别感到困惑。

显然,他们有不同的方法和内容,但实际用例是什么?

是吗?:

  • 当我管理一些异步任务时,我使用
    std::future
    来获取“将来”的值
  • 当我是异步任务时,我使用
    std::promise
    作为返回类型,以允许用户从我的承诺中获得未来
c++ c++11 asynchronous promise future
1个回答
213
投票

Future 和 Promise 是异步操作的两个不同方面。

std::promise
由异步操作的“生产者/写入者”使用。

std::future
供异步操作的“消费者/读取器”使用。

它被分成这两个单独的“接口”的原因是为了隐藏“消费者/读取器”的“写入/设置”功能。

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 的一种(不完整)方法可能是:

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
在被破坏时实际上会阻塞,直到线程完成。

© www.soinside.com 2019 - 2024. All rights reserved.