我很难将Qt Designer生成的小部件加载到我的MainWindow中。当我还在UI文件中定义了信号和插槽时,它会失败。
# -*- coding: utf-8 -*-
import sys
from PyQt5 import QtWidgets
from PyQt5 import uic as pyuic
class MainWindow(QtWidgets.QMainWindow):
def __init__(self, *args):
super().__init__(*args)
self.uifile = 'serialTandemGUI.ui'
self.form_widget = pyuic.loadUi(self.uifile)
_widget = QtWidgets.QWidget()
_layout = QtWidgets.QVBoxLayout(_widget)
_layout.addWidget(self.form_widget)
self.setCentralWidget(_widget)
if __name__ == '__main__':
app = QtWidgets.QApplication.instance()
if app is None:
app = QtWidgets.QApplication(sys.argv)
app.aboutToQuit.connect(app.deleteLater)
w = MainWindow()
w.show()
app.exec_()
我得到的错误是:
AttributeError: 'QWidget' object has no attribute 'init'
是否完全可以通过这种方式继承小部件?蒂亚!
编辑: 这是一个带有clicked()信号的简单UI文件进行演示。只要没有信号定义就可以工作(即实际上只是UI,但这只是工作的一半,甚至更少)。
<?xml version="1.0" encoding="UTF-8"?>
<ui version="4.0">
<class>Form</class>
<widget class="QWidget" name="Form">
<property name="geometry">
<rect>
<x>0</x>
<y>0</y>
<width>400</width>
<height>300</height>
</rect>
</property>
<property name="windowTitle">
<string>Form</string>
</property>
<layout class="QGridLayout" name="gridLayout">
<item row="0" column="0">
<widget class="QGroupBox" name="groupBox">
<property name="title">
<string>GroupBox</string>
</property>
<layout class="QGridLayout" name="gridLayout_2">
<item row="0" column="0">
<widget class="QPushButton" name="pushButton">
<property name="text">
<string>PushButton</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
</layout>
</widget>
<resources/>
<connections>
<connection>
<sender>pushButton</sender>
<signal>clicked()</signal>
<receiver>Form</receiver>
<slot>init()</slot>
<hints>
<hint type="sourcelabel">
<x>203</x>
<y>162</y>
</hint>
<hint type="destinationlabel">
<x>396</x>
<y>201</y>
</hint>
</hints>
</connection>
</connections>
<slots>
<slot>init()</slot>
</slots>
</ui>
答案 0 :(得分:1)
说明:
创建.ui时,您仅指出单击的信号与窗口小部件的init
方法之间存在连接,但是当您使用loadUi()
加载它时并没有将其作为第二个参数传递给QWidget,它将使用设计的基类,在您的情况下为QWidget,它显然没有抛出该错误的“ init”方法。
解决方案:
您必须创建一个从QWidget继承并具有init
方法的类,然后使用loadUi()
进行填写。
# -*- coding: utf-8 -*-
import os
import sys
from PyQt5 import QtCore, QtWidgets, uic as pyuic
class Widget(QtWidgets.QWidget):
def __init__(self, parent=None):
super().__init__(parent)
current_dir = os.path.dirname(os.path.realpath(__file__))
uifile = os.path.join(current_dir, "serialTandemGUI.ui")
pyuic.loadUi(uifile, self)
@QtCore.pyqtSlot()
def init(self):
print("init")
class MainWindow(QtWidgets.QMainWindow):
def __init__(self, parent=None):
super().__init__(parent)
self.form_widget = Widget()
_widget = QtWidgets.QWidget()
_layout = QtWidgets.QVBoxLayout(_widget)
_layout.addWidget(self.form_widget)
self.setCentralWidget(_widget)
if __name__ == "__main__":
app = QtWidgets.QApplication.instance() or QtWidgets.QApplication(sys.argv)
app.aboutToQuit.connect(app.deleteLater)
w = MainWindow()
w.show()
sys.exit(app.exec_())