-
Notifications
You must be signed in to change notification settings - Fork 21
/
Copy pathSubject.hpp
86 lines (76 loc) · 1.76 KB
/
Subject.hpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
#pragma once
#include <utility>
#include <functional>
#include <unordered_map>
#include <string>
template <typename StateType>
class Subject {
private:
std::unordered_multimap<
std::string,
std::function<void(const StateType&)>
> observersMap = {};
StateType state;
protected:
void notifyObservers() const
{
// C++17 only
for (const auto & [key, observer] : observersMap)
observer(state);
}
public:
Subject() : state() {}
/**
* @brief Sets the state of the subject and
* notifies all attached observers.
*
* @param[in] state The new state.
*/
void setState(const StateType& state)
{
this->state = state;
notifyObservers();
}
/**
* @brief Get the current state.
*
* @return The state.
*/
StateType getState() { return state; }
/**
* @brief Attaches an observer to the subject.
*
* @param[in] observer The observer
* must be of type std::function<void(const StateType&).
*
* @param[in] key Optional key to use
* when detaching an observer, multiple observers can
* share the same key.
*
* @tparam Observer Deduced template param.
*/
template <typename Observer>
void attach(Observer observer, const std::string& key = "")
{
observersMap.insert(std::make_pair(key, observer));
}
/**
* @brief Detaches all observers associated with key.
*
* @param[in] key Optional, the key used to attach the observer.
* If multiple observers are attached to this key they
* will all be detached. If no key is specified all observers
* that were attached without key will get detached.
*/
void detach(const std::string& key = "")
{
observersMap.erase(key);
}
/**
* @brief Detaches all attached observers.
*/
void detachAll()
{
observersMap.clear();
}
};