C++ 11 引入了 std::async 函数,可以使用它来创建异步任务。
时间: 2024-03-09 17:46:57 浏览: 160
是的,C++ 11 引入了 std::async 函数,可以用它来创建异步任务。std::async 函数的原型如下所示:
```c++
template <class Function, class... Args>
std::future<typename std::result_of<Function(Args...)>::type>
async(Function&& f, Args&&... args);
```
std::async 函数的作用是创建一个异步任务,并返回一个 std::future 对象,用于获取异步任务的返回值。std::async 函数的第一个参数是要执行的函数,后面的参数是该函数的参数。该函数会在一个新线程中执行,并在执行完成后返回结果。如果该函数抛出异常,则 std::future 对象中会保存该异常信息。
std::async 函数还可以指定执行策略,例如 std::launch::async 表示在新线程中执行异步任务,std::launch::deferred 表示在调用 std::future::get() 函数时执行异步任务。如果不指定执行策略,则由编译器自行决定。
以下是一个使用 std::async 函数创建异步任务的示例:
```c++
#include <iostream>
#include <future>
int foo(int x) {
std::cout << "foo is running in thread " << std::this_thread::get_id() << std::endl;
return x + 1;
}
int main() {
std::future<int> result = std::async(std::launch::async, foo, 1);
std::cout << "main is running in thread " << std::this_thread::get_id() << std::endl;
std::cout << "result is " << result.get() << std::endl;
return 0;
}
```
在上面的示例中,使用 std::async 函数创建了一个异步任务 foo,并将参数 1 传递给该函数。执行结果会保存在 std::future 对象中,可以使用 std::future::get() 函数获取异步任务的返回值。在主线程中也输出了一些信息,用于对比异步任务和主线程中的执行情况。
阅读全文