I am trying to draw a line at the center of a widget, so I tried to call paintEvent()
by using update()
.
However, paintEvent()
does not get called. Why is that?
test_paint.h:
#ifndef TEST_PAINT_H
#define TEST_PAINT_H
#include <QPainter>
#include <QWidget>
class test_paint:public QWidget{
Q_OBJECT
public:
test_paint(QWidget* device){paper = device;}
protected:
void paintEvent(QPaintEvent* e){
QPainter p(paper);
QPen myPen;
myPen.setColor(Qt::red);
myPen.setWidth(5);
p.setPen(myPen);
QPoint p1;
QPoint p2;
p1.setX(10);
p1.setY(10);
p2.setX(100);
p2.setY(10);
p.drawLine(p1,p2);
};
void try_painting(){
update();
}
public slots:
void call_paint(){
try_painting();
}
private:
QWidget* paper;
};
#endif // TEST_PAINT_H
main.cpp:
#include <QApplication>
#include <QPushButton>
#include <QMainWindow>
#include <QMenu>
#include <QMenuBar>
#include <QWidget>
#include <QVBoxLayout>
#include <QObject>
#include "test_paint.h"
int main(int argc, char* argv[]){
QApplication a(argc,argv);
QMainWindow window;
window.setFixedSize(500, 600);
QMenu menu("Menu");
window.menuBar()->addMenu("Menu");
QWidget *center = new QWidget();
window.setCentralWidget(center);
window.show();
QPushButton* push = new QPushButton("test_move");
QVBoxLayout* vlayout = new QVBoxLayout();
vlayout -> addWidget(push);
center->setLayout(vlayout);
test_paint* d = new test_paint(center);
QObject::connect(push,SIGNAL(clicked()),d,SLOT(call_paint()));
return a.exec();
}
You have 3 problems with your approach:
Initializing the custom widget:
You have this:
Where you initialize
d
withcenter
as its parent, and you do not include it in any layout. And that is after you makewindow
(center
's parent) visible, which is a problem because a parent widget will only make its children visible if added before it itself is made visible (see my answer on How to make a child widget added in a slot visible?).To fix that, you could either move the initialization before the parent's
show
:Or, you could call
d.show();
.However, this still won't work:
d
will become a second window.And that is because of the second problem:
Constructor:
You have the below as your constructor:
Which does not initialize the base class with the parent widget that you pass as
device
, thus not enabling you to benefit from parent/child relations between widgets.This leads to improper events handling and propagation, and ultimately
paintEvent
not getting triggered, or causing a second window, all of which is mentioned in QWidget Documentation:So you fix that as follows:
And again, this will turn up another problem:
Trying to draw a widget outside its paint event:
In
test_paint::paintEvent
, you have this:Which means you want to draw/draw in top of
paper
, however the currentpaintEvent
is that ofd
, notpaper
, that will cause you the following warnings:To fix that, you should use the current widget and draw on it:
Here's a simplified, minimal example:
Result:
Some of the output: