Evgenii Legotckoi
April 3, 2017, 12:22 a.m.

PyQt5 - Lesson 007. Works with QML QtQuick (Signals and slots)

And now we will go deeper into the work with Qt using PyQt5, taking advantage of modern Qt features. By such possibilities I mean QtQuick and QML. PyQt5 allows you to use Qt classes that can process QML code, and therefore you can write an interface to QML, and also send signals to the QML layer and invoke slots of objects inherited from QObject from the QML layer.

To get meet with such possibilities of PyQt5, we will write a program that implements the following tasks:

  • The program interface should be written in QML
  • A class inherited from QObject and written in python must be implemented, with which we will interact from QML
  • An application using this class will need to add and subtract integers

Appearance of the application should look like this:


Project structure

There will be only two files in the project:

  • main .py - File application in python, there will also be a class for calculations
  • main.qml - Interface file on QML

Signals in PyQt5

The signal signature in the general case will look like this:

  1. PyQt5.QtCore.pyqtSignal
( types [, name [, revision=0 [, arguments=[] ]]])

Create one or more overloaded unbound signals as a class attribute.

| Parameters: | * types – the types that define the C++ signature of the signal. Each type may be a Python type object or a string that is the name of a C++ type. Alternatively each may be a sequence of type arguments. In this case each sequence defines the signature of a different signal overload. The first overload will be the default.
name – the name of the signal. If it is omitted then the name of the class attribute is used. This may only be given as a keyword argument.
revision – the revision of the signal that is exported to QML. This may only be given as a keyword argument.
* arguments – the sequence of the names of the signal’s arguments that is exported to QML. This may only be given as a keyword argument.
|

Slots in PyQt5

To define slots in PyQt5, a special decorator is used.

  1. PyQt5.QtCore.pyqtSlot
( types [, name [, result [, revision=0 ]]])

| Parameters: | * types – the types that define the C++ signature of the slot. Each type may be a Python type object or a string that is the name of a C++ type.
name – the name of the slot that will be seen by C++. If omitted the name of the Python method being decorated will be used. This may only be given as a keyword argument.
revision – the revision of the slot that is exported to QML. This may only be given as a keyword argument.
* result – the type of the result and may be a Python type object or a string that specifies a C++ type. This may only be given as a keyword argument.
|

main .py

  1. from PyQt5.QtGui import QGuiApplication
  2. from PyQt5.QtQml import QQmlApplicationEngine
  3. from PyQt5.QtCore import QObject, pyqtSignal, pyqtSlot
  4.  
  5.  
  6. class Calculator(QObject):
  7. def __init__(self):
  8. QObject.__init__(self)
  9.  
  10. # Signal sending sum
  11. # Necessarily give the name of the argument through arguments=['sum']
  12. # Otherwise it will not be possible to get it up in QML
  13. sumResult = pyqtSignal(int, arguments=['sum'])
  14.  
  15. subResult = pyqtSignal(int, arguments=['sub'])
  16.  
  17. # Slot for summing two numbers
  18. @pyqtSlot(int, int)
  19. def sum(self, arg1, arg2):
  20. # Sum two arguments and emit a signal
  21. self.sumResult.emit(arg1 + arg2)
  22.  
  23. # Slot for subtraction of two numbers
  24. @pyqtSlot(int, int)
  25. def sub(self, arg1, arg2):
  26. # Subtract arguments and emit a signal
  27. self.subResult.emit(arg1 - arg2)
  28.  
  29.  
  30. if __name__ == "__main__":
  31. import sys
  32.  
  33. # Create an instance of the application
  34. app = QGuiApplication(sys.argv)
  35. # Create QML engine
  36. engine = QQmlApplicationEngine()
  37. # Create a calculator object
  38. calculator = Calculator()
  39. # And register it in the context of QML
  40. engine.rootContext().setContextProperty("calculator", calculator)
  41. # Load the qml file into the engine
  42. engine.load("main.qml")
  43.  
  44. engine.quit.connect(app.quit)
  45. sys.exit(app.exec_())

main.qml

  1. import QtQuick 2.5
  2. import QtQuick.Controls 1.4
  3. import QtQuick.Layouts 1.2
  4.  
  5. ApplicationWindow {
  6. visible: true
  7. width: 640
  8. height: 240
  9. title: qsTr("PyQt5 love QML")
  10. color: "whitesmoke"
  11.  
  12. GridLayout {
  13. anchors.top: parent.top
  14. anchors.left: parent.left
  15. anchors.right: parent.right
  16. anchors.margins: 9
  17.  
  18. columns: 4
  19. rows: 4
  20. rowSpacing: 10
  21. columnSpacing: 10
  22.  
  23. Text {
  24. text: qsTr("First number")
  25. }
  26.  
  27. // Input field of the first number
  28. TextField {
  29. id: firstNumber
  30. }
  31.  
  32. Text {
  33. text: qsTr("Second number")
  34. }
  35.  
  36. // Input field of the second number
  37. TextField {
  38. id: secondNumber
  39. }
  40.  
  41. Button {
  42. height: 40
  43. Layout.fillWidth: true
  44. text: qsTr("Sum numbers")
  45.  
  46. Layout.columnSpan: 2
  47.  
  48. onClicked: {
  49. // Invoke the calculator slot to sum the numbers
  50. calculator.sum(firstNumber.text, secondNumber.text)
  51. }
  52. }
  53.  
  54. Text {
  55. text: qsTr("Result")
  56. }
  57.  
  58. // Here we see the result of sum
  59. Text {
  60. id: sumResult
  61. }
  62.  
  63. Button {
  64. height: 40
  65. Layout.fillWidth: true
  66. text: qsTr("Subtraction numbers")
  67.  
  68. Layout.columnSpan: 2
  69.  
  70. onClicked: {
  71. // Invoke the calculator slot to subtract the numbers
  72. calculator.sub(firstNumber.text, secondNumber.text)
  73. }
  74. }
  75.  
  76. Text {
  77. text: qsTr("Result")
  78. }
  79.  
  80. // Here we see the result of subtraction
  81. Text {
  82. id: subResult
  83. }
  84. }
  85.  
  86. // Here we take the result of sum or subtracting numbers
  87. Connections {
  88. target: calculator
  89.  
  90. // Sum signal handler
  91. onSumResult: {
  92.   // sum was set through arguments=['sum']
  93. sumResult.text = sum
  94. }
  95.  
  96. // Subtraction signal handler
  97. onSubResult: {
  98.   // sub was set through arguments=['sub']
  99. subResult.text = sub
  100. }
  101. }
  102. }
  103.  
  104.  
v
  • Aug. 4, 2017, 3:49 a.m.

Спасибо. Все очень доходчиво!

P
  • March 5, 2018, 5:32 p.m.

Подскажите как закидывать компоненты из python на форму qml? Я хочу график matplotlib закинуть на page qml

Evgenii Legotckoi
  • March 5, 2018, 5:52 p.m.

Вот сейчас Вы меня конкретно загрузили этим вопросом. Не работал с этой библиотекой, но я глянул, что есть сети по этому поводу и кое-какие мысли уже есть у меня. Но надо ещё самому разобраться, что можно придумать. Сегодня/завтра после работы гляну, и потом отвечу Вам, какие мысли у меня будут.

Но вообще, всё скорее всего должно сводиться к множественному наследованию от QQuickPaitedItem и класса библиотек matplotlib.

 
С теоретической исследовательской точки зрения мне это интересно. С практической не уверен, что стоит использовать, тем более, что есть Qt Charts.
 
Но я гляну, что там можно сделать.
P
  • March 5, 2018, 5:58 p.m.

Спасибо, Вам, за отклик. У меня существует готовое решение с использованием pyqt5 + matplotlib. Где я просто на форму кидаю виджет, а виджет есть график matplotlib. Теперь хотелось бы интерфейс приятный сделать. Вчера потратил весь день на Qt Charts и осознал, что он очень не очень. Ощущение, что студенты на коленках делали.

Evgenii Legotckoi
  • March 5, 2018, 6:06 p.m.
Ощущение, что студенты на коленках делали.
Ну... может поэтому Qt Charts вынесли из коммерческой лицензии и теперь он доступен в Community Edition ))))
Пожалуй, будет зависеть от того, что вам требуется, возможно, что его функционала действительно не хватает...

Если у вас есть готовый минимальный пример приложения с PyQt5 + matplotlib, то не могли бы создать тему обсуждения в этом разделе форума и прикрепить архив того примера.

Там по сути нужно правильно продёрнуть виджет в QML, либо перенаследовать некоторые классы, но обычно это делается через наследование от QQuickPaintedItem . Продолжим тогда обсуждение в ветке на форуме.
k
  • June 15, 2018, 4:59 p.m.

onClicked: { // Вызываем слот калькулятора, чтобы вычесть числа calculator.sub(firstNumber.text, secondNumber.text) //код после вызова слота }
k
  • June 15, 2018, 5 p.m.

почему не выполняется код после вызова слота?

Evgenii Legotckoi
  • June 18, 2018, 1:12 p.m.

Я вот сейчас банальность скажу, но у меня всё работало. Так что даже и не знаю, надо на код смотреть, что ещё у вас добавлено или отсутствует из библиотек.


P/S/ Извините, вы сейчас всё подряд пробуете или работаете именно с Python?
k
  • Oct. 8, 2018, 5:30 p.m.

Изменив математические действия столкнулся с проблемой - не выводит десятичные дроби

Evgenii Legotckoi
  • Oct. 8, 2018, 5:36 p.m.

Проблема должна быть в описании слота, там целочисленные аргументы

  1. @pyqtSlot(int, int)

В вашем случае, я думаю, так должно быть

  1. @pyqtSlot(float, float)
k
  • Oct. 8, 2018, 5:42 p.m.

заменил, та же картина, причем в python я вывожу переменную 11.5, а в qml вижу 11


Evgenii Legotckoi
  • Oct. 8, 2018, 5:44 p.m.

Вот это ещё замените

  1. sumResult = pyqtSignal(int, arguments=['sum'])

на вот это

  1. sumResult = pyqtSignal(float, arguments=['sum'])
ogustbiller
  • April 8, 2020, 7:12 p.m.

Круто! Немного начинает проясняться что к чему. Спасибо.

ogustbiller
  • Nov. 1, 2022, 7:08 p.m.

А можно ли из QML сделать привязку свойства к свойству пайтоновского объекта? Ну, т.е. , например, у нашего объекта Calculator обхвялем свойства sumresult и subresult c с декоратором @pyqtProperty, а в QMLе делаем типа такого:

  1. // Здесь увидим результат сложения
  2. Text {
  3. id: sumResult
  4. text: calculator.sumResult
  5. }
  6. ...
  7. // Здесь увидим результат сложения
  8. Text {
  9. id: subResult
  10. text: calculator.subResult
  11. }

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