If you want to provide a consistent state to all threads, then whatever you try to do, you must at least:
- have a way to stop readers from locking
- be able to tell that the resource is free.
If you don't require consistancy to some degree, then you should read on RCU
My implementation resolves to counting the amount of threads having the lock. In any case, the lockedness state of a thread must be gotten somewhere. Consider that having to synchronize caches among many CPUs for a large number of threads might cost just as much as eager searches, plus that some methods require the participating threads to be known in advance.
I wrote the code above for correctness and simplicity and being independent of the number of threads. Besides, if you make the lock section uninterruptible unless you are waiting for a writer, you can achieve high throughputs since the wait steps are skipped for all readers.
A readers-dont-write-much alternative would be something like the following. (It has writer preference and is not starvation free)
Code: Select all
char ** reader_threads_locked;
int locked;
mutex writer_lock;
lock_reader()
{
*reader_threads_locked[thread_id] = 1;
while (locked)
{
*reader_threads_locked[thread_id] = 0;
while(locked) sleep();
*reader_threads_locked[thread_id] = 1;
}
}
unlock_reader()
{
*reader_threads_locked[thread_id] = 0;
}
lock_writer()
{
mutex_lock(writer_lock);
locked = 1;
for (int i = 0; i < num_threads; i++)
while (*reader_threads_locked[thread_id] == 1) sleep();
}
unlock_writer()
{
locked = 0;
mutex_unlock(writer_lock);
}
In the optimal case, the locking for readers costs two writes and one read. When a writer locks, all cache coherency protocols are stressed, and all potential readers have to be checked before the lock is granted, which can cause significant delays in the processing. Besides, in the odd case that there happen to be many writers, the readers have to wait indefinately.
Crazed's solution also suffers from starvation, a more likely one at that too: if there are enough readers, the writers will have no chance ever to take down the mutex, which IMO is a serious offence.