具有异常的Windows并发运行时任务调度

时间:2017-07-23 00:49:05

标签: c++ windows ppl concurrency-runtime

根据MSDN

  

当先前任务完成时,即使先前任务被取消或引发异常,也始终会安排基于任务的延续执行。

我不明白这一点,因为我尝试了以下代码,并且在第一个任务完成后通过抛出异常不会调用后续任务。我理解为什么它必须将调用转发到调用concurrency::task::wait的站点,但我不明白MSDN上的语句意味着什么。我误解了什么?

#include <iostream>

#include <ppl.h>
#include <ppltasks.h>

int main(int argc, char* argv[])
{
    using namespace std;

    concurrency::task<void> task;
    auto task_ticket = concurrency::create_task([]()
    {
        // A continuation task executed asynchronously
        // after the previous task has completed. This
        // is executed even if the previous task fails
        // by being cancelled or throwing an exception.
        throw std::runtime_error("Hello");
    })

        .then([]()
    {
        // This should be executed even though the
        // previous task failed.
        cout << "Task (2) executed" << endl;
    });

    try
    {
        task_ticket.wait();
    }
    catch (std::exception const& e)
    {
        cout << "Exception caught\n";
    }
    return EXIT_SUCCESS;
}

1 个答案:

答案 0 :(得分:2)

你误解了Value-Based Versus Task-Based Continuations.

  

给定一个返回类型为T的任务对象,可以为其继续任务提供类型为T或任务的值。采用类型T的延续被称为基于值的延续。

您对create_task的初始调用将返回task<void>。您传递给.then的lambda接受void作为输入(因为.then([]()等同于.then([](void)),因此延续是基于值的,并且如果先前的任务不会运行抛出。

要声明基于任务的延续,请使用:

auto task_ticket = concurrency::create_task([]()
{
    throw std::runtime_error("Hello");
})
.then([](task<void> antecedent_task)
{
    cout << "Task (2) executed" << endl;
    antecedent_task.get(); // re-throws std::runtime_error
});