ddnet/src/engine/shared/jobs.cpp

112 lines
2 KiB
C++
Raw Normal View History

2010-11-20 10:37:14 +00:00
/* (c) Magnus Auvinen. See licence.txt in the root of the distribution for more information. */
/* If you are missing that file, acquire a complete release at teeworlds.com. */
2010-05-29 07:25:38 +00:00
#include "jobs.h"
IJob::IJob() :
m_Status(STATE_PENDING)
{
}
IJob::IJob(const IJob &Other) :
m_Status(STATE_PENDING)
{
}
IJob &IJob::operator=(const IJob &Other)
{
m_Status = STATE_PENDING;
return *this;
}
IJob::~IJob()
{
}
int IJob::Status()
{
return m_Status.load();
}
2010-05-29 07:25:38 +00:00
CJobPool::CJobPool()
{
// empty the pool
2017-07-21 13:52:42 +00:00
m_NumThreads = 0;
m_Shutdown = false;
2010-05-29 07:25:38 +00:00
m_Lock = lock_create();
sphore_init(&m_Semaphore);
2010-05-29 07:25:38 +00:00
m_pFirstJob = 0;
m_pLastJob = 0;
}
2017-07-21 13:52:42 +00:00
CJobPool::~CJobPool()
{
m_Shutdown = true;
for(int i = 0; i < m_NumThreads; i++)
sphore_signal(&m_Semaphore);
2017-07-21 13:52:42 +00:00
for(int i = 0; i < m_NumThreads; i++)
{
if(m_apThreads[i])
thread_wait(m_apThreads[i]);
}
2017-07-21 13:52:42 +00:00
lock_destroy(m_Lock);
sphore_destroy(&m_Semaphore);
2017-07-21 13:52:42 +00:00
}
2010-05-29 07:25:38 +00:00
void CJobPool::WorkerThread(void *pUser)
{
CJobPool *pPool = (CJobPool *)pUser;
2017-07-21 13:52:42 +00:00
while(!pPool->m_Shutdown)
2010-05-29 07:25:38 +00:00
{
std::shared_ptr<IJob> pJob = 0;
2010-05-29 07:25:38 +00:00
// fetch job from queue
sphore_wait(&pPool->m_Semaphore);
2010-05-29 07:25:38 +00:00
lock_wait(pPool->m_Lock);
if(pPool->m_pFirstJob)
{
pJob = pPool->m_pFirstJob;
pPool->m_pFirstJob = pPool->m_pFirstJob->m_pNext;
if(!pPool->m_pFirstJob)
2010-05-29 07:25:38 +00:00
pPool->m_pLastJob = 0;
}
lock_unlock(pPool->m_Lock);
2010-05-29 07:25:38 +00:00
// do the job if we have one
if(pJob)
{
RunBlocking(pJob.get());
2010-05-29 07:25:38 +00:00
}
}
}
2017-11-24 09:33:42 +00:00
void CJobPool::Init(int NumThreads)
2010-05-29 07:25:38 +00:00
{
// start threads
2017-07-21 13:52:42 +00:00
m_NumThreads = NumThreads > MAX_THREADS ? MAX_THREADS : NumThreads;
2010-05-29 07:25:38 +00:00
for(int i = 0; i < NumThreads; i++)
m_apThreads[i] = thread_init(WorkerThread, this, "CJobPool worker");
2010-05-29 07:25:38 +00:00
}
2017-11-24 09:33:42 +00:00
void CJobPool::Add(std::shared_ptr<IJob> pJob)
2010-05-29 07:25:38 +00:00
{
lock_wait(m_Lock);
2010-05-29 07:25:38 +00:00
// add job to queue
if(m_pLastJob)
m_pLastJob->m_pNext = pJob;
2017-11-24 09:33:42 +00:00
m_pLastJob = std::move(pJob);
2010-05-29 07:25:38 +00:00
if(!m_pFirstJob)
2017-11-24 09:33:42 +00:00
m_pFirstJob = m_pLastJob;
lock_unlock(m_Lock);
sphore_signal(&m_Semaphore);
2010-05-29 07:25:38 +00:00
}
void CJobPool::RunBlocking(IJob *pJob)
{
pJob->m_Status = IJob::STATE_RUNNING;
pJob->Run();
pJob->m_Status = IJob::STATE_DONE;
}