我有一个项目,我想在QPixmap内部绘制一个点。点击QLabel鼠标即可绘制。我创建了一个eventFilter()
,对应鼠标点击。当我用鼠标点击时,这些eventFilter被调用并在图像中绘制一个点,但我的代码不起作用。我尝试了许多其他选项,比如子类化QLabel,但也没有用。
有时我的编译器会显示以下错误消息:
QPainter::begin: Paint device returned engine == 0, type: 2
QPainter::setPen: Painter not active
QPainter::drawPoints: Painter not active
QPainter::end: Painter not active, aborted
但我不明白,因为Qt文档说允许在paintEvent之外使用QPainter,只需使用QPixmap。
下面是我的代码,其中包含启动QPainter的方法。
bool mainwindow::eventFilter(QObject* watched, QEvent* event) {
if ( watched != ui->labelScreen )
return false;
if ( event->type() != QEvent::MouseButtonPress )
return false;
const QMouseEvent* const me = static_cast<const QMouseEvent*>( event );
//might want to check the buttons here
const QPoint p = me->pos(); //...or ->globalPos();
ui->label_Xget->setNum(this->xReal);
ui->label_Yget->setNum(this->yReal);
///////////////////////////////////
QPixmap pix;
pix.fromImage(QImage::fromData("C:/Users/Syn/Pictures/imagem137.jpg"));
QPainter *painter = new QPainter(&pix);
painter->setPen(Qt::red);
painter->drawPoint(p.x(), p.y());
ui->labelScreen->setPixmap(pix);
painter->end();
///////////////////////////////////
return false;
}
有人可以帮我解决这个问题吗?感谢。
答案 0 :(得分:0)
错误消息不是来自编译器,它们是在运行时发生的,并且您无法确定上面引用的代码是否是它们的原因。
有几个问题:
QPixmap::fromImage
是一个返回像素图的静态方法。你忽略了它的回报价值。使用它的正确方法是:
// C++11
auto pix = QPixmap::fromImage(QImage{"filename"});
// C++98
QPixmap pix(QPixmap::fromImage(QImage("filename")));
您可以将文件名直接传递给QPixmap
构造函数:
// C++11
QPixmap pix{"filename"};
// C++98
QPixmap pix("filename");
你正在泄漏画家实例。除非确实需要,否则应该避免任何动态内存分配。此外,按价值存储ui
- 它会更便宜。
在事件处理程序中执行任何阻塞I / O(例如读取文件)是一个非常糟糕的主意。将pixmap预加载并存储为MainWindow
类的成员。
因此(在C ++ 11中):
template <class F>
class MainWindow : public QMainWindow {
QPixmap m_clickPixmap;
Ui::MainWindow ui;
bool eventFilter(QObject*, QEvent*) override;
public:
MainWindow(QWidget * parent = nullptr);
};
void loadImage(const QString & fileName, QObject * context, F && functor) {
QtConcurrent::run([=]{
QImage img{fileName};
if (img.isNull()) return;
QTimer::singleShot(0, context, functor, img);
});
}
MainWindow::MainWindow(QWidget * parent) :
QMainWindow{parent}
{
loadImage("C:/Users/Syn/Pictures/imagem137.jpg", this, [this](const QImage & img){
m_clickPixmap = QPixmap::fromImage(img);
});
ui.setupUi(this);
}
bool MainWindow::eventFilter(QObject* watched, QEvent* event) {
if ( watched != ui.labelScreen )
return false;
if ( event->type() != QEvent::MouseButtonPress )
return false;
auto const me = static_cast<const QMouseEvent*>(event);
auto const p = me->pos(); //...or ->globalPos();
ui.label_Xget->setNum(this->xReal);
ui.label_Yget->setNum(this->yReal);
auto pix{m_clickPixmap};
QPainter painter(&pix);
painter.setPen(Qt::red);
painter.drawPoint(p.x(), p.y());
painter.end(); // probably not needed
ui.labelScreen->setPixmap(pix);
return false;
}