在上一篇python之pyqt专栏7-信号与槽3-CSDN博客,我们知道在自定义信号时,可以设定信号参数数据类型。pyqt还支持信号重载。
sendText = pyqtSignal([int],[str])
代码意思是定义重载信号sendText,槽函数的参数可以是int数据类型,str类型的参数
注:当参数的 Python 类型没有对应的 C++ 类型时,会出错,应谨慎使用重载信号。下面是重载信号为字典与列表会出错。
# This will cause problems because each has the same C++ signature.
valueChanged = pyqtSignal([dict], [list])
def deal_signal(self,arg):
if isinstance(arg,str):
# print(arg)
self.label.setText(arg)
if isinstance(arg, int):
print(f"age = {arg}")
槽函数中判断信号传过来数据类型是int类型,还是str类型,int将数据打印,str类型将数据设置为abel的文本内容
myw.sendText[str].connect(myw1.deal_signal)
myw.sendText[int].connect(myw1.deal_signal)
信号进行了重载,需要进行两次数据绑定。
self.sendText[str].emit(labelStr)
self.sendText[int].emit(19)
str数据类型信号,获取数据lineEdit的文本内容发送
int数据类型信号,写定值“19”发送
# 导入sys模块
import sys
# PyQt6.QtWidgets模块中导入QApplication, QWidget
from PyQt6.QtWidgets import QApplication, QWidget
from PyQt6.QtCore import pyqtSignal,pyqtSlot
# untitled模块中导入Ui_Form类
# from untitled import Ui_Form
# from untitled1 import Ui_Form
import untitled
import untitled1
class MyMainForm(QWidget, untitled.Ui_Form):
sendText = pyqtSignal([str],[int],)
# sendText = pyqtSignal(int)
def __init__(self, parent=None):
# 调用父类的构造函数
super(MyMainForm, self).__init__(parent)
# 调用继承Ui_Form过来的setupUi函数
self.setupUi(self)
self.pushButton.clicked.connect(self.btn_clicked)
def btn_clicked(self):
# 获取行编辑文本
labelStr = self.lineEdit.text()
self.sendText[str].emit(labelStr)
self.sendText[int].emit(19)
class MyMainForm1(QWidget, untitled1.Ui_Form):
def __init__(self, parent=None):
# 调用父类的构造函数
super(MyMainForm1, self).__init__(parent)
# 调用继承Ui_Form过来的setupUi函数
self.setupUi(self)
self.move(1200,320)
@pyqtSlot(int)
@pyqtSlot(str)
def deal_signal(self,arg):
if isinstance(arg,str):
print(arg)
self.label.setText(arg)
if isinstance(arg, int):
print(f"age = {arg}")
# Press the green button in the gutter to run the script.
if __name__ == '__main__':
# 实例化应用
app = QApplication(sys.argv)
# 实例化MyMainForm
myw = MyMainForm()
myw.show()
myw1 = MyMainForm1()
myw1.show()
myw.sendText[str].connect(myw1.deal_signal)
myw.sendText[int].connect(myw1.deal_signal)
# 启动应用程序的事件循环并等待用户交互,直到应用程序关闭。
sys.exit(app.exec())