在C++中,可以使用std::async
和std::promise
来实现异步操作和传递结果。
std::async
函数用于在后台启动一个异步任务,并返回一个std::future
对象,用于获取异步任务的结果。
std::promise
类用于在一个线程中设置一个值或异常,并将其与一个std::future
对象关联起来,以便其他线程可以获取该值或异常。
下面是一个使用std::async
和std::promise
的示例:
#include <iostream>
#include <future>
// 异步任务函数
int asyncTask(int x, int y) {
return x + y;
}
int main() {
std::promise<int> resultPromise; // 创建一个 promise 对象
std::future<int> resultFuture = resultPromise.get_future(); // 获取与 promise 关联的 future 对象
// 启动异步任务
std::future<int> asyncResult = std::async(std::launch::async, asyncTask, 10, 20);
// 获取异步任务的结果,并设置给 promise 对象
resultPromise.set_value(asyncResult.get());
// 获取 promise 对象设置的结果
int result = resultFuture.get();
std::cout << "Result: " << result << std::endl;
return 0;
}
在上述示例中,asyncTask
函数是一个简单的异步任务函数,它接受两个整数参数并返回它们的和。在main
函数中,我们创建了一个std::promise
对象resultPromise
,并通过get_future
函数获取与之关联的std::future
对象resultFuture
。然后,我们使用std::async
函数启动异步任务,并将其结果通过set_value
函数设置给resultPromise
对象。最后,我们通过get
函数获取resultFuture
对象的值,并输出结果。
需要注意的是,std::async
函数的第一个参数是一个std::launch
枚举值,用于指定异步任务的启动策略。在上述示例中,我们使用std::launch::async
来指定在新线程中执行异步任务。还可以使用std::launch::deferred
来延迟任务的执行,直到调用std::future
对象的get
函数时才执行。
此外,还可以使用std::promise
的set_exception
函数来设置一个异常,并通过std::future
的get
函数捕获异常。