Created
May 5, 2020 15:21
-
-
Save stiv-yakovenko/af42fce038d8e34ba4eadd9232aeb89f to your computer and use it in GitHub Desktop.
fair lock
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
class FairMutex { | |
private: | |
class waitnode { | |
std::condition_variable cv_; | |
waitnode* next_ = nullptr; | |
FairMutex& fmtx_; | |
public: | |
waitnode(FairMutex& fmtx) : fmtx_(fmtx) { | |
*fmtx.tail_ = this; | |
fmtx.tail_ = &next_; | |
} | |
~waitnode() { | |
for (waitnode** p = &fmtx_.waiters_; *p; p = &(*p)->next_) { | |
if (*p == this) { | |
*p = next_; | |
if (!next_) { | |
fmtx_.tail_ = &fmtx_.waiters_; | |
} | |
break; | |
} | |
} | |
} | |
void wait(std::unique_lock<std::mutex>& lk) { | |
while (fmtx_.held_ || fmtx_.waiters_ != this) { | |
cv_.wait(lk); | |
} | |
} | |
void notify() { | |
cv_.notify_one(); | |
} | |
}; | |
waitnode* waiters_ = nullptr; | |
waitnode** tail_ = &waiters_; | |
std::mutex mtx_; | |
bool held_ = false; | |
public: | |
void lock() { | |
auto lk = std::unique_lock<std::mutex>{mtx_}; | |
if (held_ || waiters_) { | |
waitnode{*this}.wait(lk); | |
} | |
held_ = true; | |
} | |
bool try_lock() { | |
if (mtx_.try_lock()) { | |
std::lock_guard<std::mutex> lk(mtx_, std::adopt_lock); | |
if (!held_ && !waiters_) { | |
held_ = true; | |
return true; | |
} | |
} | |
return false; | |
} | |
void unlock() { | |
std::lock_guard<std::mutex> lk(mtx_); | |
held_ = false; | |
if (waiters_ != nullptr) { | |
waiters_->notify(); | |
} | |
} | |
}; |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment