2012-06-14 09:06:06 -04:00
|
|
|
|
|
|
|
#pragma once
|
2014-10-20 16:26:18 -04:00
|
|
|
#include <mutex>
|
2014-10-23 18:58:01 -04:00
|
|
|
#include <thread>
|
2012-06-14 09:06:06 -04:00
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
class cCriticalSection
|
|
|
|
{
|
|
|
|
public:
|
|
|
|
void Lock(void);
|
|
|
|
void Unlock(void);
|
|
|
|
|
2014-01-05 17:08:30 -05:00
|
|
|
// IsLocked/IsLockedByCurrentThread are only used in ASSERT statements, but because of the changes with ASSERT they must always be defined
|
|
|
|
// The fake versions (in Release) will not effect the program in any way
|
2012-09-01 18:32:11 -04:00
|
|
|
#ifdef _DEBUG
|
2015-03-22 14:46:08 -04:00
|
|
|
cCriticalSection(void);
|
|
|
|
bool IsLocked(void);
|
|
|
|
bool IsLockedByCurrentThread(void);
|
2014-01-05 17:08:30 -05:00
|
|
|
#else
|
2015-03-22 14:46:08 -04:00
|
|
|
bool IsLocked(void) { return false; }
|
|
|
|
bool IsLockedByCurrentThread(void) { return false; }
|
2012-09-01 18:32:11 -04:00
|
|
|
#endif // _DEBUG
|
|
|
|
|
2012-06-14 09:06:06 -04:00
|
|
|
private:
|
2015-03-22 14:46:08 -04:00
|
|
|
|
2012-09-01 18:32:11 -04:00
|
|
|
#ifdef _DEBUG
|
2012-12-14 17:36:12 -05:00
|
|
|
int m_IsLocked; // Number of times this CS is locked
|
2014-10-18 19:29:34 -04:00
|
|
|
std::thread::id m_OwningThreadID;
|
2012-09-01 18:32:11 -04:00
|
|
|
#endif // _DEBUG
|
|
|
|
|
2014-10-20 16:26:18 -04:00
|
|
|
std::recursive_mutex m_Mutex;
|
2012-06-14 09:06:06 -04:00
|
|
|
} ALIGN_8;
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
/// RAII for cCriticalSection - locks the CS on creation, unlocks on destruction
|
|
|
|
class cCSLock
|
|
|
|
{
|
|
|
|
cCriticalSection * m_CS;
|
|
|
|
|
|
|
|
// Unlike a cCriticalSection, this object should be used from a single thread, therefore access to m_IsLocked is not threadsafe
|
2014-07-17 16:50:58 -04:00
|
|
|
// In Windows, it is an error to call cCriticalSection::Unlock() multiple times if the lock is not held,
|
2012-06-14 09:06:06 -04:00
|
|
|
// therefore we need to check this value whether we are locked or not.
|
|
|
|
bool m_IsLocked;
|
|
|
|
|
|
|
|
public:
|
|
|
|
cCSLock(cCriticalSection * a_CS);
|
|
|
|
cCSLock(cCriticalSection & a_CS);
|
|
|
|
~cCSLock();
|
|
|
|
|
|
|
|
// Temporarily unlock or re-lock:
|
|
|
|
void Lock(void);
|
|
|
|
void Unlock(void);
|
|
|
|
|
|
|
|
private:
|
|
|
|
DISALLOW_COPY_AND_ASSIGN(cCSLock);
|
|
|
|
} ;
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
/// Temporary RAII unlock for a cCSLock. Useful for unlock-wait-relock scenarios
|
|
|
|
class cCSUnlock
|
|
|
|
{
|
|
|
|
cCSLock & m_Lock;
|
|
|
|
public:
|
|
|
|
cCSUnlock(cCSLock & a_Lock);
|
|
|
|
~cCSUnlock();
|
|
|
|
|
|
|
|
private:
|
|
|
|
DISALLOW_COPY_AND_ASSIGN(cCSUnlock);
|
|
|
|
} ;
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|