QT:在QGraphicsItem上检测左右鼠标按下事件

时间:2017-04-10 16:36:50

标签: c++ qt events graphics qt5

我在注册右键单击我的自定义QGraphics项目时遇到问题。

我的自定义类的标题:

#ifndef TILE_SQUARE_H
#define TILE_SQUARE_H
#include <QPainter>
#include <QGraphicsItem>
#include <QtDebug>
#include <QMouseEvent>

class Tile_Square : public QGraphicsItem
{
public:
Tile_Square();

bool Pressed;
int MovementCostValue;

QRectF boundingRect() const;
void paint(QPainter *painter,const QStyleOptionGraphicsItem *option, QWidget *widget);


protected:
    void mousePressEvent(QGraphicsSceneMouseEvent *event);
    void contextMenuEvent(QGraphicsSceneContextMenuEvent *cevent);


};
#endif // TILE_SQUARE_H

以下是所述类的实现:

    #include "tile_square.h"

Tile_Square::Tile_Square()
{
    Pressed = false;
    MovementCostValue = 1;

}

QRectF Tile_Square::boundingRect() const
{
    return QRectF(0,0,10,10);
}

void Tile_Square::paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget)
{
    QRectF rec = boundingRect();
    QBrush brush(Qt::white);

    painter->fillRect(rec,brush);
    painter->drawRect(rec);
}

//Left click
void Tile_Square::mousePressEvent(QGraphicsSceneMouseEvent *event)
{
    QMouseEvent *mouseevent = static_cast<QMouseEvent *>(*event);
    if(mouseevent->buttons() == Qt::LeftButton){
        MovementCostValue++;
        qDebug() << "LEFT: Movement value is: " << MovementCostValue;
    }
    else if(mouseevent->buttons() == Qt::RightButton){
        MovementCostValue--;
        qDebug() << "RIGHT: Movement value is: " << MovementCostValue;
    }
    update();
    QGraphicsItem::mousePressEvent(event);


}

我在带有graphicsview和graphicsscene的Dialog窗口上绘制它。

我想在左键单击时增加类的内部int,并在右键单击时减少它。问题是,mousepressevent注册事件而不是按下哪个按钮。在我的代码中,您可以看到我试图将其转换为常规鼠标事件,但显然失败了。

老实说,我想写

event->buttons() == Qt::LeftButton

但是QGraphicsSceneMouseEvent *事件没有这样的事件。有什么问题?

我也尝试过使用contextmenuevent,它完美运行并注册右键,但常规的mousepressevent也会被注册。

1 个答案:

答案 0 :(得分:0)

首先,您无法从QGraphicsSceneMouseEvent投射到QMouseEventQGraphicsSceneMouseEvent并非来自QMouseEvent,因此这不是一个安全的演员。按钮方法可能实际上并没有调用正确的方法,因为该转换是坏的。其次,QGraphicsSceneMouseEvent::buttons确实存在,它会做你想要的,但它是一个掩码。你应该这样做:

#include <QGraphicsSceneMouseEvent>

void Tile_Square::mousePressEvent (QGraphicsSceneMouseEvent *event)
{
    if (event->buttons() & Qt::LeftButton)
    {
        // ... handle left click here
    }
    else if (event->buttons() & Qt::RightButton)
    {
        // ... handle right click here
    }
}

即使不将其视为面具,我也希望只要您不立即按下组合按钮,您的直接比较就可以正常工作。但是,我还没有对此进行测试。