can any one give a simple example for implementing mutex.
Sure... Here is some pseudo-code:
___________________________________________________________________
class mutex {
enum constant {
UNLOCKED = 0,
LOCKED = 1,
CONTENTION = 2
};
atomic_word m_state;
event m_waitset;
public:
mutex() : m_state(UNLOCKED) {}
void lock() {
if (ATOMIC_SWAP(&m_state, LOCKED)) {
while (ATOMIC_SWAP(&m_state, CONTENTION)) {
m_waitset.wait();
}
}
MEMBAR #StoreLoad | #StoreStore;
}
void unlock() {
MEMBAR #LoadStore | #StoreStore;
if (ATOMIC_SWAP(&m_state, UNLOCKED) == CONTENTION) {
m_waitset.set();
}
}
};
___________________________________________________________________
I have 3 threads (taking different input files )enter into the same
function at different times...
The 3 threads need to exit/leave the function till all the input files
reached till end which are taken as input to the threds.
Do you need mutual exclusion amongst the three threads or not? If you do,
then only a single thread will ever be executing code within the
critical-section at any one time. If not, then you could use a barrier
synchronization object at the end of the function. Basically, something like
Pascal suggested. Except, POSIX has a barrier already, you don't need to
implement one from mutexs and conditions. Something like; modulo any typos
with error checking omitted:
___________________________________________________________________
class barrier {
pthread_barrier_t m_waitset;
public:
barrier(unsigned count) {
pthread_barrier_init(&m_waitset, NULL, count);
}
~barrier() {
pthread_barrier_destroy(&m_waitset);
}
void wait() {
pthread_barrier_wait(&m_waitset);
}
};
___________________________________________________________________
You can use it like:
___________________________________________________________________
static barrier* g_barrier = NULL;
int main() {
barrier m_barrier(3);
g_barrier = &m_barrier;
{
spawn_threads();
join_threads();
}
return 0;
}
void Your_Function_For_The_Three_Threads(...) {
[...];
g_barrier->wait();
}
___________________________________________________________________
No problem.