PyQt:防止窗口被打开几次

时间:2014-02-03 14:09:33

标签: python events window pyqt4

我将下面的简单代码作为示例。只需点击一个按钮打开一个新窗口。我没有办法阻止这个小部件重新打开,如果它已经在屏幕上。如果窗口已经存在,我想打开一个QDialog警告,主要是让closeEvent方法向Mainwidget发送一个信号说新窗口已经关闭。这将允许再次打开newWidget。

import sys
from PyQt4 import QtCore, QtGui

class NewWidget(QtGui.QWidget): 
    def __init__(self, parent=None):
        super(NewWidget,self).__init__(parent)

        self.lineEdit = QtGui.QLineEdit('new window',self)
        self.resize(200,50)
        self.show()

    def closeEvent(self,ev):

        self.Exit = QtGui.QMessageBox.question(self,
                  "Confirm Exit...",
                  "Are you sure you want to exit ?",
                  QtGui.QMessageBox.Yes| QtGui.QMessageBox.No)
        ev.ignore()

        if self.Exit  == QtGui.QMessageBox.Yes:            
            ev.accept()     

class MainWidget(QtGui.QWidget):
    def __init__(self, parent=None):
        super(MainWidget,self).__init__(parent)

        self.button = QtGui.QPushButton("button", self)
        self.button.clicked.connect(self.open_new)

    def open_new(self):

        self.new = NewWidget()

if __name__ == "__main__":

    app = QtGui.QApplication(sys.argv)
    main = MainWidget()
    main.resize(200,50)
    main.move(app.desktop().screen().rect().center() - main.rect().center())
    main.show()
    sys.exit(app.exec_())

2 个答案:

答案 0 :(得分:3)

我认为更好的解决方案是避免每次单击按钮时都创建一个新窗口。

执行此操作的一种方法是将子窗口更改为QDialog:

class NewWidget(QtGui.QDialog):
...

并将调整大小/显示行移动到open_new方法:

class MainWidget(QtGui.QWidget):
    def __init__(self, parent=None):
        ...
        self._subwindow = None

    def open_new(self):
        if self._subwindow is None:
            self._subwindow = NewWidget(self)
            self._subwindow.resize(200, 50)
            # move it next to the main window
            pos = self.frameGeometry().topLeft()
            self._subwindow.move(pos.x() - 250, pos.y())
        self._subwindow.show()
        self._subwindow.activateWindow()

所以现在只有一个子窗口,只要点击按钮就会重新激活。

答案 1 :(得分:2)

大。我的问题的最终解决方案如下:

class MainWidget(QtGui.QWidget):
def __init__(self, parent=None):
    ...
    self._subwindow = QtGui.Qdialog()

def open_new(self):
    if self.subwindow.isVisible() is False:
        self._subwindow = NewWidget(self)
        self._subwindow.resize(200, 50)
        # move it next to the main window
        pos = self.frameGeometry().topLeft()
        self._subwindow.move(pos.x() - 250, pos.y())
    self._subwindow.show()
    self._subwindow.activateWindow()