这是我的第一个问题,我签署该网站的原因。我正在使用Qt 5.9开发游戏,我使用QTimer在屏幕上产生敌人。每次调用计时器的超时功能时,都会产生敌人。
我尝试做的是如果玩家杀死让我们说10个敌人,计时器间隔减少,所以敌人会更频繁地产生,使游戏更具挑战性。第一次设置计时器间隔时,游戏运行完美,但第二次调用setInterval()
方法时,当玩家杀死10个敌人时,游戏突然崩溃。我尝试调试它以找出可能导致它的原因,并且当我尝试设置spawnInterval时它似乎崩溃了。
我对编码很新,所以任何建议都表示赞赏!以下是我的代码中的相关源文件和代码:
的main.cpp
#include <QApplication>
#include <game.h>
Game * game;
int main(int argc, char *argv[])
{
QApplication a(argc, argv);
game = new Game();
game->show();
return a.exec();
}
game.h:
#include <QGraphicsScene>
#include <QWidget>
#include <QGraphicsView>
#include "Player.h"
#include "score.h"
#include "Health.h"
class Game: public QGraphicsView{
public:
Game(QWidget * parent=0);
QGraphicsScene * scene;
Player * player;
Score * score;
Health * health;
void setSpawnInterval(int spawnValue);
int getSpawnInterval();
void setTimerInterval();
private:
int spawnInterval = 1000;
};
#endif // GAME_H
game.cpp:
QTimer * timer1 = new QTimer();
QObject::connect(timer1,SIGNAL(timeout()),player,SLOT(spawn()));
timer1->start(getSpawnInterval());
}
void Game::setSpawnInterval(int spawnValue){
//this is the part where it crashes
spawnInterval = spawnValue;
}
int Game::getSpawnInterval(){
return spawnInterval;
}
score.h
#ifndef SCORE_H
#define SCORE_H
#include <QGraphicsTextItem>
class Score: public QGraphicsTextItem{
public:
Score(QGraphicsItem * parent=0);
void increase();
int getScore();
private:
int score;
};
#endif // SCORE_H
score.cpp
#include "score.h"
#include <QFont>
#include "game.h"
#include <QTimer>
void Score::increase()
{
score++;
if(score > 3){
Game * game;
game->setSpawnInterval(200);}
//Draw the text to the display
setPlainText(QString("Score: ") + QString::number(score));
}
int Score::getScore()
{
return score;
}
player.h
#ifndef PLAYER_H
#define PLAYER_H
#include <QGraphicsRectItem>
#include <QEvent>
#include <QObject>
class Player: public QObject, public QGraphicsRectItem{
Q_OBJECT
public:
Player(QGraphicsItem * parent=0);
void keyPressEvent(QKeyEvent * event);
int jumpPhaseNumber = 0;
bool jumpRun = false;
public slots:
void spawn();
void jumpPhase();
};
#endif
player.cpp
void Player::spawn()
{
Enemy * enemy = new Enemy();
scene()->addItem(enemy);
}
答案 0 :(得分:0)
似乎您正在创建两个类game
的实例。
我建议您使用静态变量来访问多个类。
将此课程添加到您的项目中:
的.cpp
#include "settings.h"
int Settings::spawnInterval = 1000;
Settings::Settings(QObject *parent) : QObject(parent)
{
}
·H
#ifndef SETTINGS_H
#define SETTINGS_H
#include <QObject>
#include <QString>
class Settings : public QObject
{
Q_OBJECT
public:
explicit Settings(QObject *parent = 0);
static int spawnInterval;
};
#endif // SETTINGS_H
现在我们有一个静态变量名spawnInterval
,您可以从包含如下设置类的任何类中访问它(set / get):
#include <settings.h>
Settings::spawnInterval = 100; // set
int value = Settings::spawnInterval; //get
答案 1 :(得分:0)
这一行:Game * game; game->setSpawnInterval(200)
导致程序崩溃:你必须初始化游戏指针;为了解决这个问题,例如,你可以在Score类中保存游戏的引用(指针),这样就可以调用setSpawnInterval;我会在Game的构造函数中构建Score,并将this
作为参数传递;正如@aghilpro建议的那样,这可以帮助您避免创建新类。实际上struct
会更好,因为您的信息是公开的,并且可以从其他类访问,而无需实现getter / setter。