应用观察者模式时发生错误

When apply observer pattern an error occured

我有以下代码:

class ISubscriber;
class News {
public:
    float getVersion() { return this->version; }
    void setVersion(float state) { this->version= state; this->notifyAllSubscribers(); }
    void attach(ISubscriber *observer) { this->subscribers.push_back(observer); }
    void notifyAllSubscribers() {
        for (vector<ISubscriber*>::iterator it = subscribers.begin(); it != subscribers.end(); it++){
            (*(*it)).update();
        }
    }
private:
    vector<ISubscriber*> subscribers;
    float version;
};

class ISubscriber {
public:
    News *news;
    virtual void update() = 0;
};

class Subscriber1 : public ISubscriber {
public:
    Subscriber1(News *news) { this->news = news; this->news->attach(this); }
    void update() override { cout << "Subscriber1: A new version of the newspaper has been launched (v" << this->news->getVersion() << ")" << endl; }

};

class Subscriber2 : public ISubscriber {
public:
    Subscriber2(News *news) { this->news = news; this->news->attach(this); }
    void update() override { cout << "Subscriber2: A new version of the newspaper has been launched (v" << this->news->getVersion() << ")" << endl; }

};


int main(int argc, char *argv[]) {
    News newspaper;
    newspaper.setVersion(2.1f);

    Subscriber1 sb1(&newspaper);
    Subscriber2 sb2(&newspaper);
    return 0;
}

但奇怪的错误发生了:

第一个错误指向 (*(*it)).update(); news class 中的代码。 为什么会出现这样的错误,是什么原因?

(*(*it)).update(); 要求类型 ISubscriber 完整,仅仅前向声明是不够的。

您可以将 ISubscriber 的定义移到 News 的定义之前,并在此之前给出 News 的前向声明。

class News;
class ISubscriber {
public:
    News *news;
    virtual void update() = 0;
};

class News {
public:
    float getVersion() { return this->version; }
    void setVersion(float state) { this->version= state; this->notifyAllSubscribers(); }
    void attach(ISubscriber *observer) { this->subscribers.push_back(observer); }
    void notifyAllSubscribers() {
        for (vector<ISubscriber*>::iterator it = subscribers.begin(); it != subscribers.end(); it++){
            (*(*it)).update();
        }
    }
private:
    vector<ISubscriber*> subscribers;
    float version;
};