我目前正在尝试将要绘制的图形嵌入到我设计的 pyqt4 用户界面中。因为我对编程几乎完全陌生 - 我不明白人们如何在我发现的示例中嵌入 - this one (at the bottom) 和 that one 。
如果有人可以发布分步说明或至少一个非常小的、非常简单的代码只创建例如一个 pyqt4 GUI 中的图形和按钮。
最佳答案
其实没那么复杂。相关的 Qt 小部件在 matplotlib.backends.backend_qt4agg
中。 FigureCanvasQTAgg
和 NavigationToolbar2QT
通常是你需要的。这些是常规的 Qt 小部件。您将它们视为任何其他小部件。下面是一个非常简单的示例,其中包含 Figure
、 Navigation
和一个绘制一些随机数据的按钮。我添加了注释来解释事情。
import sys
from PyQt4 import QtGui
from matplotlib.backends.backend_qt4agg import FigureCanvasQTAgg as FigureCanvas
from matplotlib.backends.backend_qt4agg import NavigationToolbar2QT as NavigationToolbar
from matplotlib.figure import Figure
import random
class Window(QtGui.QDialog):
def __init__(self, parent=None):
super(Window, self).__init__(parent)
# a figure instance to plot on
self.figure = Figure()
# this is the Canvas Widget that displays the `figure`
# it takes the `figure` instance as a parameter to __init__
self.canvas = FigureCanvas(self.figure)
# this is the Navigation widget
# it takes the Canvas widget and a parent
self.toolbar = NavigationToolbar(self.canvas, self)
# Just some button connected to `plot` method
self.button = QtGui.QPushButton('Plot')
self.button.clicked.connect(self.plot)
# set the layout
layout = QtGui.QVBoxLayout()
layout.addWidget(self.toolbar)
layout.addWidget(self.canvas)
layout.addWidget(self.button)
self.setLayout(layout)
def plot(self):
''' plot some random stuff '''
# random data
data = [random.random() for i in range(10)]
# create an axis
ax = self.figure.add_subplot(111)
# discards the old graph
ax.clear()
# plot data
ax.plot(data, '*-')
# refresh canvas
self.canvas.draw()
if __name__ == '__main__':
app = QtGui.QApplication(sys.argv)
main = Window()
main.show()
sys.exit(app.exec_())
编辑 :
更新以反射(reflect)评论和 API 更改。
NavigationToolbar2QTAgg
更改为 NavigationToolbar2QT
Figure
而不是 pyplot
ax.hold(False)
替换为 ax.clear()
关于python - 如何在 pyqt 中嵌入 matplotlib - 对于傻瓜,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12459811/