2014-04-13 22:26:23 +00:00
|
|
|
// Copyright 2014 Dolphin Emulator Project
|
2021-07-05 01:22:19 +00:00
|
|
|
// SPDX-License-Identifier: GPL-2.0-or-later
|
2014-04-13 22:26:23 +00:00
|
|
|
|
|
|
|
// Abstraction for a simple flag that can be toggled in a multithreaded way.
|
2014-04-13 23:40:20 +00:00
|
|
|
//
|
|
|
|
// Simple API:
|
2014-04-13 22:26:23 +00:00
|
|
|
// * Set(bool = true): sets the Flag
|
|
|
|
// * IsSet(): tests if the flag is set
|
|
|
|
// * Clear(): clears the flag (equivalent to Set(false)).
|
2014-04-13 23:40:20 +00:00
|
|
|
//
|
|
|
|
// More advanced features:
|
|
|
|
// * TestAndSet(bool = true): sets the flag to the given value. If a change was
|
|
|
|
// needed (the flag did not already have this value)
|
|
|
|
// the function returns true. Else, false.
|
|
|
|
// * TestAndClear(): alias for TestAndSet(false).
|
2014-04-13 22:26:23 +00:00
|
|
|
|
|
|
|
#pragma once
|
|
|
|
|
|
|
|
#include <atomic>
|
|
|
|
|
|
|
|
namespace Common
|
|
|
|
{
|
|
|
|
class Flag final
|
|
|
|
{
|
|
|
|
public:
|
|
|
|
// Declared as explicit since we do not want "= true" to work on a flag
|
|
|
|
// object - it should be made explicit that a flag is *not* a normal
|
|
|
|
// variable.
|
|
|
|
explicit Flag(bool initial_value = false) : m_val(initial_value) {}
|
|
|
|
void Set(bool val = true) { m_val.store(val); }
|
|
|
|
void Clear() { Set(false); }
|
|
|
|
bool IsSet() const { return m_val.load(); }
|
2014-04-13 23:40:20 +00:00
|
|
|
bool TestAndSet(bool val = true)
|
|
|
|
{
|
|
|
|
bool expected = !val;
|
|
|
|
return m_val.compare_exchange_strong(expected, val);
|
|
|
|
}
|
2016-06-24 08:43:46 +00:00
|
|
|
|
2014-04-13 23:40:20 +00:00
|
|
|
bool TestAndClear() { return TestAndSet(false); }
|
2018-04-12 12:18:04 +00:00
|
|
|
|
2014-04-13 22:26:23 +00:00
|
|
|
private:
|
2015-03-16 23:46:57 +00:00
|
|
|
std::atomic_bool m_val;
|
2014-04-13 22:26:23 +00:00
|
|
|
};
|
|
|
|
|
|
|
|
} // namespace Common
|