用VS2008 C++写线程池
时间: 2023-12-27 09:15:34 浏览: 55
以下是一个简单的线程池实现,仅供参考:
```c++
#include <iostream>
#include <queue>
#include <thread>
#include <mutex>
#include <condition_variable>
class ThreadPool {
public:
ThreadPool() : stop(false) {}
void AddTask(std::function<void()> task) {
std::unique_lock<std::mutex> lock(mtx);
tasks.push(task);
cv.notify_one();
}
void Start(int num_threads) {
for (int i = 0; i < num_threads; i++) {
threads.emplace_back([this]() {
while (true) {
std::function<void()> task;
{
std::unique_lock<std::mutex> lock(mtx);
cv.wait(lock, [this] { return stop || !tasks.empty(); });
if (stop && tasks.empty()) return;
task = tasks.front();
tasks.pop();
}
task();
}
});
}
}
void Stop() {
{
std::unique_lock<std::mutex> lock(mtx);
stop = true;
}
cv.notify_all();
for (auto& thread : threads) {
thread.join();
}
}
private:
std::queue<std::function<void()>> tasks;
std::vector<std::thread> threads;
std::mutex mtx;
std::condition_variable cv;
bool stop;
};
int main() {
ThreadPool pool;
pool.Start(4);
for (int i = 0; i < 8; i++) {
pool.AddTask([i]() {
std::cout << "Task " << i << " is running on thread " << std::this_thread::get_id() << std::endl;
std::this_thread::sleep_for(std::chrono::seconds(1));
std::cout << "Task " << i << " is done" << std::endl;
});
}
std::this_thread::sleep_for(std::chrono::seconds(5));
pool.Stop();
return 0;
}
```
这是一个基于 STL 的线程池实现,主要包括以下几个部分:
- `AddTask`:添加任务到任务队列中;
- `Start`:启动线程池并创建指定数量的工作线程,每个线程都会从任务队列中取出任务并执行;
- `Stop`:停止线程池,通知所有工作线程退出;
- `tasks`:任务队列,存放待执行的任务;
- `threads`:工作线程池,存放所有工作线程;
- `mtx`:互斥量,保证对任务队列的访问是线程安全的;
- `cv`:条件变量,用于线程的等待和唤醒;
- `stop`:标记线程池是否停止。
阅读全文