Semaphores are another common form of synchronization that allows threads to post and wait on a semaphore to control when threads wake or sleep.
The post (sem_post()) operation increments the semaphore; the wait (sem_wait()) operation decrements it.
If you wait on a semaphore that is positive, you will not block. Waiting on a nonpositive semaphore will block until some other thread executes a post. It is valid to post one or more times before a wait. This use will allow one or more threads to execute the wait without blocking.
A significant difference between semaphores and other synchronization primitives is that semaphores are async safe and can be manipulated by signal handlers. If the desired effect is to have a signal handler wake a thread, semaphores are the right choice.
Another useful property of semaphores is that they were defined to operate between processes. Although our mutexes work between processes, the POSIX thread standard considers this an optional capability and as such may not be portable across systems. For synchronization between threads in a single process, mutexes will be more efficient than semaphores.
As a useful variation, a named semaphore service is also available. It lets you use semaphores between processes on different machines connected by a network.
Since semaphores, like condition variables, can legally return a nonzero value because of a false wake-up, correct usage requires a loop:
while (sem_wait(&s) && (errno == EINTR)) { do_nothing(); } do_critical_region(); /* Semaphore was decremented */