|
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131 |
- /*
- ZynAddSubFX - a software synthesizer
-
- ZynSema.h - Semaphore Wrapper
- Copyright (C) 2016 Mark McCurry
-
- This program is free software; you can redistribute it and/or
- modify it under the terms of the GNU General Public License
- as published by the Free Software Foundation; either version 2
- of the License, or (at your option) any later version.
- */
- #ifndef ZYNSEMA_H
- #define ZYNSEMA_H
-
- #if defined __APPLE__ || defined WIN32
-
- #include <pthread.h>
-
- namespace zyncarla {
-
- class ZynSema
- {
- public:
- ZynSema (void) : _count (0)
- {
- }
-
- ~ZynSema (void)
- {
- pthread_mutex_destroy (&_mutex);
- pthread_cond_destroy (&_cond);
- }
-
- int init (int, int v)
- {
- _count = v;
- return pthread_mutex_init (&_mutex, 0) || pthread_cond_init (&_cond, 0);
- }
-
- int post (void)
- {
- pthread_mutex_lock (&_mutex);
- if (++_count == 1) pthread_cond_signal (&_cond);
- pthread_mutex_unlock (&_mutex);
- return 0;
- }
-
- int wait (void)
- {
- pthread_mutex_lock (&_mutex);
- while (_count < 1) pthread_cond_wait (&_cond, &_mutex);
- --_count;
- pthread_mutex_unlock (&_mutex);
- return 0;
- }
-
- int trywait (void)
- {
- if (pthread_mutex_trylock (&_mutex)) return -1;
- if (_count < 1)
- {
- pthread_mutex_unlock (&_mutex);
- return -1;
- }
- --_count;
- pthread_mutex_unlock (&_mutex);
- return 0;
- }
-
- int getvalue (void) const
- {
- return _count;
- }
-
-
- private:
- int _count;
- pthread_mutex_t _mutex;
- pthread_cond_t _cond;
- };
-
- }
-
- #else // POSIX sempahore
-
- #include <semaphore.h>
-
- namespace zyncarla {
-
- class ZynSema
- {
- public:
- ZynSema (void)
- {
- }
- ~ZynSema (void)
- {
- sem_destroy (&_sema);
- }
- int init (int s, int v)
- {
- return sem_init (&_sema, s, v);
- }
- int post (void)
- {
- return sem_post (&_sema);
- }
- int wait (void)
- {
- return sem_wait (&_sema);
- }
- int trywait (void)
- {
- return sem_trywait (&_sema);
- }
- int getvalue(void)
- {
- int v = 0;
- sem_getvalue(&_sema, &v);
- return v;
- }
-
- private:
- sem_t _sema;
- };
-
- }
-
- #endif // POSIX semapore
-
- #endif // ZYNSEMA_H
|