小编典典

PyQt:退出时没有错误消息(回溯)

python

我的PyQt应用程序不再将错误(stderr?)打印到控制台。

我使用QtDesigner并像这样导入UI:

from PyQt5 import QtCore, QtGui, QtWidgets
import sys
from PyQt5.uic import loadUiType
Ui_MainWindow, QMainWindow = loadUiType("test.ui")

class Main(QMainWindow, Ui_MainWindow):
    """Main window"""
    def __init__(self,parent=None):
        super(Main, self).__init__(parent)
        self.setupUi(self)
        self.pushButton.clicked.connect(self.testfunc)

   def testfunc(self):
        print(9/0)

if __name__ == '__main__':
    app = QtWidgets.QApplication(sys.argv)
    main = Main()
    main.show()
    sys.exit(app.exec_())

test.ui包含一个QPushButton和一个标签。当我在非Qt应用程序中调用testfunc(显然会给出错误)时,会收到错误消息,回溯等信息。执行此代码时,它会退出。

我以前没有QtDesigner编写了一个PyQt应用程序,并且按预期将错误打印到控制台。QtDesigner和继承有什么区别?


阅读 205

收藏
2020-12-20

共1个答案

小编典典

这可能是由于PyQt-5.5处理异常的方式发生了变化。引用PyQt5文档

在PyQt
v5.5中,未处理的Python异常将导致调用Qt的qFatal()函数。默认情况下,它将调用abort(),应用程序将终止。请注意,应用程序安装的异常挂钩仍将优先。

当我在普通控制台中运行您的示例时,这是我看到的:

$ python test.py
Traceback (most recent call last):
  File "test.py", line 213, in testfunc
    print(9/0)
ZeroDivisionError: division by zero
Aborted (core dumped)

因此,主要区别在于,应用程序现在会在遇到未处理的异常时立即终止(即,就像普通的python脚本一样)。当然,您仍然可以通过使用try/except块或通过覆盖sys.excepthook来全局控制此行为。

如果没有看到任何回溯,则可能是由于您用于运行应用程序的Python IDE出现问题。

PS:

作为最低要求,可以像下面那样恢复仅将跟踪记录打印到stdout / stderr的旧PyQt4行为:

def except_hook(cls, exception, traceback):
    sys.__excepthook__(cls, exception, traceback)

if __name__ == "__main__":

    import sys
    sys.excepthook = except_hook
2020-12-20