PyQt5:RuntimeError:FigureCanvasQTAgg类型的包装的C / C ++对象已被删除

时间:2019-01-10 08:14:16

标签: python matplotlib pyqt pyqt5

因此,最近几天我一直在关注stackoverflow的帖子,以解决我遇到的这个问题,并且尝试了几件事之后,我仍然无法使代码正常工作。我正在尝试创建一个简单的Gui,当按下按钮时可以在其中显示图表。当我运行主模块时,程序将启动。但是当我单击“绘图”按钮时,我得到了错误

  

RuntimeError:类型为FigureCanvasQTAgg的包装的C / C ++对象已删除

现在我读到这与删除C ++对象有关,而python包装器仍然存在,但是我似乎无法解决此问题。我主要关心的是使GUI尽可能模块化,因为我想扩展下面显示的示例代码。有人能很好地解决我的问题吗?

main.py

import sys
from PyQt5.QtWidgets import *

from GUI import ui_main

app = QApplication(sys.argv)
ui = ui_main.Ui_MainWindow()
ui.show()
sys.exit(app.exec_())

ui_main.py

from PyQt5.QtWidgets import *

from GUI import frame as fr

class Ui_MainWindow(QMainWindow):

    def __init__(self):
        super(Ui_MainWindow, self).__init__()

        self.central_widget = Ui_CentralWidget()
        self.setCentralWidget(self.central_widget)

        self.initUI()

    def initUI(self):

        self.setGeometry(400,300,1280,600)
        self.setWindowTitle('Test GUI')

class Ui_CentralWidget(QWidget):

    def __init__(self):
        super(Ui_CentralWidget, self).__init__()

        self.gridLayout = QGridLayout(self)

        '''Plot button'''
        self.plotButton = QPushButton('Plot')
        self.plotButton.setToolTip('Click to create a plot')
        self.gridLayout.addWidget(self.plotButton, 1, 0)

        '''plotFrame'''
        self.plotFrame = fr.PlotFrame()
        self.gridLayout.addWidget(self.plotFrame,0,0)

        '''Connect button'''
        self.plotButton.clicked.connect(fr.example_figure)

frame.py

from PyQt5.QtWidgets import *

from matplotlib.backends.backend_qt5agg import FigureCanvasQTAgg as FigureCanvas
import matplotlib.pyplot as plt

class PlotFrame(QFrame):

    def __init__(self):
        super(PlotFrame, self).__init__()

        self.gridLayout = QGridLayout(self)

        self.setFrameShape(QFrame.Box)
        self.setFrameShadow(QFrame.Raised)
        self.setLineWidth(3)

        self.figure = plt.figure(figsize=(5, 5))
        self.canvas = FigureCanvas(self.figure)
        self.gridLayout.addWidget(self.canvas,1,1)

def example_figure():

    plt.cla()
    ax = PlotFrame().figure.add_subplot(111)
    x = [i for i in range(100)]
    y = [i ** 0.5 for i in x]
    ax.plot(x, y, 'r.-')
    ax.set_title('Square root plot')
    PlotFrame().canvas.draw()

1 个答案:

答案 0 :(得分:1)

每次使用PlotFrame()时都会创建一个新对象,在您的情况下,您将在example_figure中创建2个对象,但是它们是本地的,因此在执行该函数时会自动删除它们,从而导致您指出错误由于丢失了引用,因此在不通知matplotlib的情况下删除对象时,一种解决方案是将对象传递给函数。

ui_main.py

# ...

class Ui_CentralWidget(QWidget):
    # ...
        '''Connect button'''
        self.plotButton.clicked.connect(self.on_clicked)

    def on_clicked(self):
        fr.example_figure(self.plotFrame)

frame.py

# ...

def example_figure(plot_frame):
    plt.cla()
    ax = plot_frame.figure.add_subplot(111)
    x = [i for i in range(100)]
    y = [i ** 0.5 for i in x]
    ax.plot(x, y, 'r.-')
    ax.set_title('Square root plot')
    plot_frame.canvas.draw()