我在可调整大小的窗口中有一个GtkImage
窗口小部件,以及一个存储我要用GdkPixBuf
填充的图像的参考GtkImage
。
我可以使用此方法缩放GdkPixBuf
以填充GtkImage
窗口小部件:
def update_image(self, widget=None, data=None):
# Get the size of the source pixmap
src_width, src_height = self.current_image.get_width(), self.current_image.get_height()
# Get the size of the widget area
widget = self.builder.get_object('image')
allocation = widget.get_allocation()
dst_width, dst_height = allocation.width, allocation.height
# Scale preserving ratio
scale = min(float(dst_width)/src_width, float(dst_height)/src_height)
new_width = int(scale*src_width)
new_height = int(scale*src_height)
pixbuf = self.current_image.scale_simple(new_width, new_height, gtk.gdk.INTERP_BILINEAR)
# Put the generated pixbuf in the GtkImage widget
widget.set_from_pixbuf(pixbuf)
当我手动调用update_image
时,它按预期工作。现在我希望在调整GtkImage小部件时自动进行缩放。我遇到的最佳解决方案是将update_image
方法绑定到窗口的configure-event
GTK事件。在窗口的每次尺寸改变之后,图像确实被适当地缩放。但是我对这个解决方案有两个问题:
我很抱歉这个小问题的长期解释,我希望你能帮助我。
答案 0 :(得分:10)
我相信您可以使用小部件的expose-event信号进行图像缩放。另外,将图像添加到可滚动容器中可以解决窗口调整大小的问题。请检查下面的示例是否适合您。
import gtk
class ScaleImage:
def __init__(self):
self.temp_height = 0
self.temp_width = 0
window = gtk.Window(gtk.WINDOW_TOPLEVEL)
image = gtk.Image()
image.set_from_file('/home/my_test_image.jpg')
self.pixbuf = image.get_pixbuf()
image.connect('expose-event', self.on_image_resize, window)
box = gtk.ScrolledWindow()
box.set_policy(gtk.POLICY_AUTOMATIC, gtk.POLICY_AUTOMATIC)
box.add(image)
window.add(box)
window.set_size_request(300, 300)
window.show_all()
def on_image_resize(self, widget, event, window):
allocation = widget.get_allocation()
if self.temp_height != allocation.height or self.temp_width != allocation.width:
self.temp_height = allocation.height
self.temp_width = allocation.width
pixbuf = self.pixbuf.scale_simple(allocation.width, allocation.height, gtk.gdk.INTERP_BILINEAR)
widget.set_from_pixbuf(pixbuf)
def close_application(self, widget, event, data=None):
gtk.main_quit()
return False
if __name__ == "__main__":
ScaleImage()
gtk.main()
希望这有帮助,尊重
答案 1 :(得分:1)
答案 2 :(得分:0)
如果您不想使用GtkScrolledWindow
,则可以使用GtkImage
替换GtkDrawingArea
,然后使用Cairo绘制图像。这将允许图像缩小,因为GtkDrawingArea
未设置大小请求。
我不了解Python,但这里有一个使用GTK3的C示例:
gboolean drawing_area_draw (GtkWidget *widget, cairo_t *cr, GdkPixbuf *current_image)
{
..... //Calculate size
pixbuf = gdk_pixbuf_scale_simple (current_image,
new_width,
new_height,
GDK_INTERP_BILINEAR);
gdk_cairo_set_source_pixbuf (cr,
pixbuf,
allocation.width/2 - new_width/2,
allocation.height/2 - new_height/2);
cairo_paint (cr);
return FALSE;
}
int main (int argc, char *argv[])
{
.....
drawing_area = gtk_drawing_area_new ();
g_signal_connect (G_OBJECT (drawing_area), "draw",
G_CALLBACK (drawing_area_draw), current_image);
.....
}
如果绘图区域的背景显示为不透明,请将gtk_widget_set_has_window ()
设置为FALSE
,尽管最好从GtkDrawingArea
派生自己的小部件并设置此项init
函数中的属性。
如果您使用的是GTK2,则代码类似,但必须在gdk_cairo_create ()
上致电widget->window
,并在完成后致电cairo_destroy ()
。< / p>
此外,对于GTK2,如果GtkDrawingArea
没有自己的GdkWindow
,则绘图的坐标相对于父GdkWindow
而不是小部件。