我正在编写一个程序,该程序处理一些数据并将结果显示为图表。我将绘图附加到画布上,以便它可以在相同的Tkinter窗口中显示,而不是在新的窗口中显示。我希望图形显示在一个单独的窗口,当用户单击它,使用mpl_connect
。然而,它只能工作一次。如果我第二次点击画布,什么也没发生。我也试过制作一个按钮并将事件绑定到它,但同样的问题发生了:它只工作一次。
谁能告诉我我犯了什么错误,如何解决它?
import matplotlib
matplotlib.use('TkAgg')
import numpy as np
from matplotlib.backends.backend_tkagg import FigureCanvasTkAgg
from matplotlib.figure import Figure
import matplotlib.pyplot as plt
from Tkinter import *
class mclass:
def __init__(self, window):
self.window = window
self.leftframe= Frame (self.window)
self.rightframe= Frame (self.window)
self.leftframe.pack (side= LEFT, anchor=N)
self.rightframe.pack (side=RIGHT, anchor=N)
self.box = Entry(self.leftframe)
self.button = Button (self.leftframe, text="check", command=self.plot)
self.plotlabel= Label (self.leftframe, text="The following is the plot")
self.box.grid (row=1, column=1)
self.button.grid(row=2, column= 1)
self.plotlabel.grid (row=3, column=1)
def plot (self):
x=np.array ([1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
v= np.array ([16,16.31925,17.6394,16.003,17.2861,17.3131,19.1259,18.9694,22.0003,22.81226])
p= np.array ([16.23697, 17.31653, 17.22094, 17.68631, 17.73641 , 18.6368,
19.32125, 19.31756 , 21.20247 , 22.41444 , 22.11718 , 22.12453])
fig = plt.figure(figsize=(6,6))
a = fig.add_subplot(111)
a.scatter(v,x,color='red')
a.plot(p, range(2 +max(x)),color='blue')
a.invert_yaxis()
a.set_title ("Estimation Grid", fontsize=16)
a.set_ylabel("Y", fontsize=14)
a.set_xlabel("X", fontsize=14)
canvas = FigureCanvasTkAgg(fig, master=self.rightframe)
canvas.get_tk_widget().grid(row=1, column= 2)
canvas.draw()
cid= fig.canvas.mpl_connect('button_press_event', lambda event: plt.show())
window= Tk()
start= mclass (window)
window.mainloop()
正如@tcaswell所指出的,当嵌入时,您不能使用plt.figure
或plt.show
。
你只得到一个点击工作的原因是你在你的"点击"回调中调用plt.show()
。plt.show()
将尝试在应用程序的主循环中启动另一个 Tk主循环,锁定进程中的东西。
此外,您正在创建两个canvas
es并将它们附加到同一个图形。
plt.figure()
创建一个图形、一个画布和一个图形管理器,然后将它们注册到全局pyplot
状态。您只希望发生其中一种情况,因此应该调用fig = matplotlib.figure.Figure(...)
。(在您的情况下是Figure
,因为您就是这样导入它的)
好消息是这是一个两行修复。将plt.figure(...)
更改为Figure(...)
,不要在单击事件中调用plt.show()
。