Declarative Widgets is a QML plugin that adds Qt Widgets support to QML
Declarative Widgets is a QML plugin that adds Qt Widgets support to QML. This means we can now easily mix the power of QML with the comfort of a Widgets UI on desktop.
1
2
3
4
5
6
7
8
9
10
11
|
import QtWidgets 1.0 MainWindow { width: 640 height: 400 Label { text: "Hello Declarative Widgets!" alignment: Qt.AlignHCenter | Qt.AlignVCenter } } |
Background
Declarative Widgets was born out of a breakfast discussion about how awesome it would be to use QML to describe QWidget-based scenes. If you have ever worked on a Qt Quick project and then switched back to creating a Widgets UI you will understand how frustrating it can be to write and maintain a complex UI in plain C++, or even create and modify UI files in Qt Designer.
The real power of QML, however, is in property bindings. Property bindings allow us to set the value of a property as an expression that is evaluated when ever a property involved in that expression changes. Take the following example:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
import QtWidgets 1.0 GroupBox { title: qsTr( "New Contact: %1 %2" ).arg(firstName.text).arg(lastName.text) FormLayout { LineEdit { id: firstName FormLayout.label: qsTr( "First Name" ) } LineEdit { id: lastName FormLayout.label: qsTr( "Last Name" ) } } } |
The title
property of the GroupBox
is updated when the text
property of either LineEdit
changes. We could build this example in C++, but in QML we don’t need to write any boilerplate code to connect to signals or define slots. By using Declarative Widgets we don’t need to worry about writing our own UI components either; we can make use of all the existing widgets we developed warm, fuzzy feelings for over the years.
Implementation
To get an idea of how the Declarative Widgets plugin works, lets take a look at how QWidget
is integrated into QML.
1
|
qmlRegisterExtendedType<QWidget, DeclarativeWidgetExtension>(uri, 1, 0, "Widget" ); |
QWidget
needs a few tweaks in order to integrate it into QML: there is no default property, the x
, y
, width
and height
properties are read-only, and the geometry
and visible
properties do not have notify signals. Rather than modifying QWidget
directly we can useqmlRegisterExtendedType
to register an extension object which adds or overrides the properties we need.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
class DeclarativeWidgetExtension : public DeclarativeObjectExtension { Q_OBJECT // repeat property declarations, qmlRegisterExtendedType doesn't see the ones from base class Q_PROPERTY(QQmlListProperty<QObject> data READ data DESIGNABLE false CONSTANT) Q_PROPERTY( int x READ x WRITE setX NOTIFY posChanged) Q_PROPERTY( int y READ y WRITE setY NOTIFY posChanged) Q_PROPERTY( int width READ width WRITE setWidth NOTIFY sizeChanged) Q_PROPERTY( int height READ height WRITE setHeight NOTIFY sizeChanged) Q_PROPERTY(QRect geometry READ geometry WRITE setGeometry NOTIFY geometryChanged) Q_PROPERTY( bool visible READ isVisible WRITE setVisible NOTIFY visibleChanged) Q_CLASSINFO( "DefaultProperty" , "data" ) } |
Our extension object, DeclarativeWidgetExtension
, derives from DeclarativeObjectExtension
which provides us with a default property. A default property is the property to which a value is assigned if an object is declared within another object’s definition without declaring it as a value for a particular property. In Qt Quick, the default property is used to construct the visual scene hierarchy, and we do the same with Declarative Widgets to create the QWidget hierarchy, calling QWidget::setParent
, QWidget::setLayout
, or QWidget::addAction
depending on the type of the declared object. Note that we have to redeclare the data
property because qmlRegisterExtendedType
doesn’t see the one from the base class.
To make the read-only properties writable, we override the existing property and provide a WRITE
accessor function to make the appropriate change. Let’s take a look at the new x
property:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
|
QWidget *DeclarativeWidgetExtension::extendedWidget() const { QWidget *parentWidget = qobject_cast<QWidget*>(parent()); Q_ASSERT(parentWidget); Q_UNUSED(parentWidget); return parentWidget; } int DeclarativeWidgetExtension::x() const { return extendedWidget()->x(); } void DeclarativeWidgetExtension::setX( int value) { QWidget *widget = extendedWidget(); if (value == widget->x()) return ; QRect geometry = widget->geometry(); geometry.moveLeft(value); widget->setGeometry(geometry); } |
The READ
accessor function simply calls the original READ
accessor function on the extended type. However, QWidget
does not have an existing setX
function so we have to update the x
property using QWidget::setGeometry
.
Keen observers will notice that we haven’t emitted any of the NOTIFY
signals that we declared. This is because widgets respond to events delivered to them by Qt as a result of things that have happened either within the application or as a result of outside activity that the application needs to know about. In order to hook into this system, our extension object installs itself as an event filter on the object we are extending. An event filter receives all the events for the target object before the target does, allowing us to observe and react to the events as required.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
|
bool DeclarativeWidgetExtension::eventFilter(QObject *watched, QEvent *event) { Q_ASSERT(watched == parent()); Q_UNUSED(watched); switch (event->type()) { case QEvent::Move: emit posChanged(); emit geometryChanged(); break ; case QEvent::Resize: emit sizeChanged(); emit geometryChanged(); break ; case QEvent::Show: case QEvent::Hide: emit visibleChanged(isVisible()); break ; default : break ; } return false ; } |
In our event filter we simply emit the NOTIFY
signals when we receive the appropriate event. In our x
property example we receive a QEvent::Move
event as a result of our call to QWidget::setGeometry
. This is where we emit posChanged
.
The geometry
and visible
properties that we overrode to add a NOTIFY
signal to simply call the original QWidget
READ
and WRITE
accessor functions. Then, in the event filter we emit the new signals when we receive the appropriate event.
What about QQuickWidget or QWebEngineView?
There are no additional limitations to using QQuickWidget
with Declarative Widgets. One of the use cases we came up with for using Declarative Widgets is as a stepping stone to porting existing Qt Widgets applications to Qt Quick. The first step of the port would be to isolate the business logic and replicate the existing UI using Declarative Widgets (we even wrote a tool to generate QML files from .ui files). You could then replace chunks of the UI with QtQuick components displayed in QQuickWidgets
.
To see QQuickWidget
or QWebEngineView
in action take a look through our examples on GitHub.
How do I get it?
The Declarative Widgets source code is available on GitHub: https://github.com/KDAB/DeclarativeWidgets
If you like Declarative Widgets please consider contributing to the project. Adding Qt Widgets support to QML is a large task and whilst we have done most of the ground work there are surely features we have missed. If there are features you need and you are unable to contribute, please get in touch and we will see what we can do about implementing them for you.
https://www.kdab.com/declarative-widgets/
Declarative Widgets is a QML plugin that adds Qt Widgets support to QML的更多相关文章
- Qt Widgets、QML、Qt Quick的区别
Qt Widgets.QML.Qt Quick的区别 简述 看了之前关于 QML 的一些介绍,很多人难免会有一些疑惑: Q1:QML 和 Qt Quick 之间有什么区别? Q2:QtQuick 1. ...
- QT5中的pro文件中为何要加入"QT += widgets"
在pro文件里写"QT+=widgets"表示引入QtWidget这个module,qmake在生成makefile的时候,会设置好include path 和 lib path, ...
- 【QT相关】Qt Widgets Module
Qt Widgets Module:提供了一些列UI元素. 使用: //头文件包含 #include <QtWidgets> //链接模式,在.pro文件中添加行: QT += widge ...
- 由基于qml,c++的串口调试工具浅谈qml与c++混合编程
最近在做一个基于sim900 的串口通信工具,基于qml和c++来实现. 首先,对于串口,qt有自带的QSerialPort,可以实现同步,和异步通信,qt creator也有自带的例子,本例子是从其 ...
- Qt Quick编程(1)——QML的核心部分ECMAScript
说道QML,不得不先说一下ECMAScript: ECMAScript语言的标准是由Netscape.Sun.微软.Borland等公司基于JavaScript和JScript锤炼.定义出来的. EC ...
- Qt4项目迁移到Qt5问题:greaterThan(QT_MAJOR_VERSION, 4): QT += widgets .
文章来源:http://blog.csdn.net/ccf19881030/article/details/18220447 问题一:错误:C1083: 无法打开包括文件:"QApplica ...
- Qt界面UI之QML初见(学习笔记四)
拖了大半年,今天终于有更新了...我自己都不好意思,最近太忙了! 今天讲一下:QML语法 一 概述 QML是一种专门用于构建用户界面的编程语言,它允许用户构建高性能,具有流畅特效的可视化应用程序,QM ...
- 【Qt官方例程学习笔记】Getting Started Programming with Qt Widgets
创建一个QApplication对象,用于管理应用程序资源,它对于任何使用了Qt Widgets的程序都必要的.对于没有使用Qt Widgets 的GUI应用,可以使用QGuiApplication代 ...
- Qt在线讲座之QML脚本书写规范
时间:2016年3月1日晚7:30 在线讲座:http://qtdream.com主页处就可以收看直播(详见主页提示) 參与对象:对Qt跨平台开发框架感兴趣的朋友们.当然了,假设你是大牛.也可以旁听一 ...
随机推荐
- Cisco交换机SPAN&RSPAN调试实录
Cisco交换机SPAN&RSPAN设置实录 本文出自 "李晨光原创技术博客" 博客,请务必保留此出处http://chenguang.blog.51cto.com/3 ...
- Kinect 开发 —— Hello,Kinect
控制台输出深度数据: using System; using System.Collections.Generic; using System.Linq; using System.Text; usi ...
- qrcode length overflow 生成二维码网址长度溢出解决办法
QRCode.js is javascript library for making QRCode. QRCode.js supports Cross-browser with HTML5 Canva ...
- 00082_Set接口
1.Set接口介绍 (1)Collection中可以存放重复元素,也可以不存放重复元素,那么我们知道List中是可以存放重复元素的.那么不重复元素给哪里存放呢?那就是Set接口,它里面的集合,所存储的 ...
- Linux "零拷贝" sendfile函数中文说明及实际操作分析
Sendfile函数说明 #include ssize_t sendfile(int out_fd, int in_fd, off_t *offset, size_t count); sendfile ...
- POJ——T 2796 Feel Good
http://poj.org/problem?id=2796 Time Limit: 3000MS Memory Limit: 65536K Total Submissions: 15375 ...
- jquary依据td中button的元素属性删除tr行(删选出想删除的行)
watermark/2/text/aHR0cDovL2Jsb2cuY3Nkbi5uZXQvcnVveXVhbnlp/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA ...
- SDUTOJ 2711 4-2 电子时钟中的运算符重载
watermark/2/text/aHR0cDovL2Jsb2cuY3Nkbi5uZXQvUl9NaXNheWE=/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA ...
- js08--函数1
函数当成类看当成匿名对象看,都是跟java吻合的,只有当成函数看(函数自己可以执行)跟java区别在这里. function fact(){} var F = fact ; 函数名是函数对象的地址,是 ...
- Django项目之Web端电商网站的实战开发(一)
说明:该篇博客是博主一字一码编写的,实属不易,请尊重原创,谢谢大家! 目录 一丶项目介绍 二丶电商项目开发流程 三丶项目需求 四丶项目架构概览 五丶项目数据库设计 六丶项目框架搭建 一丶项目介绍 产品 ...