PyQt 文件对话框在 main window 之前打开

PyQt file dialog opening before main window

我在QT designer里做了一个UI,用PySide转了。我现在正尝试将一些代码附加到设计中的其中一个按钮。我试图在按下工具按钮时创建一个文件对话框,但我遇到了在主 window 之前打开文件对话框的问题,然后工具按钮什么也没做。 这是我的代码,减去一些格式行:

from PySide import QtCore, QtGui
import sys


class Ui_MainWindow(object):
    def setupUi(self, MainWindow):
        self.horizontalLayoutWidget = QtGui.QWidget(MainWindow)
        self.horizontalLayout = QtGui.QHBoxLayout(self.horizontalLayoutWidget)
        self.Filepathselector_2 = QtGui.QLineEdit(self.horizontalLayoutWidget)
        self.horizontalLayout.addWidget(self.Filepathselector_2)
        self.toolButton_2 = QtGui.QToolButton(self.horizontalLayoutWidget)
        self.horizontalLayout.addWidget(self.toolButton_2)

        self.retranslateUi(MainWindow)
        QtCore.QObject.connect(self.toolButton_2, QtCore.SIGNAL("clicked()"), self.Filepathselector_2.clear)
        QtCore.QObject.connect(self.toolButton_2, QtCore.SIGNAL("clicked()"), showDialog(self))
        QtCore.QMetaObject.connectSlotsByName(MainWindow)

    def retranslateUi(self, MainWindow):
        MainWindow.setWindowTitle(QtGui.QApplication.translate("MainWindow", "MainWindow", None, QtGui.QApplication.UnicodeUTF8))
        self.Filepathselector_2.setToolTip(QtGui.QApplication.translate("MainWindow", "Select file", None, QtGui.QApplication.UnicodeUTF8))
        self.toolButton_2.setText(QtGui.QApplication.translate("MainWindow", "...", None, QtGui.QApplication.UnicodeUTF8))


def showDialog(self):

        fname, _ = QtGui.QFileDialog.getOpenFileName(MainWindow, 'Open file', "", 'MP3 Files (*.mp3)')
        print fname
        print _

if __name__ == "__main__":
    app = QtGui.QApplication(sys.argv)
    MainWindow = QtGui.QMainWindow()
    ui = Ui_MainWindow()
    ui.setupUi(MainWindow)
    MainWindow.show()
    sys.exit(app.exec_())

我使用两个变量来选择文件,因为 PySide 在此处返回元组而不是字符串时存在错误。代码运行 GUI 正常,但在加载 GUI 之前打开文件对话框,然后当我尝试使用工具按钮时没有任何反应。我哪里出错了?

您正在使用 showDialog(self) 在连接语句中执行函数调用,因此请更改行

QtCore.QObject.connect(self.toolButton_2, QtCore.SIGNAL("clicked()"), showDialog(self))

QtCore.QObject.connect(self.toolButton_2, QtCore.SIGNAL("clicked()"), self.showDialog)

并缩进函数 showDialog 以便它在您的 class 中。这意味着您根本不必将 self 参数传递给它。

帮我修好了。

问题出在这一行:

QtCore.QObject.connect(self.toolButton_2, QtCore.SIGNAL("clicked()"), showDialog(self))

具体来说,showDialog(self) 正在调用 showDialog 并将其 return 值作为要连接的槽传递。在这种情况下,您可以使 showDialog 成为一个方法,因此 self 被隐式传递,并像这样连接它:

QtCore.QObject.connect(self.toolButton_2, QtCore.SIGNAL("clicked()"), self.showDialog)

您也可以使用 lambda,如下所示:

QtCore.QObject.connect(self.toolButton_2, QtCore.SIGNAL("clicked()"), lambda: showDialog(self))

lambda 方法更普遍适用(例如,您可以为参数传递 self 以外的其他内容)。