QT c ++在使用信号和插槽从另一个类调用类的方法时崩溃

时间:2015-08-06 05:30:41

标签: c++ qt class qt-signals

我正在尝试创建基于QQuickWidget的应用程序。

我想做什么:

A类(game.h)和B类(gamestate.h)是前向声明的。 A类是主要的QQuickWidget类和方法。 B类QObject派生类包含信号,槽,变量和方法。

B类变量值可以从A类 - 工作

设置

当应该发出变量值变化信号时 - 工作

当发出信号时,应该在B类中调用槽方法 - 工作

B类应该调用A类中的方法 - 工作

A类应该创建另一个qquickwidget - NOT WORKING (没有编译错误。应用程序在加载时崩溃)

我试图从A类调用并且showIntro()函数正常工作。但是当试图从B级打电话时它不起作用。

Game.h

#ifndef GAME_H
#define GAME_H
#include <QQuickWidget>
class GameState;

class Game: public QQuickWidget
{
Q_OBJECT
public:
   Game();
   GameState *gameState;
   void showIntro();
public slots:
   void onStatusChanged(QQuickWidget::Status);
};

#endif // GAME_H

Game.cpp

#include "game.h"
#include <QQuickWidget>
#include <QDebug>
#include "gamestate.h"

Game::Game(): QQuickWidget()
{
   gameState = new GameState(this);
   mainScreen = new QQuickWidget();
   connect(this, SIGNAL(statusChanged(QQuickWidget::Status)), this,    SLOT(onStatusChanged(QQuickWidget::Status)));

   setFixedSize(450, 710);
   setSource(QUrl("qrc:/EmptyScreen.qml"));

}

void Game::onStatusChanged(QQuickWidget::Status status)
{

switch(status)
{
    case QQuickWidget::Ready:
        qDebug() << "hi";
        gameState->setValue(1);
        //showIntro();
        break;
    case QQuickWidget::Error:
        qDebug() << "Error";
        break;
}
}
void Game::showIntro()
{
  mainScreen->setSource(QUrl("qrc:/MainScreen.qml"));
  mainScreen->setAttribute(Qt::WA_TranslucentBackground);
  mainScreen->setParent(this);
}

这是我的Gamestate.h

#ifndef GAMESTATE_H
#define GAMESTATE_H

#include <QObject>


class Game;


class GameState : public QObject
{
 Q_OBJECT
public:
   explicit GameState(QObject *parent = 0);

   int value() const {return m_value; }
   Game *game;
signals:
   void valueChanged(int newValue);

public slots:
   void setValue(int value);
   void stateChanged(int value);
private:
   int m_value;
};

#endif // GAMESTATE_H

GameState.cpp

#include "gamestate.h"
#include "game.h"

GameState::GameState(QObject *parent) : QObject(parent)
{
   m_value = 0;
   connect(this,SIGNAL(valueChanged(int)), this, SLOT(stateChanged(int)));
}

void GameState::setValue(int value)
{
  if(value != m_value)
{
   m_value = value;
   emit valueChanged(value);
}

}

void GameState::stateChanged(int value)
{
   if(value == 1)
{
    game->showIntro();
}

}

和我最后的main.cpp

#include <QApplication>
#include <QQmlApplicationEngine>
#include "game.h"

Game *game;

int main(int argc, char *argv[])
{
QApplication app(argc, argv);

game = new Game();
game->show();
return app.exec();
}

请告诉我可能是什么问题。

1 个答案:

答案 0 :(得分:2)

Game* game的成员变量GameState未初始化,因此在尝试取消引用GameState::stateChanged()内的指针时程序崩溃。

GameState的构造函数更改为以下内容:

// in gamestate.h
explicit GameState(Game *parent = 0);

// in gamestate.cpp
GameState::GameState(Game *parent) : QObject(parent), game(parent)
{
   m_value = 0;
   connect(this,SIGNAL(valueChanged(int)), this, SLOT(stateChanged(int)));
}