Evgenii Legotckoi
April 16, 2016, 10:23 p.m.

QML - Lesson 024. Custom QQuickItem – How to add QML object from C++

QML objects in Qt is quite wonderful, easy to work with them, but what if it becomes standard objects is not enough? Then you can make your own object to program it in C++ and QML implement the logic layer. In this tutorial, I suggest to make a small improvised timer that you can start, stop and clear, but the timer design will be developed in C ++ layer and in fact most of the work will be done in C ++.

And for the development of customized QuickItem need to use QQuickPaintedItem , which will be a timer shown in the figure below, which will be drawn like normal QGraphicsItem , but it will have a number of properties that can be controlled from QML layer.


Project structure for Custom QQuickItem

  • CustomQuickItem.pro - the profile of the project;
  • deployment.pri - profile of deployment project under different architectures;
  • clockcircle.h - header file of the project timer;
  • clockcircle.cpp - source file project timer codes;
  • main.cpp - the file source code of the project's main features;
  • main.qml - qml file source cod e.

CustomQuickItem.pro

To register in QML layer QQuickItem customized classes, you need to connect the module quickwidgets, as is done in the file.

  1. TEMPLATE = app
  2.  
  3. QT += qml quick quickwidgets
  4. CONFIG += c++11
  5.  
  6. SOURCES += main.cpp \
  7. clockcircle.cpp
  8.  
  9. RESOURCES += qml.qrc
  10.  
  11. # Additional import path used to resolve QML modules in Qt Creator's code model
  12. QML_IMPORT_PATH =
  13.  
  14. # Default rules for deployment.
  15. include(deployment.pri)
  16.  
  17. HEADERS += \
  18. clockcircle.h

main.cpp

  1. #include <QGuiApplication>
  2. #include <QQmlApplicationEngine>
  3. #include <QQuickWidget>
  4.  
  5. #include "clockcircle.h"
  6.  
  7. int main(int argc, char *argv[])
  8. {
  9. QGuiApplication app(argc, argv);
  10.  
  11. // All that is required in this file - is to register a new class (Type) for QML layer
  12. qmlRegisterType<ClockCircle>("ClockCircle",1,0,"ClockCircle");
  13.  
  14. QQmlApplicationEngine engine;
  15. engine.load(QUrl(QStringLiteral("qrc:/main.qml")));
  16.  
  17. return app.exec();
  18. }

clockCircle.h

Because this object is an object that must be accessible from QML layer, it is necessary to all of its properties to determine how the Q_PROPERTY , which will be listed all the setters and getters, respectively, signals of change in these properties. In addition there are several Q_INVOKABLE class methods that are also available from QML layer. It's clear(), start(), stop() , they will be made from the interface control timers.

Properties in timer will be several:

  • m_name - Name of the object;
  • m_backgroundColor - the background color of the timer;
  • m_borderNonActiveColor - the background color of the rim (circular progress bar), in the unfilled state;
  • m_borderActiveColor - the background color of the rim, filling the progress bar;
  • m_angle - angle of rotation of the active part of the progress bar;
  • m_circleTime - the current time of the timer.

  1. #ifndef CLOCKCIRCLE_H
  2. #define CLOCKCIRCLE_H
  3.  
  4. #include <QtQuick/QQuickPaintedItem>
  5. #include <QColor>
  6. #include <QBrush>
  7. #include <QPen>
  8. #include <QPainter>
  9. #include <QTime>
  10. #include <QTimer>
  11.  
  12. class ClockCircle : public QQuickPaintedItem
  13. {
  14. Q_OBJECT
  15. Q_PROPERTY(QString name READ name WRITE setName NOTIFY nameChanged)
  16. Q_PROPERTY(QColor backgroundColor READ backgroundColor WRITE setBackgroundColor NOTIFY backgroundColorChanged)
  17. Q_PROPERTY(QColor borderActiveColor READ borderActiveColor WRITE setBorderActiveColor NOTIFY borderActiveColorChanged)
  18. Q_PROPERTY(QColor borderNonActiveColor READ borderNonActiveColor WRITE setBorderNonActiveColor NOTIFY borderNonActiveColorChanged)
  19. Q_PROPERTY(qreal angle READ angle WRITE setAngle NOTIFY angleChanged)
  20. Q_PROPERTY(QTime circleTime READ circleTime WRITE setCircleTime NOTIFY circleTimeChanged)
  21.  
  22. public:
  23. explicit ClockCircle(QQuickItem *parent = 0);
  24.  
  25. void paint(QPainter *painter) override; // Override the method in which the object will be rendered to our
  26.  
  27. // Methods available from QML for ...
  28. Q_INVOKABLE void clear(); // ... time cleaning ...
  29. Q_INVOKABLE void start(); // ... start the timer, ...
  30. Q_INVOKABLE void stop(); // ... stop the timer, ...
  31.  
  32. QString name() const;
  33. QColor backgroundColor() const;
  34. QColor borderActiveColor() const;
  35. QColor borderNonActiveColor() const;
  36. qreal angle() const;
  37. QTime circleTime() const;
  38.  
  39. public slots:
  40. void setName(const QString name);
  41. void setBackgroundColor(const QColor backgroundColor);
  42. void setBorderActiveColor(const QColor borderActiveColor);
  43. void setBorderNonActiveColor(const QColor borderNonActiveColor);
  44. void setAngle(const qreal angle);
  45. void setCircleTime(const QTime circleTime);
  46.  
  47. signals:
  48. void cleared();
  49.  
  50. void nameChanged(const QString name);
  51. void backgroundColorChanged(const QColor backgroundColor);
  52. void borderActiveColorChanged(const QColor borderActiveColor);
  53. void borderNonActiveColorChanged(const QColor borderNonActiveColor);
  54. void angleChanged(const qreal angle);
  55. void circleTimeChanged(const QTime circleTime);
  56.  
  57. private:
  58. QString m_name; // The name of the object
  59. QColor m_backgroundColor; // The main background color
  60. QColor m_borderActiveColor; // The color of the border, filling with the progress bezel timer
  61. QColor m_borderNonActiveColor; // The color of the background of the border
  62. qreal m_angle; // The rotation angle of the pie chart type, will generate progress on the rim
  63. QTime m_circleTime; // Current time of the timer
  64.  
  65. QTimer *internalTimer; // The timer, which will vary according to the time
  66. };
  67.  
  68. #endif // CLOCKCIRCLE_H

clockcircle.cpp

All of the code relating to the setters and getters properties can automatically generate the context menu by right-clicking on the written Q_PROPERTY. Note only setAngle (const qreal angle), as it is modified to reset the angle of rotation.

  1. #include "clockcircle.h"
  2.  
  3. ClockCircle::ClockCircle(QQuickItem *parent) :
  4. QQuickPaintedItem(parent),
  5. m_backgroundColor(Qt::white),
  6. m_borderActiveColor(Qt::blue),
  7. m_borderNonActiveColor(Qt::gray),
  8. m_angle(0),
  9. m_circleTime(QTime(0,0,0,0))
  10. {
  11. internalTimer = new QTimer(this); // Initialize timer
  12. /* Also connected to the timer signal from the lambda function
  13.   * Structure lambda functions [object] (arguments) {body}
  14. * */
  15. connect(internalTimer, &QTimer::timeout, [=](){
  16. setAngle(angle() - 0.3); // rotation is determined in degrees.
  17. setCircleTime(circleTime().addMSecs(50)); // Adding to the current time of 50 milliseconds
  18. update(); // redraws the object
  19. });
  20. }
  21.  
  22. void ClockCircle::paint(QPainter *painter)
  23. {
  24. // Отрисовка объекта
  25. QBrush brush(m_backgroundColor); // Choose a background color, ...
  26. QBrush brushActive(m_borderActiveColor); // active color of border, ...
  27. QBrush brushNonActive(m_borderNonActiveColor); // not active color of border
  28.  
  29. painter->setPen(Qt::NoPen); // remove the outline
  30. painter->setRenderHints(QPainter::Antialiasing, true); // Enable antialiasing
  31.  
  32. painter->setBrush(brushNonActive); // Draw the lowest background in a circle
  33. painter->drawEllipse(boundingRect().adjusted(1,1,-1,-1)); // with adjustment to the current dimensions, which
  34. // will be determined in QML-layer.
  35. // It will not be an active background rim
  36.  
  37. // The progress bar will be formed by drawing Pie chart
  38. painter->setBrush(brushActive); // Draw rim active in the background, depending on the angle of rotation
  39. painter->drawPie(boundingRect().adjusted(1,1,-1,-1), // to fit to the size of the layer in QML
  40. 90*16, // The starting point
  41. m_angle*16); // the angle of rotation, which is necessary to render the object
  42.  
  43. painter->setBrush(brush); // the basic background of the timer, which overlap on top
  44. painter->drawEllipse(boundingRect().adjusted(10,10,-10,-10)); // Border (aka the progress bar) will be formed
  45. }
  46.  
  47. void ClockCircle::clear()
  48. {
  49. setCircleTime(QTime(0,0,0,0)); // Clean up time
  50. setAngle(0); // Expose turn to zero
  51. update(); // update object
  52. emit cleared(); // Emits a clear signal
  53. }
  54.  
  55. void ClockCircle::start()
  56. {
  57. internalTimer->start(50); // Start the timer in increments of 50 ms
  58. }
  59.  
  60. void ClockCircle::stop()
  61. {
  62. internalTimer->stop(); // stops the timer
  63. }
  64.  
  65. QString ClockCircle::name() const
  66. {
  67. return m_name;
  68. }
  69.  
  70. QColor ClockCircle::backgroundColor() const
  71. {
  72. return m_backgroundColor;
  73. }
  74.  
  75. QColor ClockCircle::borderActiveColor() const
  76. {
  77. return m_borderActiveColor;
  78. }
  79.  
  80. QColor ClockCircle::borderNonActiveColor() const
  81. {
  82. return m_borderNonActiveColor;
  83. }
  84.  
  85. qreal ClockCircle::angle() const
  86. {
  87. return m_angle;
  88. }
  89.  
  90. QTime ClockCircle::circleTime() const
  91. {
  92. return m_circleTime;
  93. }
  94.  
  95. void ClockCircle::setName(const QString name)
  96. {
  97. if (m_name == name)
  98. return;
  99.  
  100. m_name = name;
  101. emit nameChanged(name);
  102. }
  103.  
  104. void ClockCircle::setBackgroundColor(const QColor backgroundColor)
  105. {
  106. if (m_backgroundColor == backgroundColor)
  107. return;
  108.  
  109. m_backgroundColor = backgroundColor;
  110. emit backgroundColorChanged(backgroundColor);
  111. }
  112.  
  113. void ClockCircle::setBorderActiveColor(const QColor borderActiveColor)
  114. {
  115. if (m_borderActiveColor == borderActiveColor)
  116. return;
  117.  
  118. m_borderActiveColor = borderActiveColor;
  119. emit borderActiveColorChanged(borderActiveColor);
  120. }
  121.  
  122. void ClockCircle::setBorderNonActiveColor(const QColor borderNonActiveColor)
  123. {
  124. if (m_borderNonActiveColor == borderNonActiveColor)
  125. return;
  126.  
  127. m_borderNonActiveColor = borderNonActiveColor;
  128. emit borderNonActiveColorChanged(borderNonActiveColor);
  129. }
  130.  
  131. void ClockCircle::setAngle(const qreal angle)
  132. {
  133. if (m_angle == angle)
  134. return;
  135.  
  136. m_angle = angle;
  137.  
  138. /* This addition is made to reset the rotation when the timer 60 seconds
  139. * */
  140. if(m_angle <= -360) m_angle = 0;
  141. emit angleChanged(m_angle);
  142. }
  143.  
  144. void ClockCircle::setCircleTime(const QTime circleTime)
  145. {
  146. if (m_circleTime == circleTime)
  147. return;
  148.  
  149. m_circleTime = circleTime;
  150. emit circleTimeChanged(circleTime);
  151. }

main.qml

And now it remains only to add a new object in QML layer, set it up and see the result. In this case, there will be three buttons that will drive Q_INVOKABLE timer methods, and will be installed in our time the timer while it is based on the work of the signals and slots .

  1. import QtQuick 2.6
  2. import QtQuick.Window 2.2
  3. import QtQuick.Controls 1.4
  4. import QtQml 2.2
  5. // Once an object is registered in the C ++ layer, it must be connected in QML
  6. import ClockCircle 1.0
  7.  
  8. Window {
  9. visible: true
  10. width: 400
  11. height: 400
  12.  
  13. ClockCircle {
  14. id: clockCircle
  15. // Set its positioning and dimensions
  16. anchors.top: parent.top
  17. anchors.topMargin: 50
  18. anchors.horizontalCenter: parent.horizontalCenter
  19. width: 200
  20. height: 200
  21.  
  22. // Determine the properties that Q_PROPERTY
  23. name: "clock"
  24. backgroundColor: "whiteSmoke"
  25. borderActiveColor: "LightSlateGray"
  26. borderNonActiveColor: "LightSteelBlue"
  27.  
  28. // Add the text that will be put up timer
  29. Text {
  30. id: textTimer
  31. anchors.centerIn: parent
  32. font.bold: true
  33. font.pixelSize: 24
  34. }
  35.  
  36. // If you change the time, put the time on the timer
  37. onCircleTimeChanged: {
  38. textTimer.text = Qt.formatTime(circleTime, "mm:ss.zzz")
  39. }
  40. }
  41.  
  42. Button {
  43. id: start
  44. text: "Start"
  45. onClicked: clockCircle.start(); // Start timer
  46. anchors {
  47. left: parent.left
  48. leftMargin: 20
  49. bottom: parent.bottom
  50. bottomMargin: 20
  51. }
  52. }
  53.  
  54. Button {
  55. id: stop
  56. text: "Stop"
  57. onClicked: clockCircle.stop(); // Stop timer
  58. anchors {
  59. horizontalCenter: parent.horizontalCenter
  60. bottom: parent.bottom
  61. bottomMargin: 20
  62. }
  63. }
  64.  
  65. Button {
  66. id: clear
  67. text: "Clear"
  68. onClicked: clockCircle.clear(); // clean timer
  69. anchors {
  70. right: parent.right
  71. rightMargin: 20
  72. bottom: parent.bottom
  73. bottomMargin: 20
  74. }
  75. }
  76. }

Video

Download software tutorial code - CustomQuickItem

Do you like it? Share on social networks!

Docent
  • Oct. 23, 2018, 7:57 p.m.

Полгода назад искал как сделать такой объект, делал на QML - первое знакомство с ним было, по вашему "QML-004". А тут вот на блюдечке все готово) Попробуем потом переделать как в вашем 032 уроке, сравним кто шустрее.

Evgenii Legotckoi
  • Oct. 24, 2018, 1:36 a.m.

Самый шустрый будет как раз в уроке 032. Там же OpenGL!!!

Когда на работе стояла такая задача, я сначала реализовал в этом уроке 024 по QML, но понял, что при большом количестве объектов ой как плохо CPU тянет, в итоге разобрался с OpenGL и всё стало работать с пол пинка. Реально быстрее отрисовывает. Всё-таки CPU не должен графикой заниматься ))

Comments

Only authorized users can post comments.
Please, Log in or Sign up
  • Last comments
  • AK
    April 1, 2025, 11:41 a.m.
    Добрый день. В данный момент работаю над проектом, где необходимо выводить звук из программы в определенное аудиоустройство (колонки, наушники, виртуальный кабель и т.д). Пишу на Qt5.12.12 поско…
  • Evgenii Legotckoi
    March 9, 2025, 9:02 p.m.
    К сожалению, я этого подсказать не могу, поскольку у меня нет необходимости в обходе блокировок и т.д. Поэтому я и не задавался решением этой проблемы. Ну выглядит так, что вам действитель…
  • VP
    March 9, 2025, 4:14 p.m.
    Здравствуйте! Я устанавливал Qt6 из исходников а также Qt Creator по отдельности. Все компоненты, связанные с разработкой для Android, установлены. Кроме одного... Когда пытаюсь скомпилиров…
  • ИМ
    Nov. 22, 2024, 9:51 p.m.
    Добрый вечер Евгений! Я сделал себе авторизацию аналогичную вашей, все работает, кроме возврата к предидущей странице. Редеректит всегда на главную, хотя в логах сервера вижу запросы на правильн…
  • Evgenii Legotckoi
    Oct. 31, 2024, 11:37 p.m.
    Добрый день. Да, можно. Либо через такие же плагины, либо с постобработкой через python библиотеку Beautiful Soup