我正在寻找是否有另一种方法将PIL图像转换为GTK Pixbuf。 现在,我所拥有的只是看起来像我发现的低效编码实践,并且已经破解了我的需求。这就是我到目前为止所做的:
def image2pixbuf(self,im):
file1 = StringIO.StringIO()
im.save(file1, "ppm")
contents = file1.getvalue()
file1.close()
loader = gtk.gdk.PixbufLoader("pnm")
loader.write(contents, len(contents))
pixbuf = loader.get_pixbuf()
loader.close()
return pixbuf
有没有更简单的方法来进行我错过的转换?
答案 0 :(得分:10)
如果你通过一个numpy数组,你可以有效地做到这一点:
import numpy
arr = numpy.array(im)
return gtk.gdk.pixbuf_new_from_array(arr, gtk.gdk.COLORSPACE_RGB, 8)
答案 1 :(得分:7)
如果你正在使用PyGI和GTK + 3,这里有一个替代方案,它也不需要依赖numpy:
import array
from gi.repository import GdkPixbuf
def image2pixbuf(self,im):
arr = array.array('B', im.tostring())
width, height = im.size
return GdkPixbuf.Pixbuf.new_from_data(arr, GdkPixbuf.Colorspace.RGB,
True, 8, width, height, width * 4)
答案 2 :(得分:2)
我无法使用gtk 3.14(这个版本的方法是 new_from_bytes )[1],所以像你这样的workaroud是为了让它工作:
from gi.repository import GdkPixbuf
import cv2
def image2pixbuf(im):
# convert image from BRG to RGB (pnm uses RGB)
im2 = cv2.cvtColor(im, cv2.COLOR_BGR2RGB)
# get image dimensions (depth is not used)
height, width, depth = im2.shape
pixl = GdkPixbuf.PixbufLoader.new_with_type('pnm')
# P6 is the magic number of PNM format,
# and 255 is the max color allowed, see [2]
pixl.write("P6 %d %d 255 " % (width, height) + im2.tostring())
pix = pixl.get_pixbuf()
pixl.close()
return pix