class Game {
private:
string title;
bool running;
State currentState;
public:
sf::RenderWindow window;
void setup();
void run();
};
我有一个名为currentState的变量。这是状态:
#ifndef STATE_HPP
#define STATE_HPP
using namespace std;
class State {
private:
public:
void start();
void update();
void render();
};
#endif
然后,我有一个名为PlayState的类,该类继承State:
#ifndef PLAY_STATE_HPP
#define PLAY_STATE_HPP
#include <SFML/Graphics.hpp>
#include "Game.hpp"
#include "State.hpp"
using namespace std;
class PlayState : public State {
private:
sf::CircleShape shape;
Game game;
public:
PlayState();
void start();
void update();
void render();
};
#endif
在我的Game.cpp上,我通过执行以下操作来创建currentState:
currentState = PlayState();
但问题是,它不起作用。 currentState.update()是state.update()。在创建PlayState时,似乎并没有覆盖State方法。
这是PlayState.cpp:
#include <SFML/Graphics.hpp>
#include <SFML/Window.hpp>
#include <stdio.h>
#include "PlayState.hpp"
PlayState::PlayState() {
printf("heyyy\n");
}
void PlayState::start() {
shape.setRadius(100.f);
shape.setOrigin(20.0f, 20.0f);
shape.setFillColor(sf::Color::Green);
}
void PlayState::update() {
sf::Event event;
while (game.window.pollEvent(event)) {
if (event.type == sf::Event::Closed) {
game.window.close();
//running = false;
}
}
printf("here\n");
}
void PlayState::render() {
printf("here\n");
game.window.clear();
game.window.draw(shape);
game.window.display();
}
关于如何“替代”这些方法的任何想法?谢谢。
编辑
我必须将State.cpp函数设为虚拟,以便可以对其进行覆盖。
我还必须将State * currentState定义为指针,并使用“ currentState = new PlayState();”创建PlayState。
另外,现在我使用-> update()和-> draw()访问.update和.draw。
最佳答案
两个问题。正如@McAden所说,要在State
中覆盖的PlayState
中的功能需要标记为虚。另一个问题是currentState
中的数据成员Game
具有类型State
。当为它分配类型为PlayState
的对象时,它将获得State
对象的PlayState
部分,而不是派生部分。这称为“切片”。为了防止出现这种情况,请使currentState
指向State
的指针,并在创建该PlayState
对象时,将其地址分配给Game
对象的currentState
。