我正在定义一个类GameState和一个类MainMenuGameState。前者是抽象类,后者是继承它。但是以某种方式,我无法覆盖其属性。

GameState.h

#ifndef _GAME_STATE_H_
    #define _GAME_STATE_H_

#include <SDL2/SDL.h>

class GameState {
    public:
        virtual void loop(Uint32 deltaTime) = 0;
        virtual void render() = 0;
        virtual void event(SDL_Event * event) = 0;

        bool stopRenderPropagation = false;
        bool stopLoopPropagation = false;
};

#endif


MainMenuGameState.h

#ifndef _MAIN_MENU_GAME_STATE_H_
    #define _MAIN_MENU_GAME_STATE_H_

#include "../Game.h"

class MainMenuGameState : public GameState {
    public:
        MainMenuGameState(Game * pGame);

        void loop(Uint32 deltaTime);
        void render();
        void event(SDL_Event * event);

        bool stopRenderPropagation = true;
        bool stopLoopPropagation = true;

    private:
        Game * game;

        int xOffset = 0;
        int yOffset = 0;
};

#endif


因此,在实例化MainMenuGameState对象之后,我希望stopRenderPropagationstopLoopPropagationtrue,但是它们是false

由于某种原因,我也没有运气在构造函数中覆盖它们。

MainMenuGameState::MainMenuGameState(Game * pGame) {
    game = pGame;

    xOffset = rand() % 20;
    yOffset = rand() % 20;

    stopRenderPropagation = true;
    stopLoopPropagation = true;
}


在那之后,它们仍然是正确的。我不知道这是我的构造函数的问题,还是我误解了c ++中的多态性。

MainMenuGameState的实例存储在vector<GameState *>中,这可能是问题吗?我正在访问这样的属性:

if(gameStates.begin() != gameStates.end()) {
    std::vector<GameState *>::iterator it = gameStates.end();
    do {
        --it;
    } while(it != gameStates.begin() && (*it)->stopLoopPropagation == false);

    while(it != gameStates.end()) {
        (*it)->loop(deltaTime);
        ++it;
    }
}


谢谢您的帮助!

最佳答案

您在派生类中声明新变量,这将导致这些问题。非私有变量将被继承:

struct A { int x };
struct B : A {}; // has B::x by inheritance


您可以在构造函数中设置它们而无需重新声明:

struct A { int x; };
struct B : A { B() : x(1) {} };


注意,声明公共变量通常被认为是不好的做法,相反,更常见的是实现getter和setter:

struct A
{
    int x() const { return x_; }
    int & x() { return x_; }

    private:
        int x_;
};

10-04 14:24