1

qgraphicsview に基本的な qtimer を実装しようとしていますが、機能していないようです。

これが私のmain.cppコードです:

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


    QApplication app(argc, argv);//should stay on the stack

    QGraphicsScene * scene = new QGraphicsScene();//this is the scene -- the canvas that holds everything!

    // a view just adds stuff to the scene in that view port

    QGraphicsView * view = new Game(scene);//create a new view

    return app.exec();
}

そして、ここにビューヘッダーがあります... qtimerとadvance関数に注意してください

class View: public QGraphicsView {//inherits qwidget -- so we can make it full screen there

    Q_OBJECT

    public:
        View(QGraphicsScene * _scene);//this is responsible for setting up the screen and instantiating several elements
        ~View();

    protected://variables
        QGraphicsScene * scene;
        QTimer * timer;


    protected://functions

        int const int_height();//converts qreal to an int
        int const int_width();

        qreal const height();// 
        qreal const width();//this is the actual qreal floating point number 

        virtual void paintEvent(QPaintEvent * event) {};
        void timerEvent(QTimerEvent * event) {cout << "HELLO << ads" << endl;};
        virtual void keyPressEvent(QKeyEvent * event) {};
        virtual void update() = 0;


        void advance() { cout << "HELLO WORLD" << endl;}        
    private:
        qreal _height;
        qreal _width;

};

そして最後に、私のビュー実装コンストラクター:

View::View(QGraphicsScene * _scene) : QGraphicsView(_scene) {


    scene = _scene;//set the scene which is the parent over this 


    this->showMaximized();

    QRectF geometry = this->contentsRect();

    _height = geometry.height();
    _width = geometry.width();

    this->setHorizontalScrollBarPolicy(Qt::ScrollBarAlwaysOff);
    this->setVerticalScrollBarPolicy(Qt::ScrollBarAlwaysOff);

    scene->setSceneRect(0, 0, this->int_width(), this->int_height());
    // this->centerOn(qreal(0), qreal(0));

    this->setGeometry(0, 0, _width, _height);
    this->setFixedSize(_width, _height);


    timer = new QTimer(this);
    connect(timer, SIGNAL(timeout()), scene, SLOT(advance()));
    timer->start(1000);
    timer->setInterval(100);



}   
4

1 に答える 1

1

ヘッダー ファイルで、advance() 関数をスロットとして宣言する必要があります。そうしないと、Qt はこの特定の関数がスロットであることを認識しません。

protected slots:
    void advance() { cout << "HELLO WORLD" << endl; } 

次に、タイムアウト信号をシーンの Advance() スロットに接続していますが、ビューで宣言しています。現在ビューにいるので、thisポインターを使用して信号をビューに接続できます。次のように接続を変更します。

connect(timer, SIGNAL(timeout()), this, SLOT(advance())); 
//                                ^^^^

[編集] サイド ノードとして: タイプ の QGraphicsView サブクラスを作成してGameいますが、 のソース コードを示しましたViewGameただし、継承する場合、これは無関係かもしれませんView

于 2012-10-22T08:08:59.130 に答える