libcosmos
Linux C++ System Programming Library
Loading...
Searching...
No Matches
Mutex.hxx
1#pragma once
2
3// POSIX
4#include <pthread.h>
5
6// C++
7#include <cassert>
8
9// cosmos
10#include <cosmos/dso_export.h>
11#include <cosmos/error/ApiError.hxx>
12#include <cosmos/utils.hxx>
13
14namespace cosmos {
15
16// fwd. decl.
17class Condition;
18
20
25class COSMOS_API Mutex {
26 // disallow copy/assignment
27 Mutex(const Mutex&) = delete;
28 Mutex& operator=(const Mutex&) = delete;
29
30public: // functions
31
33
40 Mutex();
41
42 ~Mutex() {
43 const auto destroy_res = ::pthread_mutex_destroy(&m_pmutex);
44
45 assert (!destroy_res);
46 (void)destroy_res;
47 }
48
49 void lock() const {
50 const auto lock_res = ::pthread_mutex_lock(&m_pmutex);
51
52 if (lock_res) {
53 cosmos_throw (ApiError("pthread_mutex_lock()", Errno{lock_res}));
54 }
55 }
56
57 void unlock() const {
58 const int unlock_res = ::pthread_mutex_unlock(&m_pmutex);
59
60 if (unlock_res) {
61 cosmos_throw (ApiError("pthread_mutex_unlock()", Errno{unlock_res}));
62 }
63 }
64
65protected: // data
66
67 // make that mutable to make const lock/unlock semantics possible
68 mutable pthread_mutex_t m_pmutex;
69
70 // Condition needs access to our handle
71 friend class Condition;
72};
73
75struct MutexGuard :
76 public ResourceGuard<const Mutex&> {
77
78 explicit MutexGuard(const Mutex &m) :
79 ResourceGuard{m, [](const Mutex &_m) { _m.unlock(); }} {
80 m.lock();
81 }
82};
83
86 public ResourceGuard<const Mutex&> {
87
88 explicit MutexReverseGuard(const Mutex &m) :
89 ResourceGuard{m, [](const Mutex &_m) { _m.lock(); }} {
90 m.unlock();
91 }
92};
93
94} // end ns
Specialized exception type used when system APIs fail.
Definition ApiError.hxx:18
A class to represent a pthread condition.
Definition Condition.hxx:33
A class to represent a pthread mutex.
Definition Mutex.hxx:25
Helper class to guard arbitrary resources.
Definition utils.hxx:71
Errno
Strong enum type representing errno error constants.
Definition errno.hxx:29
A mutex guard object that locks a Mutex for the lifetime of the guard object.
Definition Mutex.hxx:76
A reversed mutex guard object that unlocks a Mutex for the lifetime of the guard object.
Definition Mutex.hxx:86