citra/src/common/thread.h

97 lines
2.4 KiB
C++
Raw Normal View History

2014-12-17 06:38:14 +01:00
// Copyright 2013 Dolphin Emulator Project / 2014 Citra Emulator Project
// Licensed under GPLv2 or any later version
// Refer to the license.txt file included.
#pragma once
2016-12-11 22:26:23 +01:00
#include <chrono>
#include <condition_variable>
#include <cstddef>
#include <mutex>
#include <thread>
2016-04-14 13:53:05 +02:00
namespace Common {
class Event {
public:
void Set() {
std::lock_guard lk{mutex};
if (!is_set) {
2014-04-02 00:20:08 +02:00
is_set = true;
2016-04-14 13:53:05 +02:00
condvar.notify_one();
2014-04-02 00:20:08 +02:00
}
}
void Wait() {
std::unique_lock lk{mutex};
condvar.wait(lk, [&] { return is_set; });
2014-04-02 00:20:08 +02:00
is_set = false;
}
template <class Duration>
bool WaitFor(const std::chrono::duration<Duration>& time) {
std::unique_lock lk{mutex};
if (!condvar.wait_for(lk, time, [this] { return is_set; }))
return false;
is_set = false;
return true;
}
2016-12-11 22:26:23 +01:00
template <class Clock, class Duration>
bool WaitUntil(const std::chrono::time_point<Clock, Duration>& time) {
std::unique_lock lk{mutex};
2016-12-11 22:26:23 +01:00
if (!condvar.wait_until(lk, time, [this] { return is_set; }))
return false;
is_set = false;
return true;
}
void Reset() {
std::unique_lock lk{mutex};
// no other action required, since wait loops on the predicate and any lingering signal will
// get cleared on the first iteration
2014-04-02 00:20:08 +02:00
is_set = false;
}
private:
bool is_set = false;
2016-04-14 13:53:05 +02:00
std::condition_variable condvar;
std::mutex mutex;
};
class Barrier {
public:
explicit Barrier(std::size_t count_) : count(count_) {}
2014-04-02 00:20:08 +02:00
/// Blocks until all "count" threads have called Sync()
void Sync() {
std::unique_lock lk{mutex};
const std::size_t current_generation = generation;
2014-04-02 00:20:08 +02:00
2016-04-14 13:53:05 +02:00
if (++waiting == count) {
2016-04-14 13:54:06 +02:00
generation++;
2016-04-14 13:53:05 +02:00
waiting = 0;
condvar.notify_all();
} else {
condvar.wait(lk,
[this, current_generation] { return current_generation != generation; });
2014-04-02 00:20:08 +02:00
}
}
std::size_t Generation() const {
std::unique_lock lk(mutex);
return generation;
}
private:
2016-04-14 13:53:05 +02:00
std::condition_variable condvar;
mutable std::mutex mutex;
std::size_t count;
std::size_t waiting = 0;
std::size_t generation = 0; // Incremented once each time the barrier is used
};
void SetCurrentThreadName(const char* name);
} // namespace Common