libcosmos
Linux C++ System Programming Library
Loading...
Searching...
No Matches
RWLock.hxx
1#pragma once
2
3// POSIX
4#include <pthread.h>
5
6// C++
7#include <cassert>
8
9// cosmos
10#include <cosmos/error/ApiError.hxx>
11#include <cosmos/utils.hxx>
12
13namespace cosmos {
14
16
24class RWLock {
25 // forbid copy-assignment
26 RWLock(const RWLock&) = delete;
27 RWLock& operator=(const RWLock&) = delete;
28public: // functions
29
30 RWLock() {
31 if (::pthread_rwlock_init( &m_prwlock, nullptr) != 0) {
32 cosmos_throw (ApiError("pthread_rwlock_init()"));
33 }
34 }
35
36 ~RWLock() {
37 const auto destroy_res = ::pthread_rwlock_destroy(&m_prwlock);
38
39 assert (!destroy_res);
40 (void)destroy_res;
41 }
42
43 void readlock() const {
44 if (::pthread_rwlock_rdlock(&m_prwlock) != 0) {
45 cosmos_throw (ApiError("pthread_rwlock_rdlock()"));
46 }
47 }
48
49 void writelock() const {
50 if (::pthread_rwlock_wrlock(&m_prwlock) != 0) {
51 cosmos_throw (ApiError("pthread_rwlock_wrlock()"));
52 }
53 }
54
56 void unlock() const {
57 if (::pthread_rwlock_unlock(&m_prwlock) != 0) {
58 cosmos_throw (ApiError("pthread_rwlock_unlock()"));
59 }
60 }
61
62protected: // data
63
64 // make that mutable to make const lock/unlock semantics possible
65 mutable pthread_rwlock_t m_prwlock;
66};
67
70 public ResourceGuard<const RWLock&> {
71
72 explicit ReadLockGuard(const RWLock &rwl) :
73 ResourceGuard{rwl, [](const RWLock &_rwl) { _rwl.unlock(); }} {
74 rwl.readlock();
75 }
76};
77
80 public ResourceGuard<const RWLock&> {
81
82 explicit WriteLockGuard(const RWLock &rwl) :
83 ResourceGuard{rwl, [](const RWLock &_rwl) { _rwl.unlock(); }} {
84 rwl.writelock();
85 }
86};
87
88} // end ns
Specialized exception type used when system APIs fail.
Definition ApiError.hxx:18
This type represents a pthread read-write lock.
Definition RWLock.hxx:24
void unlock() const
Unlock a previously obtained read or write lock.
Definition RWLock.hxx:56
Helper class to guard arbitrary resources.
Definition utils.hxx:71
A lock-guard object that locks an RWLock for reading until it is destroyed.
Definition RWLock.hxx:70
A lock-guard object that locks an RWLock for writing until it is destroyed.
Definition RWLock.hxx:80