1. 信号槽的定义
信号函数和槽函数是Qt在C++的基础上新增的功能,功能是实现对象之间的通信。
实现信号槽需要有两个先决条件:
- 通信的对象必须是从QObject派生出来的
QObject是Qt所有类的基类。 - 类中要有Q_OBJECT宏
2. 信号槽的使用
2.1 函数原型
最常用且最基础的信号槽连接函数如下所示:
// 参数1:发送者,信号槽触发的来源的对象
// 参数2:信号函数,发送者的触发动作,使用SIGNAL()包裹
// 参数3:接收者,信号槽触发后执行动作的对象
// 参数4:槽函数,接收者执行的动作,使用SLOT()包裹
QObject::connect(const QObject * sender,
const char * signal,
const QObject * receiver,
const char * method) [static]
按照不同的情况,分为三种情况进行学习:
- 方式一:自带信号→自带槽
- 方式二:自带信号→自定义槽
- 方式三:自定义信号
可以使用disconnect函数断开已经连接的信号槽,参数与connect连接时保持一致。返回值为是否断开成功,如果已经不连接了,则会断开失败,此时不会有任何影响。
2.2 自带信号→自带槽
这种情况下信号函数和槽函数都是Qt内置的,程序员只需要找到对应关系后连接即可。
【例子】点击按钮,关闭窗口。
分析:
发射者:按钮
信号函数:点击
接收者:窗口
槽函数:关闭
#ifndef DIALOG_H
#define DIALOG_H
#include <QDialog>
#include <QPushButton>
class Dialog : public QDialog
{
Q_OBJECT
public:
Dialog(QWidget *parent = 0);
~Dialog();
private:
QPushButton* btn;
};
#endif // DIALOG_H
#include "dialog.h"
Dialog::Dialog(QWidget *parent)
: QDialog(parent)
{
resize(300,300);
btn = new QPushButton("关闭",this);
btn->move(100,150);
// 发射者:按钮
// 信号函数:点击
// 接收者:窗口
// 槽函数:关闭
connect(btn,SIGNAL(clicked()),this,SLOT(close()));
}
Dialog::~Dialog()
{
delete btn;
}
2.3 自带信号→自定义槽
【例子】点击按钮,窗口向右侧移动10个像素,向下移动10个像素,同时输出当前的窗口坐标。
分析:
发射者:按钮
信号函数:点击
接收者:窗口
槽函数:自定义
#ifndef DIALOG_H
#define DIALOG_H
#include <QDialog>
#include <QPushButton>
#include <QDebug>
class Dialog : public QDialog
{
Q_OBJECT
public:
Dialog(QWidget *parent = 0);
~Dialog();
private:
QPushButton* btn;
private slots: // 槽函数
void mySlot(); // 头文件声明
};
#endif // DIALOG_H
#include "dialog.h"
Dialog::Dialog(QWidget *parent)
: QDialog(parent)
{
resize(300,300);
btn = new QPushButton("关闭",this);
btn->move(100,150);
// 发射者:按钮
// 信号函数:点击
// 接收者:窗口
// 槽函数:自定义
connect(btn,SIGNAL(clicked()),this,SLOT(mySlot()));
}
void Dialog::mySlot() // 源文件定义
{
// 先获得当前的窗口坐标
int x = this->x();
int y = this->y();
// 窗口向右侧移动10个像素,向下移动10个像素
move(x+10,y+10);
// 同时输出当前的窗口坐标。
qDebug() << x+10 << y+10;
}
Dialog::~Dialog()
{
delete btn;
}
2.4 自定义信号
这种方式主要用于解决复杂问题,所以在本节强行使用。
信号函数具有以下特点:
标签:btn,信号,void,Dialog,include,函数 From: https://blog.51cto.com/u_14458591/8095384