icinga2/base/threadpool.cpp

96 lines
1.5 KiB
C++
Raw Normal View History

2012-06-17 20:35:56 +02:00
#include "i2-base.h"
using namespace icinga;
ThreadPool::ThreadPool(long numThreads)
: m_Alive(true)
{
2012-06-19 09:38:20 +02:00
for (long i = 0; i < numThreads; i++)
m_Threads.create_thread(boost::bind(&ThreadPool::WorkerThreadProc, this));
2012-06-17 20:35:56 +02:00
}
ThreadPool::~ThreadPool(void)
{
{
2012-06-19 12:23:52 +02:00
mutex::scoped_lock lock(m_Lock);
m_Tasks.clear();
2012-06-17 20:35:56 +02:00
/* notify worker threads to exit */
m_Alive = false;
m_CV.notify_all();
}
m_Threads.join_all();
2012-06-17 20:35:56 +02:00
}
2012-06-19 12:23:52 +02:00
void ThreadPool::EnqueueTasks(list<ThreadPoolTask::Ptr>& tasks)
{
2012-06-19 12:23:52 +02:00
{
mutex::scoped_lock lock(m_Lock);
m_Tasks.splice(m_Tasks.end(), tasks, tasks.begin(), tasks.end());
}
m_CV.notify_all();
}
2012-06-19 12:23:52 +02:00
void ThreadPool::EnqueueTask(const ThreadPoolTask::Ptr& task)
2012-06-17 20:35:56 +02:00
{
2012-06-19 12:23:52 +02:00
{
mutex::scoped_lock lock(m_Lock);
m_Tasks.push_back(task);
}
2012-06-17 20:35:56 +02:00
m_CV.notify_one();
}
2012-06-19 12:23:52 +02:00
ThreadPoolTask::Ptr ThreadPool::DequeueTask(void)
{
mutex::scoped_lock lock(m_Lock);
while (m_Tasks.empty()) {
if (!m_Alive)
return ThreadPoolTask::Ptr();
m_CV.wait(lock);
}
ThreadPoolTask::Ptr task = m_Tasks.front();
m_Tasks.pop_front();
return task;
}
void ThreadPool::WaitForTasks(void)
{
2012-06-19 12:23:52 +02:00
mutex::scoped_lock lock(m_Lock);
/* wait for all pending tasks */
2012-06-19 09:38:20 +02:00
while (!m_Tasks.empty())
m_CV.wait(lock);
}
2012-06-17 20:35:56 +02:00
void ThreadPool::WorkerThreadProc(void)
{
while (true) {
2012-06-19 12:23:52 +02:00
ThreadPoolTask::Ptr task = DequeueTask();
2012-06-17 20:35:56 +02:00
2012-06-19 12:23:52 +02:00
if (!task)
break;
2012-06-17 20:35:56 +02:00
2012-06-19 12:23:52 +02:00
task->Execute();
2012-06-17 20:35:56 +02:00
}
}
ThreadPool::Ptr ThreadPool::GetDefaultPool(void)
{
static ThreadPool::Ptr threadPool;
if (!threadPool)
threadPool = boost::make_shared<ThreadPool>();
return threadPool;
}
2012-06-19 12:23:52 +02:00