展示一个C++ 代码 异步拉起同步
时间: 2024-04-24 15:23:40 浏览: 137
在C++中,可以使用异步(Asynchronous)和同步(Synchronous)的方式来执行代码。异步指的是在执行耗时操作时不会阻塞当前线程,而是通过创建新的线程或使用回调函数等方式来处理。同步指的是在执行耗时操作时会阻塞当前线程,直到操作完成才继续执行。
以下是一个简单的示例,展示了如何在C++中实现异步拉起同步:
```cpp
#include <iostream>
#include <thread>
#include <future>
// 耗时操作函数
int performTask(int a, int b) {
// 模拟耗时操作
std::this_thread::sleep_for(std::chrono::seconds(2));
return a + b;
}
int main() {
std::cout << "Main thread started." << std::endl;
// 异步执行任务
std::future<int> future = std::async(std::launch::async, performTask, 2, 3);
// 主线程继续执行其他操作
// 同步等待任务结果
int result = future.get();
std::cout << "Result: " << result << std::endl;
std::cout << "Main thread finished." << std::endl;
return 0;
}
```
在上述示例中,我们使用`std::async`函数创建了一个异步任务,并指定了`std::launch::async`参数来确保任务在新线程上执行。`performTask`函数模拟了一个耗时操作,它在执行前会暂停2秒钟。
在主线程中,我们可以继续执行其他操作,而不必等待异步任务完成。然后,通过调用`future.get()`函数来同步等待异步任务的结果。`get()`函数会阻塞主线程,直到异步任务完成并返回结果。
运行该程序,输出可能会是:
```
Main thread started.
Result: 5
Main thread finished.
```
这个示例展示了如何在C++中实现异步拉起同步的方式。通过使用`std::async`函数和`std::future`对象,我们可以在主线程中异步执行耗时操作,并在需要时同步等待其结果。这种方式可以提高程序的并发性和响应性。
阅读全文