将C或Numpy数组转换为具有最小副本数的Tkinter PhotoImage
问题描述
我知道通过Tkinter将MxNx3 Numpy数组显示为RGB图像的秘诀,但我的秘诀在此过程中制作了数组的几个副本:
a = np.random.randint(low=255, size=(100, 100, 3), dtype=np.uint8) # Original
ppm_header = b'P6
%i %i
255
'%(a.shape[0], a.shape[1])
a_bytes = a.tobytes() # First copy
ppm_bytes = ppm_header + a_bytes # Second copy https://en.wikipedia.org/wiki/Netpbm_format
root = tk.Tk()
img = tk.PhotoImage(data=ppm_bytes) # Third and fourth copies?
canvas = tk.Canvas(root, width=a.shape[0], height=a.shape[1])
canvas.pack()
canvas.create_image(0, 0, anchor=tk.NW, image=img) # Fifth copy?
root.mainloop()
如何才能用最少的份数达到同等效果?
理想情况下,我会创建一个numpy数组,它是TkinterPhotoImage
对象使用的相同字节的视图,有效地为我提供了一个像素值可变的PhotoImage
,并使更新Tkinter显示变得又便宜又快。我不知道如何从Tkinter中提取此指针。
也许可以通过ctype实现,如hinted at here?
PhotoImage.put()
方法似乎很慢,但可能我错了,这就是前进的道路吗?
bytearray()
,然后使用numpy.frombuffer()
将图像像素值作为数值数组查看,但我认为PhotoImage
构造函数需要的是bytes()
对象,而不是bytearray()
对象,而且我认为Tkinter将其data
输入的字节复制为其内部格式(32位RGBA?)。我想这比上面的食谱省了我一份?
解决方案
我可以使用pil和标签将其减少到1(可能2)个副本:
import numpy as np
import tkinter as tk
from PIL import Image, ImageTk
a = np.random.randint(low=255, size=(100, 100, 3), dtype=np.uint8) # Original
root = tk.Tk()
img = ImageTk.PhotoImage(Image.fromarray(a)) # First and maybe second copy.
lbl = tk.Label(root, image=img)
lbl.pack()
root.mainloop()
然而,这仍然不是可变的。如果你想这样做,我认为你需要自己在画布上放置一个像素来重新创造一个图像。我用this project做过一次,发现更新速度最快的是matplotlib动画,它非常适合您,因为您已经在使用NP数组了。
我使用tk.Canvas、aPIL Image(使用putPixel())和matplotlib的代码。
相关文章