模拟线程池c++代码
时间: 2024-05-28 11:07:21 浏览: 107
模拟线程池的 C++ 代码大致如下:
```c++
#include <iostream>
#include <queue>
#include <thread>
#include <mutex>
#include <condition_variable>
using namespace std;
class ThreadPool {
public:
ThreadPool(size_t num_threads) : stop(false) {
for (size_t i = 0; i < num_threads; ++i)
workers.emplace_back([this] {
for (;;) {
function<void()> task;
{
unique_lock<mutex> lock(this->queue_mutex);
this->condition.wait(lock, [this] {
return this->stop || !this->tasks.empty();
});
if (this->stop && this->tasks.empty())
return;
task = move(this->tasks.front());
this->tasks.pop();
}
task();
}
});
}
template<class F, class... Args>
void enqueue(F&& f, Args&&... args) {
{
unique_lock<mutex> lock(queue_mutex);
// 为了使线程池停止时所有任务都完成
if (stop)
throw runtime_error("enqueue on stopped ThreadPool");
tasks.emplace([=] { f(args...); });
}
condition.notify_one();
}
~ThreadPool() {
{
unique_lock<mutex> lock(queue_mutex);
stop = true;
}
condition.notify_all();
for (thread &worker : workers)
worker.join();
}
private:
vector<thread> workers;
queue<function<void()>> tasks;
mutex queue_mutex;
condition_variable condition;
bool stop;
};
```
以上是一个简单的线程池实现,其中 `enqueue` 函数可以将函数指针和参数一起加入任务队列中。这里通过使用 `condition_variable` 和 `unique_lock` 来保证线程池中的线程可以安全地访问任务队列。在析构函数中,先将 `stop` 标记为 `true`,再通过 `condition_variable` 来通知所有线程停止运行。最后,通过 `join()` 函数等待所有线程结束。
阅读全文