lctr30
lctr30

Reputation: 526

pygtk image fadein

I have image1.png and image2.png

when my app starts the image1.png is showed, after the app runs I need hide the image1.png and show image2.png using a fadein of image2.png over the image1.png

how can I do that? I'm using python and pygtk also I can import PIL modules if is necesary

Upvotes: 1

Views: 788

Answers (2)

Mark
Mark

Reputation: 108567

Here's a quick and dirty pygtk app I just did for the fade-in effect. It was adapted from this C code:

import gtk
import gobject
import cairo
import sys

class PyApp(gtk.Window):

    def __init__(self):
        super(PyApp, self).__init__()

        self.set_title("Fade In")
        self.resize(300, 350)
        self.set_position(gtk.WIN_POS_CENTER)

        ## alpha is starting transparency
        self.alpha = 0
        ## delta is amount to increase alpha
        self.delta = 0.01

        self.connect("destroy", gtk.main_quit)

        self.darea = gtk.DrawingArea()
        self.darea.connect("expose-event", self.expose)
        self.add(self.darea)

        try:
            self.surface = cairo.ImageSurface.create_from_png("/usr/share/icons/gnome/256x256/emotes/face-angel.png")
        except Exception, e:
            print e.message
            sys.exit(1)

        self.show_all()

    def fadeImage(self):
        self.darea.queue_draw()

    def expose(self, widget, event):

        cr = widget.window.cairo_create()

        cr.set_source_surface(self.surface, 10, 10)
        cr.paint_with_alpha(self.alpha)

        self.alpha += self.delta

        if self.alpha >= 1: return False
        else: gobject.timeout_add(50,self.fadeImage)

PyApp()
gtk.main()

Upvotes: 4

ptomato
ptomato

Reputation: 57920

Sounds like GTK is not the best tool for the job. I would suggest using Clutter.

Upvotes: 1

Related Questions