c++ 多线程套多线程
时间: 2023-06-30 20:17:38 浏览: 196
c++多线程
在C++中,可以使用std::thread来创建多线程,使用std::async来异步执行任务。因此可以利用这两个工具来实现多线程套多线程的功能。
具体来说,可以在一个线程中创建多个std::thread对象,每个std::thread对象都可以执行一个任务。每个任务本身也可以是一个多线程的程序,这样就完成了多线程套多线程的功能。
例如,可以使用如下代码来创建多线程:
```
#include <iostream>
#include <thread>
#include <future>
#include <vector>
void task(int tid) {
std::cout << "Thread " << tid << " started." << std::endl;
// 这里可以编写多线程程序的代码
}
int main() {
std::vector<std::thread> threads;
for (int i = 0; i < 10; i++) {
std::thread t(task, i);
threads.push_back(std::move(t));
}
for (auto& t : threads) {
t.join();
}
return 0;
}
```
上述代码中创建了10个线程,每个线程执行一个任务。每个任务都是一个函数,可以在其中编写多线程程序的代码。
同时,也可以使用std::async来异步执行任务,示例代码如下:
```
#include <iostream>
#include <future>
#include <vector>
void task(int tid) {
std::cout << "Thread " << tid << " started." << std::endl;
// 这里可以编写多线程程序的代码
}
int main() {
std::vector<std::future<void>> futures;
for (int i = 0; i < 10; i++) {
std::future<void> f = std::async(std::launch::async, task, i);
futures.push_back(std::move(f));
}
for (auto& f : futures) {
f.get();
}
return 0;
}
```
上述代码中使用了std::async来异步执行任务,返回的std::future对象可以用来获取任务执行的结果。
阅读全文