我一直在使用QGraphicsView一段时间,我面临一个必要条件,我不确定是否可以通过使用此框架来实现。
尽可能简单,我有2个重叠的RectItem和一个半透明的QBrush(两个都是相同的)。是否有可能防止重叠区域变得更不透明?我只是希望整个区域具有相同的颜色(只有当两个区域完全不透明时才会出现,但有时情况并非如此)
我知道这似乎是一个奇怪的必要条件,但我的同事使用的旧图形引擎允许它。
有什么想法吗?
答案 0 :(得分:3)
Qt为QPainter提供了各种混合(组合)模式。从QGraphicsItem或QGraphicsObject派生RectItem类,允许您自定义绘画并使用composition modes创建各种效果,如Qt Example中所示。
如果您希望两个半透明项重叠而不更改颜色(假设它们的颜色相同),QPainter::CompositionMode_Difference mode或CompositionMode_Exclusion将执行此操作。以下是此类对象的示例代码: -
标题
#ifndef RECTITEM_H
#define RECTITEM_H
#include <QGraphicsItem>
#include <QColor>
class RectItem : public QGraphicsItem
{
public:
RectItem(int width, int height, QColor colour);
~RectItem();
QRectF boundingRect() const;
private:
QRectF m_boundingRect;
QColor m_colour;
void paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget = 0);
};
#endif // RECTITEM_H
实施
#include "rectitem.h"
#include <QPainter>
RectItem::RectItem(int width, int height, QColor colour)
: QGraphicsItem(), m_boundingRect(-width/2, -height/2, width, height), m_colour(colour)
{
setFlag(QGraphicsItem::ItemIsSelectable);
setFlag(QGraphicsItem::ItemIsMovable);
}
RectItem::~RectItem()
{
}
QRectF RectItem::boundingRect() const
{
return m_boundingRect;
}
void RectItem::paint(QPainter *painter, const QStyleOptionGraphicsItem *, QWidget *)
{
painter->setCompositionMode(QPainter::CompositionMode_Difference);
painter->setBrush(m_colour);
painter->drawRect(m_boundingRect);
}
您现在可以创建两个具有相同半透明颜色的RectItem对象,并将它们添加到场景
// assuming the scene and view are setup and m_pScene is a pointer to the scene
RectItem* pItem = new RectItem(50, 50, QColor(255, 0, 0, 128));
pItem->setPos(10, 10);
m_pScene->addItem(pItem);
pItem = new RectItem(50, 50, QColor(255, 0, 0, 128));
pItem->setPos(80, 80);
m_pScene->addItem(pItem);