Dynamic Signals and Slots
Ref https://doc.qt.io/archives/qq/qq16-dynamicqobject.html
Trolltech | Documentation | Qt Quarterly
Dynamic Signals and Slots
by Eskil Abrahamsen Blomfeldt
Signals and slots are declared at compile-time, and normally you cannot add new signals and slots to a meta-object at run-time. In some situations, it is useful to extend a meta-object while an application is running to obtain truly dynamic function invocation and introspection.
信号和曹在编译时期声明,通常你不能运行时添加新的信号槽到meta-object,但有时候你有需要
The need for the dynamic addition of signals and slots arises when binding a script interpreter, such as Qt Script for Applications (QSA), to the C++ code in your application. In QSA, it is possible to use Qt's meta-object system to communicate between objects created in the C++ code and objects created in a script. Qt 4's meta-object system makes this sort of extension possible, with a little bit of hackery.
当绑定脚本的时候就需要这个了,不如QSA里面可以利用 Qt's meta-object system 来使c++和script的object通讯。qt4系统上做点hack就能做到该功能
This article will get you started writing a dynamic signals and slots binding layer for Qt 4. We will review an abstract base class, DynamicQObject, that offers the required functionality. The "mini-framework" presented here can serve as a foundation for doing more advanced extensions of Qt's meta-object system.
本文告诉你怎办。我们会review一个虚基类DynamicQObject。本文的mini-framework可以作为扩展Qt's meta-object system的基础
[Download source code]
Expanding the Q_OBJECT Macro
扩展Q_OBJECT Macro
Any QObject subclass that declares signals and slots must contain the Q_OBJECT macro in its definition. This is a magic macro that expands to a set of private declarations:
任何QObject的类需要slot的必须声明Q_OBJECT,这个东西被扩展成如下几个声明
// reimplemented from QObject
const QMetaObject *metaObject() const;
void *qt_metacast(const char *className);
int qt_metacall(QMetaObject::Call call, int id,
void **arguments);
// static members
static QString tr(const char *sourceText,
const char *comment = 0);
static QString trUtf8(const char *sourceText,
const char *comment = 0);
static const QMetaObject staticMetaObject;
Q_OBJECT is "magic" because qmake and moc will recognize it and automagically generate code for the class's meta-object during compilation of the project.
Q_OBJECT的魔术之处在于qmake and moc认识他,并且自动生成class的meta-object
We want to write a DynamicQObject class that mimics part of the behavior of the moc but that does not limit us to statically declared signals and slots. Since we need to prevent the moc from compiling our class, we can't use the Q_OBJECT macro; instead, we will copy its definition and insert it into our code.
我们需要编写DynamicQObject class实现部分的moc功能,我们首先把该macro的定义插入到代码
The Q_OBJECT macro is defined in src/corelib/kernel/qobjectdefs.h (which is included by <QObject>). It declares a number of functions that must be reimplemented to fully support Qt's meta-object system. For the purposes of this article, it will be sufficient to reimplement just one of these functions:
我们需要重写如下函数
int qt_metacall(QMetaObject::Call call, int id,
void **arguments);
When a signal is emitted, Qt uses qt_metacall() to invoke the slots connected to the signal. The first parameter, call, is then set to QMetaObject::InvokeMetaMethod. (The qt_metacall() function is also used for other types of access to the meta-object, such as setting or getting properties.)
当一个信号emit的时候,qt_metacall用来invoke 对应的slot,第一个参数,call,指向QMetaObject::InvokeMetaMethod
The second parameter is an index that uniquely identifies a signal or slot in the hierarchy of classes inherited by the current object. The last parameter is an array that contains pointers to arguments, preceded by a pointer to the location where the return value should be placed (if any).
第二个参数是signal or slot在该class的唯一index。最后一个参数是数组,指向参数以及返回值
The DynamicQObject Class Definition
Here's the definition of the DynamicQObject class:
class DynamicQObject : public QObject
{
public:
int qt_metacall(QMetaObject::Call call, int id,
void **arguments);
bool emitDynamicSignal(char *signal);
bool connectDynamicSlot(QObject *obj, char *signal,
char *slot);
bool connectDynamicSignal(char *signal, QObject *obj,
char *slot);
virtual DynamicSlot *createSlot(char *slot) = 0;
private:
QHash<QByteArray, int> slotIndices;
QList<DynamicSlot *> slotList;
QHash<QByteArray, int> signalIndices;
};
The intended usage pattern of DynamicQObject involves subclassing it and adding some functionality. Whenever we add a slot to an object, we would expect this slot to execute code when it is called. Since this part of the mechanism is dependent on the language to which we want to bind, it must be implemented in a subclass.
DynamicQObject的使用方法为子类可以添加功能。当添加slot时,希望slot被调用时执行code
The pure virtual function createSlot() returns an instance of an appropriate subclass of the abstract class DynamicSlot that handles function invocation for your specific language binding. DynamicSlot is defined as follows:
纯虚函数createSlot返回合适的DynamicSlot的子类。DynamicSlot定义为
class DynamicSlot
{
public:
virtual void call(void **arguments) = 0;
};
DynamicSlot subclasses must reimplement the call() function to handle a slot invocation. The arguments array's first entry is a pointer to a location where we can put the return value. This pointer is null if the signal's return type is void.
DynamicSlot必须实现call函数来实现slot的执行,其参数为返回值的指针
The rest of the array contains pointers to arguments passed to the slot, in order of declaration. We must cast these pointers to the correct data types before we can use them. For example, if the slot expects a parameter of type int as its first parameter, the following code would be safe:
数组的其他参数为指向slot的参数。我们必须cast指针为真实的数据类型
int *ptr = reinterpret_cast<int *>(arguments[1]);
qDebug() << "My first parameter is" << *ptr;
Implementation of connectDynamicSlot()
实现connectDynamicSlot
The connectDynamicSlot() function connects a static signal declared in an arbitrary QObject instance to a dynamic slot in the current DynamicQObject instance. The function takes a pointer to the sender object (the receiver is always this) and the signatures of the signal and slot. The function returns false on error.
connectDynamicSlot用来链接任意QObject的signal到dynamic slot,该函数接受sender指针和signatures of the signal and slot
bool DynamicQObject::connectDynamicSlot(QObject *obj,
char *signal,
char *slot)
{
QByteArray theSignal =
QMetaObject::normalizedSignature(signal);
QByteArray theSlot =
QMetaObject::normalizedSignature(slot);
if (!QMetaObject::checkConnectArgs(theSignal,
theSlot))
return false;
The first step is to normalize the signatures passed to the function. This will remove meaningless whitespace in the signatures, making it possible for us to recognize them. Then, we check whether the signatures are compatible, to avoid crashes later.
第一步normalize signatures,比如除掉无用空格。然后检查signatures是否兼容
int signalId =
obj->metaObject()->indexOfSignal(theSignal);
if (signalId == -1)
return false;
If the argument lists are compatible for the two functions, we can start resolving the signal and slot indexes. The signal is resolved using introspection into the provided QObject object. If the signal was not found, we return false.
这里开始解析signal and slot indexes。如果找不到index返回false
Resolving the (dynamic) slot is a bit more work:
解析(dynamic) slot 是俺们自己写的code啦:
int slotId = slotIndices.value(theSlot, -1);
if (slotId == -1) {
slotId = slotList.size();
slotIndices[theSlot] = slotId;
slotList.append(createSlot(theSlot));
}
We check whether the slot signature has been registered before in the same DynamicQObject instance. If it hasn't, we add it to our list of dynamic slots.
如果没有就创建一个并且加入进去
We use a QHash<QByteArray, int> called slotIndices and a QList<DynamicSlot *> called slotList to store the information needed for the dynamic slots.
QMetaObject::connect(obj, signalId, this,
slotId + QObject::metaObject()->methodCount());
}
Finally, we register the connection with Qt's meta-object system. When we notify Qt about the connection, we must add the number of methods inherited from QObject to our slotId.
最终我们注册connection到Qt's meta-object system。我们需要人为制造一个slotid给它
The connectDynamicSignal() function is very similar to connectDynamicSlot(), so we won't review it here.
Implementation of qt_metacall()
qt_metacall的实现
Qt's meta-object system uses the qt_metacall() function to access the meta-information for a particular QObject object (its signals, slots, properties, etc.).
qt_metacall函数用来访问QObject的meta-information(比如signals, slots, properties)
int DynamicQObject::qt_metacall(QMetaObject::Call call,
int id, void **arguments)
{
id = QObject::qt_metacall(call, id, arguments);
if (id == -1 || call != QMetaObject::InvokeMetaMethod)
return id;
Q_ASSERT(id < slotList.size());
slotList[id]->call(arguments);
return -1;
}
Since the call may indicate access to the meta-object of the QObject base class, we must start by calling QObject's implementation of the function. This call will return a new identifier for the slot, indexing the methods in the upper part of the current object's class hierarchy (the current class and its subclasses).
首先执行QObject的实现,该函数返回slot的新id
If the QObject::qt_metacall() call returns -1, this means that the metacall has been handled by QObject and that there is nothing to do. In that case, we return immediately. Similarly, if the metacall isn't a slot invocation, we follow QObject's convention and return an identifier that can be handled by a subclass.
如果返回-1,说明QObject处理过了,我们直接返回。类似,如果metacall不是slot invocation,我们follow QObject's convention,返回子类处理的id'
In the case of a slot invocation, the identifier must be a valid identifier for the DynamicQObject object. We don't allow subclasses to declare their own signals and slots.
如果是slot invocation,则id必须是DynamicQObject的有效id,我们不允许子类声明他自己的signals and slots.
If all goes well, we invoke the specified slot (using DynamicSlot::call()) and return -1 to indicate that the metacall has been processed.
如果都ok,则invokespecified slot (using DynamicSlot::call()) ,返回-1表明已经处理过了
Implementation of emitDynamicSignal()
emitDynamicSignal的实现
The last function we need to review is emitDynamicSignal(), which takes a dynamic signal signature and an array of arguments. The function normalizes the signature then emits the signal, invoking any slots connected to it.
emitDynamicSignal的参数包括一个动态signal signature和参数数组。
bool DynamicQObject::emitDynamicSignal(char *signal,
void **arguments)
{
QByteArray theSignal =
QMetaObject::normalizedSignature(signal);
int signalId = signals.value(theSignal, -1);
if (signalId >= 0) {
QMetaObject::activate(this, metaObject(),
signalId, arguments);
return true;
} else {
return false;
}
}
The arguments array can be assumed to contain valid pointers. A simple example of how to do this can be found in the accompanying example's source code, but as a general rule, QMetaType::construct() is your friend when you are doing more advanced bindings.
If the (dynamic) signal exists (i.e., it has been connected to a slot), the function simply uses QMetaObject::activate() to tell Qt's meta-object system that a signal is being emitted. It returns true if the signal has previously been connected to a slot; otherwise it returns false.
如果(dynamic) signal 存在,函数调用QMetaObject::activate来告诉Qt's meta-object system一个信号已经触发。如果signal已经连到slot,返回true;否则返回false
Pitfalls and Pointers
Having explained the architecture of this simple framework, I'd like to conclude by explaining what the framework doesn't do and how you can expand on it or improve it to suit your needs.
Only a subset of the features in Qt's meta-object system is supported by DynamicQObject. Ideally, we would reimplement all the functions declared by the Q_OBJECT macro.
Declaring new signals and slots in DynamicQObject subclasses will cause an application to crash. The reason for this is that the meta-object system expects the number of methods declared in a meta-object to be static. A safer workaround would be to use a different pattern than inheritance to employ dynamic signals and slots.
The framework is sensitive to misspellings. For instance, if you try to connect two distinct signals to the same dynamic slot and misspell the signature of the slot in one of the connect calls, the framework will create two separate slots instead of indicating a failure. To handle this in a safer way, you could implement a register() function and require the user to register each signal and slot before connecting to them.
The framework cannot handle connections where both the signals and the slot are dynamic. This can easily be written as an extension of the DynamicQObject class.
Removing connections is not possible with the current framework. This can easily be implemented in a similar way to establishing connections. Make sure not to change the order of entries in slotList, because the list is indexed by slot ID.
In real-world applications, you may need to do type conversions before passing parameters between functions declared in scripts and functions declared in C++. The DynamicQObject class can be expanded to handle this in a general way by declaring a set of virtual functions that can be reimplemented for different bindings.
This document is licensed under the Creative Commons Attribution-Share Alike 2.5 license.
Copyright ? 2006 Trolltech Trademarks
Dynamic Signals and Slots的更多相关文章
- Why Does Qt Use Moc for Signals and Slots(QT官方的解释:GUI可以是动态的)
GUIs are Dynamic C++ is a standarized, powerful and elaborate general-purpose language. It's the onl ...
- How Qt Signals and Slots Work(感觉是通过Meta根据名字来调用)
Qt is well known for its signals and slots mechanism. But how does it work? In this blog post, we wi ...
- ZetCode PyQt4 tutorial signals and slots
#!/usr/bin/python # -*- coding: utf-8 -*- """ ZetCode PyQt4 tutorial In this example, ...
- Quest for sane signals in Qt - step 1 (hand coding a Q_OBJECT)
探索qt的信号ref: http://crazyeddiecpp.blogspot.hk/2011/01/quest-for-sane-signals-in-qt-step-1.html If it ...
- [Repost]Events and Signals in PyQt4
Reference:http://zetcode.com/gui/pyqt4/eventsandsignals/ Events and Signals in PyQt4 In this part of ...
- 词频统计_输入到文件_update
/* 输入文件见337.in.txt 输出文件见338.out.txt */ #include <iostream> #include <cctype> #include &l ...
- Awesome C/C++
Awesome C/C++ A curated list of awesome C/C++ frameworks, libraries, resources, and shiny things. In ...
- Qt Creator调试
与调试器交互的几种方法: 1.单行运行或者单指令运行 2.中断程序运行 3.设置断点 4.检查调用栈空间的内容 5.检查并修改局部或者全局变量 6.检查并修改被调试程序的寄存器和内存内容 7.检查装载 ...
- awesome cpp
https://github.com/fffaraz/awesome-cpp Awesome C/C++ A curated list of awesome C/C++ frameworks, lib ...
随机推荐
- Oracle特殊字符转义:&和'
Oracle特殊字符转义:&和' 我们在SQL*PLUS下执行 SQL show all命令时,可以发现一个参数:define & (hex 26),如下所示 concat . ...
- 框架:MVC
MVC 一.介绍 MVC是模型-视图-控制器的缩写,一种软件思想,强制性的把应用程序的输入.处理和输出分开.可以和任何的重定向能解耦. 三部分的任务说明: 视图:获取数据,显示数据 模型:处理数据 控 ...
- C点滴成海------Dev C++怎么修改成简体中文
第一步:选择菜单中的Tools 第二步:选择Tools中的“Envirnoment Options”,即第二个选项 第三步:选择中文并保存 将"1"的语言改成中文就行了
- nginx 隐藏nginx版本号
为什么要隐藏 Nginx 版本号:一般来说,软件的漏洞都与版本有关,隐藏版本号是为了防止恶意用户利用软件漏洞进行攻击 worker_processes 1; events { worker_conne ...
- Python&selenium&tesseract自动化测试随机码、验证码(Captcha)的OCR识别解决方案参考
在自动化测试或者安全渗透测试中,Captcha验证码的问题经常困扰我们,还好现在OCR和AI逐渐发展起来,在这块解决上越来越支撑到位. 我推荐的几种方式,一种是对于简单的验证码,用开源的一些OCR图片 ...
- HDU 6143 17多校8 Killer Names(组合数学)
题目传送:Killer Names Problem Description > Galen Marek, codenamed Starkiller, was a male Human appre ...
- 前端笔记 (2.CSS)
知识点借鉴于慕课网,菜鸟教程和w3shool CSS方面: CSS全称为“层叠样式表”,它主要是用于定义HTML内容在浏览器内的显示样式,如文字大小.颜色.字体加粗等. 使用CSS样式的一个好处是通过 ...
- 使用U盘安装Ubuntu系统
-----------------------note by shanql-------------------------- 注:在windows下可用EasyBCD安装引导文件来引导Ubuntu( ...
- ejs-模板
我今天第一次使用,使用的时候,遇到一些问题,还好有朋友帮我一起解决; 我先说说我使用过程中遇到的问题; 在express框架中引用 app.set('views',__dirname + '/view ...
- Gym-101673 :East Central North America Regional Contest (ECNA 2017)(寒假自训第8场)
A .Abstract Art 题意:求多个多边形的面积并. 思路:模板题. #include<bits/stdc++.h> using namespace std; typedef lo ...