0

我尝试使用 Qt 和 Qgraphicsview 制作 tictactoe 游戏,但是当我在 mousePressEvent 中使用 Graphicstextitem 在板上绘制 x 时,X 不会出现。如何解决?

我认为问题在于 textitem 的场景与主文件的场景不同,但我不知道如何解决。

主.cpp:

int main(int argc, char *argv[])
 {
   QApplication a(argc, argv);
      Game *gm = new Game;

     Game *rect1=new Game;
  gm->scenc->setSceneRect(0,0,800,600);
  rect1->setRect(160,100,150,150);
  gm->scenc->addItem(rect1);
  gm->view->setScene(gm->scenc);
  gm->view->show();
  return a.exec();
 }

在game.cpp中:

#include <game.h>

 Game::Game()
 {
  scenc= new QGraphicsScene;
  view = new QGraphicsView;
  text= new QGraphicsTextItem;
}

 void Game::mousePressEvent(QGraphicsSceneMouseEvent *event)
 {
    if (event->buttons() == Qt::LeftButton )
     { 
                 text->setPlainText("X");
                 text->setFont(QFont("Tahoma",24));
                 text->setPos((160+160+120)/2,140);
                 scenc->addItem(text);


     } 

   }

在 game.h 中:

 class Game : public QObject , public QGraphicsRectItem
{
    Q_OBJECT
    public:

     Game();

     QGraphicsScene *scenc;
     QGraphicsView *view;
     QGraphicsTextItem *text;
     void mousePressEvent(QGraphicsSceneMouseEvent *event);




       };
4

1 回答 1

0

以下示例说明了如何以正确的方式进行操作。首先,您必须注意,它Game::mousePressEvent不会覆盖任何虚函数。使用 override 关键字并删除 virtual 关键字是一个好习惯,以确保虚函数被覆盖。

游戏不是衍生自QGraphicsScene,因此没有mousePressEvent成员。

尝试以下示例应用程序。

我的场景.h

#pragma once
#include <QWidget>
#include <QDebug>
#include <QHBoxLayout>
#include <QGraphicsScene>
#include <QGraphicsView>
#include <QGraphicsTextItem>
#include <QGraphicsSceneMouseEvent>

class MyScene : public QGraphicsScene {
    Q_OBJECT
public:
    MyScene(QWidget* parent = nullptr) : QGraphicsScene(parent) {
        setSceneRect(0, 0, 800, 600);       
    }
    void mouseDoubleClickEvent(QGraphicsSceneMouseEvent* mouseEvent) override {
        if (mouseEvent->buttons() == Qt::LeftButton)
        {
            auto text = new QGraphicsTextItem;
            addItem(text);
            text->setPlainText("X");
            text->setPos(mouseEvent->scenePos());
        }
    }
private:
    QGraphicsView* mView;
    QGraphicsTextItem* mText;
};

主文件

#include <QApplication>
#include <QGraphicsScene>
#include <QGraphicsView>
#include <QGraphicsTextItem>
#include "MyScene.h"

int main(int argc, char* argv[])
{
    QApplication a(argc, argv);
    auto scene = new MyScene;
    auto view = new QGraphicsView;
    view->setScene(scene);
    view->show();
    return a.exec();
}
于 2019-07-26T09:40:56.900 回答