我有一个包含“观察者”列表的对象。这些观察者会收到通知,并且他们可能会通过从对象中添加或删除自己或其他观察者来响应此更改。
我想要一种强大的,而不是不必要的缓慢的方式来支持这一点。
class Thing {
public:
class Observer {
public:
virtual void on_change(Thing* thing) = 0;
};
void add_observer(Observer* observer);
void remove_observer(Observer* observer);
void notify_observers();
private:
typedef std::vector<Observer*> Observers;
Observers observers;
};
void Thing::notify_observers() {
/* going backwards through a vector allows the current item to be removed in
the callback, but it can't cope with not-yet-called observers being removed */
for(int i=observers.size()-1; i>=0; i--)
observers[i]->on_change(this);
// OR is there another way using something more iterator-like?
for(Observers::iterator i=...;...;...) {
(*i)->on_change(this); //<-- what if the Observer implementation calls add_ or remove_ during its execution?
}
}
我可能有一个由 add_ 和 remove_ 设置的标志来重置我的迭代器,如果它变得无效,然后可能在每个观察者中设置一个“生成”计数器,这样我就知道我是否已经调用它了?