Itasca C++ Interface
All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Friends Modules Pages
spinlock.h
1 #pragma once
2 
3 #include "basedef.h"
4 #include <cassert>
5 #include <atomic>
6 #ifdef __LINUX
7 #include <new>
8 #endif
9 
10 // Spinlock implementation that matches std::mutex interface.
11 // So you can use std::lock_guard, etc.
12 //
13 // I'm aware of all the discussions of why spinlocks are bad.
14 // The fact remains that timing tests consistently show
15 // F3 slows down considerably if you replace this with std::mutex.
16 
17 // If you define this, then the spinlock is implemented in terms of a std::mutex
18 // shoudl be equivalent to std::mutex
19 //#define USEMUTEX
20 
21 
22 #ifdef USEMUTEX
23 #include <mutex>
24 class BASE_EXPORT spinlock : public std::mutex {
25 public:
26  using mutex::mutex;
27 };
28 #else
30 public:
32  spinlock() { new(buffer) std::atomic<bool>(false); }
33 
35  ~spinlock() { assert(!get().load()); get().~atomic<bool>(); }
36 
38  inline void lock() { while (get().exchange(true)) { } };
39 
41  inline void unlock() { get().store(false); } // Added for standard conformity
42 
43  inline bool try_lock() { return !get().exchange(true); } // Added for standard conformity
44 
45 private:
46  spinlock(const spinlock &) = delete;
47  void operator=(const spinlock &) = delete;
48 
49  std::atomic<bool> &get() { return *reinterpret_cast<std::atomic<bool> *>(buffer); }
50 
51  char buffer[sizeof(std::atomic<bool>)];
52 };
53 #endif
54 
55 // Standard library looking reverse_lock for people using lock_guard, unique_lock, etc.
56 template <typename T>
57 class reverse_lock {
58 public:
59  reverse_lock(T &t) : lock_(t) { t.unlock(); }
60  ~reverse_lock() { lock_.lock(); }
61 private:
62  T &lock_;
63 };
64 
65 // Standard library looking conditional_lock
66 template <typename T>
68 public:
69  conditional_lock(T &t, bool use) : lock_(&t), use_(use) { if (use_) t.lock(); }
70  conditional_lock(T *t, bool use) : lock_(t), use_(use) { if (use_&&t) t->lock(); }
71  ~conditional_lock() { if (use_&&lock_) lock_->unlock(); }
72 private:
73  T *lock_;
74  bool use_;
75 };
76 
77 // Standard library looking reverse_lock for people using lock_guard, unique_lock, etc.
78 template <typename T>
80 public:
81  reverse_shared_lock(T &t) : lock_(t) { t.unlock_shared(); }
82  ~reverse_shared_lock() { lock_.lock_shared(); }
83 private:
84  T &lock_;
85 };
86 
87 
88 
89 // EoF
spinlock()
By default the QAtomicInt is 0 on creation.
Definition: spinlock.h:32
~spinlock()
A spinlock object can only be destroyed when it has been released.
Definition: spinlock.h:35
void unlock()
Release the lock.
Definition: spinlock.h:41
Definition: spinlock.h:79
Definition: spinlock.h:67
Definition: spinlock.h:29
#define BASE_EXPORT
Definition: basedef.h:21
Definition: spinlock.h:57
Base type definitions - if QT is not in use.
void lock()
Acquire a lock using the test-and-set paradigm.
Definition: spinlock.h:38