如何检测对话框的关闭事件?

How to detect dialog's close event?


大家好

我正在使用 python3.4、windows 7 中的 PyQt5 制作一个 GUI 应用程序。

应用程序非常示例。用户点击主window的按钮,弹出信息对话框。当用户单击信息对话框的关闭按钮(window 的 X 按钮)时,系统会显示确认消息。就这些了。

这是我的代码。

# coding: utf-8

import sys
from PyQt5.QtWidgets import QApplication, QMainWindow, QPushButton, QDialog, QLabel

class mainClass(QMainWindow):
    def __init__(self):
        super().__init__()
        self.initUI()

    def initUI(self):
        openDlgBtn = QPushButton("openDlg", self)
        openDlgBtn.clicked.connect(self.openChildDialog)
        openDlgBtn.move(50, 50)

        self.setGeometry(100, 100, 200, 200)
        self.show()

    def openChildDialog(self):
        childDlg = QDialog(self)
        childDlgLabel = QLabel("Child dialog", childDlg)

        childDlg.resize(100, 100)
        childDlg.show()


if __name__ == "__main__":
    app = QApplication(sys.argv)
    mc = mainClass()
    sys.exit(app.exec_())

结果屏幕截图是...

在这种情况下,我在 mainClass class 中添加了这些代码。

def closeEvent(self, event):
    print("X is clicked")

此代码仅在主 window 关闭时有效。但我想要的是 closeEvent 函数在 childDlg 关闭时起作用。不是主要的 window.

我该怎么办?

您已在 class mainClass 中添加方法 closeEvent。 因此,您重新实现了 QMainwindow 的方法 closeEvent 而不是 childDlg 的方法 closeEvent。为此,您必须像这样子class您的chilDlg

# coding: utf-8

import sys
from PyQt5.QtWidgets import QApplication, QMainWindow, QPushButton, QDialog, QLabel

class ChildDlg(QDialog):
   def closeEvent(self, event):
      print("X is clicked")

class mainClass(QMainWindow):
    def __init__(self):
        super().__init__()
        self.initUI()

    def initUI(self):
        openDlgBtn = QPushButton("openDlg", self)
        openDlgBtn.clicked.connect(self.openChildDialog)
        openDlgBtn.move(50, 50)

        self.setGeometry(100, 100, 200, 200)
        self.show()

    def openChildDialog(self):
        childDlg = ChildDlg(self)
        childDlgLabel = QLabel("Child dialog", childDlg)

        childDlg.resize(100, 100)
        childDlg.show()


if __name__ == "__main__":
    app = QApplication(sys.argv)
    mc = mainClass()
    sys.exit(app.exec_())
import sys
from PyQt5.QtWidgets import QApplication, QMainWindow, QPushButton, QDialog, QLabel

class mainClass(QMainWindow):
    def __init__(self):
        super().__init__()
        self.initUI()

    def initUI(self):
        openDlgBtn = QPushButton("openDlg", self)
        openDlgBtn.clicked.connect(self.openChildDialog)
        openDlgBtn.move(50, 50)

        self.setGeometry(100, 100, 200, 200)
        self.show()

    def openChildDialog(self):
        childDlg = QDialog(self)
        childDlgLabel = QLabel("Child dialog", childDlg)

        childDlg.closeEvent = self.CloseEvent

        childDlg.resize(100, 100)
        childDlg.show()

    def CloseEvent(self, event):
        print("X is clicked")

if __name__ == "__main__":
    app = QApplication(sys.argv)
    mc = mainClass()
    sys.exit(app.exec_())