Python GTK Tutorial
Python GTK Tutorial
From: http://www.zetcode.com/tutorials/pygtktutorial/
Introduction
First steps
Layout management
Menus
Toolbars
Widgets
Widgets II
Advanced Widgets
Dialogs
Pango
Pango II
Snake
Custom widget
This is PyGTK tutorial. The PyGTK tutorial is suitable for beginner and
more advanced programmers.
Introduction to PyGTK
In this part of the PyGTK programming tutorial, we will talk about the
PyGTK GUI library and Python programming language in general.
This is PyGTK programming tutorial. It has been created and tested on Linux.
The PyGTK programming tutorial is suited for novice and more advanced
programmers.
PyGTK
PyGTK is a set of Python wrappers for the GTK+ GUI library. It offers a
comprehensive set of graphical elements and other useful programming
facilities for creating desktop applications. It is a part of the GNOME
project. PyGTK is free software and licensed under the LGPL. Original
autor of PyGTK is James Henstridge. PyGTK is very easy to use, it is ideal
for rapid prototyping. Currently, PyGTK is one of the most popular
bindings for the GTK+ library.
Python
GTK+
Gnome and XFce desktop environments have been created using the GTK+
library. SWT and wxWidgets are well known programming frameworks, that
use GTK+. Prominent software applications that use GTK+ include Firefox
or Inkscape.
Sources
• pygtk.org
• wikipedia.org
Simple example
center.py
#!/usr/bin/python
# ZetCode PyGTK tutorial
#
# This is a trivial PyGTK example
#
# author: jan bodnar
# website: zetcode.com
# last edited: February 2009
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.connect("destroy", gtk.main_quit)
self.set_size_request(250, 150)
self.set_position(gtk.WIN_POS_CENTER)
self.show()
PyApp()
gtk.main()
import gtk
We import the gtk module. Here we have objects to create GUI applications.
class PyApp(gtk.Window):
Our application is based on the PyApp class. It inherits from the Window.
def __init__(self):
super(PyApp, self).__init__()
self.connect("destroy", gtk.main_quit)
self.set_size_request(250, 150)
self.set_position(gtk.WIN_POS_CENTER)
self.show()
Now we show the window. The window is not visible, until we call the show()
method.
PyApp()
gtk.main()
We create the instance of our program and start the main loop.
Icon
In the next example, we show the application icon. Most window managers
display the icon in the left corner of the titlebar and also on the taskbar.
icon.py
#!/usr/bin/python
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Icon")
self.set_size_request(250, 150)
self.set_position(gtk.WIN_POS_CENTER)
try:
self.set_icon_from_file("web.png")
except Exception, e:
print e.message
sys.exit(1)
self.connect("destroy", gtk.main_quit)
self.show()
PyApp()
gtk.main()
self.set_title("Icon")
self.set_icon_from_file("web.png")
The set_icon_from_file() method sets an icon for the window. The image
is loaded from disk in the current working directory.
Figure: Icon
Buttons
In the next example, we will further enhance our programming skills with
the PyGTK library.
buttons.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Buttons")
self.set_size_request(250, 200)
self.set_position(gtk.WIN_POS_CENTER)
btn1 = gtk.Button("Button")
btn1.set_sensitive(False)
btn2 = gtk.Button("Button")
btn3 = gtk.Button(stock=gtk.STOCK_CLOSE)
btn4 = gtk.Button("Button")
btn4.set_size_request(80, 40)
fixed = gtk.Fixed()
fixed.put(btn1, 20, 30)
fixed.put(btn2, 100, 30)
fixed.put(btn3, 20, 80)
fixed.put(btn4, 100, 80)
self.connect("destroy", gtk.main_quit)
self.add(fixed)
self.show_all()
PyApp()
gtk.main()
btn1 = gtk.Button("Button")
btn1.set_sensitive(False)
We make this button insensitive. This means, we cannot click on it. Nor
it can be selected, focused etc. Graphically the widget is grayed out.
btn3 = gtk.Button(stock=gtk.STOCK_CLOSE)
The third button shows an image inside it's area. The PyGTK library has
a built-in stock of images, that we can use.
btn4.set_size_request(80, 40)
fixed = gtk.Fixed()
self.add(fixed)
We set the Fixed container to be the main container for our Window widget.
self.show_all()
Figure: Buttons
Tooltip
tooltips.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Tooltips")
self.set_size_request(250, 200)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.fixed = gtk.Fixed()
self.add(self.fixed)
button = gtk.Button("Button")
button.set_size_request(80, 35)
self.set_tooltip_text("Window widget")
button.set_tooltip_text("Button widget")
self.show_all()
PyApp()
gtk.main()
self.set_tooltip_text("Window widget")
button.set_tooltip_text("Button widget")
Figure: Tooltips
When we design the GUI of our application, we decide what widgets we will
use and how we will organize those widgets in the application. To organize
our widgets, we use specialized non visible widgets called layout
containers. In this chapter, we will mention Alignment, Fixed, VBox and
Table.
Fixed
The Fixed container places child widgets at fixed positions and with fixed
sizes. This container performs no automatic layout management. In most
applications, we don't use this container. There are some specialized
areas, where we use it. For example games, specialized applications that
work with diagrams, resizable components that can be moved (like a chart
in a spreadsheet application), small educational examples.
fixed.py
#!/usr/bin/python
import gtk
import sys
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Fixed")
self.set_size_request(300, 280)
self.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(6400, 6400, 6440))
self.set_position(gtk.WIN_POS_CENTER)
try:
self.bardejov = gtk.gdk.pixbuf_new_from_file("bardejov.jpg")
self.rotunda = gtk.gdk.pixbuf_new_from_file("rotunda.jpg")
self.mincol = gtk.gdk.pixbuf_new_from_file("mincol.jpg")
except Exception, e:
print e.message
sys.exit(1)
image1 = gtk.Image()
image2 = gtk.Image()
image3 = gtk.Image()
image1.set_from_pixbuf(self.bardejov)
image2.set_from_pixbuf(self.rotunda)
image3.set_from_pixbuf(self.mincol)
fix = gtk.Fixed()
self.add(fix)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
For better visual experience, we change the background color to dark gray.
self.bardejov = gtk.gdk.pixbuf_new_from_file("bardejov.jpg")
image1 = gtk.Image()
image2 = gtk.Image()
image3 = gtk.Image()
image1.set_from_pixbuf(self.bardejov)
image2.set_from_pixbuf(self.rotunda)
image3.set_from_pixbuf(self.mincol)
fix = gtk.Fixed()
self.add(fix)
Figure: Fixed
Alignment
The Alignment container controls the alignment and the size of it's child
widget.
alignment.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Alignment")
self.set_size_request(260, 150)
self.set_position(gtk.WIN_POS_CENTER)
vbox = gtk.VBox(False, 5)
hbox = gtk.HBox(True, 3)
valign = gtk.Alignment(0, 1, 0, 0)
vbox.pack_start(valign)
ok = gtk.Button("OK")
ok.set_size_request(70, 30)
close = gtk.Button("Close")
hbox.add(ok)
hbox.add(close)
halign = gtk.Alignment(1, 0, 0, 0)
halign.add(hbox)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
In the code example, we place two buttons into the right bottom corner
of the window. To accomplish this, we use one horizontal box and one
vertical box and two alignment containers.
valign = gtk.Alignment(0, 1, 0, 0)
vbox.pack_start(valign)
hbox = gtk.HBox(True, 3)
...
ok = gtk.Button("OK")
ok.set_size_request(70, 30)
close = gtk.Button("Close")
hbox.add(ok)
hbox.add(close)
We create a horizontal box and put two buttons inside it.
halign = gtk.Alignment(1, 0, 0, 0)
halign.add(hbox)
This will create an alignment container that will place it's child widget
to the right. We add the horizontal box into the alignment container and
pack the alignment container into the vertical box. We must keep in mind
that the alignment container takes only one child widget. That's why we
must use boxes.
Figure: Alignment
Table
calculator.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Calculator")
self.set_size_request(250, 230)
self.set_position(gtk.WIN_POS_CENTER)
vbox = gtk.VBox(False, 2)
mb = gtk.MenuBar()
filemenu = gtk.Menu()
filem = gtk.MenuItem("File")
filem.set_submenu(filemenu)
mb.append(filem)
table.attach(gtk.Button("Cls"), 0, 1, 0, 1)
table.attach(gtk.Button("Bck"), 1, 2, 0, 1)
table.attach(gtk.Label(), 2, 3, 0, 1)
table.attach(gtk.Button("Close"), 3, 4, 0, 1)
table.attach(gtk.Button("7"), 0, 1, 1, 2)
table.attach(gtk.Button("8"), 1, 2, 1, 2)
table.attach(gtk.Button("9"), 2, 3, 1, 2)
table.attach(gtk.Button("/"), 3, 4, 1, 2)
table.attach(gtk.Button("4"), 0, 1, 2, 3)
table.attach(gtk.Button("5"), 1, 2, 2, 3)
table.attach(gtk.Button("6"), 2, 3, 2, 3)
table.attach(gtk.Button("*"), 3, 4, 2, 3)
table.attach(gtk.Button("1"), 0, 1, 3, 4)
table.attach(gtk.Button("2"), 1, 2, 3, 4)
table.attach(gtk.Button("3"), 2, 3, 3, 4)
table.attach(gtk.Button("-"), 3, 4, 3, 4)
table.attach(gtk.Button("0"), 0, 1, 4, 5)
table.attach(gtk.Button("."), 1, 2, 4, 5)
table.attach(gtk.Button("="), 2, 3, 4, 5)
table.attach(gtk.Button("+"), 3, 4, 4, 5)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
We create a table widget with 5 rows and 4 columns. The third parameter
is the homogenous parameter. If set to true, all the widgets in the table
are of same size. The size of all widgets is equal to the largest widget
in the table container.
table.attach(gtk.Button("Cls"), 0, 1, 0, 1)
Windows
Next we will create a more advanced example. We show a window, that can
be found in the JDeveloper IDE.
windows.py
#!/usr/bin/python
import gtk
import sys
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Windows")
self.set_size_request(300, 250)
self.set_border_width(8)
self.set_position(gtk.WIN_POS_CENTER)
title = gtk.Label("Windows")
halign = gtk.Alignment(0, 0, 0, 0)
halign.add(title)
table.attach(halign, 0, 1, 0, 1, gtk.FILL,
gtk.FILL, 0, 0);
wins = gtk.TextView()
wins.set_editable(False)
wins.modify_fg(gtk.STATE_NORMAL, gtk.gdk.Color(5140, 5140, 5140))
wins.set_cursor_visible(False)
table.attach(wins, 0, 2, 1, 3, gtk.FILL | gtk.EXPAND,
gtk.FILL | gtk.EXPAND, 1, 1)
activate = gtk.Button("Activate")
activate.set_size_request(50, 30)
table.attach(activate, 3, 4, 1, 2, gtk.FILL,
gtk.SHRINK, 1, 1)
valign = gtk.Alignment(0, 0, 0, 0)
close = gtk.Button("Close")
close.set_size_request(70, 30)
valign.add(close)
table.set_row_spacing(1, 3)
table.attach(valign, 3, 4, 2, 3, gtk.FILL,
gtk.FILL | gtk.EXPAND, 1, 1)
halign2 = gtk.Alignment(0, 1, 0, 0)
help = gtk.Button("Help")
help.set_size_request(70, 30)
halign2.add(help)
table.set_row_spacing(3, 6)
table.attach(halign2, 0, 1, 4, 5, gtk.FILL,
gtk.FILL, 0, 0)
ok = gtk.Button("OK")
ok.set_size_request(70, 30)
table.attach(ok, 3, 4, 4, 5, gtk.FILL,
gtk.FILL, 0, 0);
self.add(table)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
The code example shows, how we can create a similar window in PyGTK.
title = gtk.Label("Windows")
halign = gtk.Alignment(0, 0, 0, 0)
halign.add(title)
table.attach(halign, 0, 1, 0, 1, gtk.FILL,
gtk.FILL, 0, 0);
This code creates a label, that is aligned to the left. The label is placed
in the first row of the Table container.
wins = gtk.TextView()
wins.set_editable(False)
wins.modify_fg(gtk.STATE_NORMAL, gtk.gdk.Color(5140, 5140, 5140))
wins.set_cursor_visible(False)
table.attach(wins, 0, 2, 1, 3, gtk.FILL | gtk.EXPAND,
gtk.FILL | gtk.EXPAND, 1, 1)
The text view widget spans two rows and two columns. We make the widget
non editable and hide the cursor.
valign = gtk.Alignment(0, 0, 0, 0)
close = gtk.Button("Close")
close.set_size_request(70, 30)
valign.add(close)
table.set_row_spacing(1, 3)
table.attach(valign, 3, 4, 2, 3, gtk.FILL,
gtk.FILL | gtk.EXPAND, 1, 1)
We put the close button next to the text view widget into the fourth column.
(we count from zero) We add the button into the alignment widget, so that
we can align it to the top.
Figure: Windows
Menus in PyGTK
In this part of the PyGTK programming tutorial, we will work with menus.
Simple menu
In our first example, we will create a menubar with one file menu. The
menu will have only one menu item. By selecting the item the application
quits.
simplemenu.py
#!/usr/bin/python
# ZetCode PyGTK tutorial
#
# This example shows a simple menu
#
# author: jan bodnar
# website: zetcode.com
# last edited: February 2009
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Simple menu")
self.set_size_request(250, 200)
self.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(6400, 6400, 6440))
self.set_position(gtk.WIN_POS_CENTER)
mb = gtk.MenuBar()
filemenu = gtk.Menu()
filem = gtk.MenuItem("File")
filem.set_submenu(filemenu)
exit = gtk.MenuItem("Exit")
exit.connect("activate", gtk.main_quit)
filemenu.append(exit)
mb.append(filem)
vbox = gtk.VBox(False, 2)
vbox.pack_start(mb, False, False, 0)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
mb = gtk.MenuBar()
filemenu = gtk.Menu()
filem = gtk.MenuItem("File")
filem.set_submenu(filemenu)
mb.append(filem)
vbox = gtk.VBox(False, 2)
vbox.pack_start(mb, False, False, 0)
Image menu
In the next example, we will further explore the menus. We will add images
and accelerators to our menu items. Accelerators are keyboard shortcuts
for activating a menu item.
imagemenu.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Image menu")
self.set_size_request(250, 200)
self.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(6400, 6400, 6440))
self.set_position(gtk.WIN_POS_CENTER)
mb = gtk.MenuBar()
filemenu = gtk.Menu()
filem = gtk.MenuItem("_File")
filem.set_submenu(filemenu)
agr = gtk.AccelGroup()
self.add_accel_group(agr)
sep = gtk.SeparatorMenuItem()
filemenu.append(sep)
exit.connect("activate", gtk.main_quit)
filemenu.append(exit)
mb.append(filem)
vbox = gtk.VBox(False, 2)
vbox.pack_start(mb, False, False, 0)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
Our example shows a toplevel menu item with three sublevel menu items.
Each of the menu items has a image and an accelerator. The accelerator
for the quit menu item is active.
agr = gtk.AccelGroup()
self.add_accel_group(agr)
sep = gtk.SeparatorMenuItem()
filemenu.append(sep)
These lines create a separator. It is used to group menu items into logical
groups.
checkmenuitem.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
mb = gtk.MenuBar()
filemenu = gtk.Menu()
filem = gtk.MenuItem("File")
filem.set_submenu(filemenu)
viewmenu = gtk.Menu()
view = gtk.MenuItem("View")
view.set_submenu(viewmenu)
exit = gtk.MenuItem("Exit")
exit.connect("activate", gtk.main_quit)
filemenu.append(exit)
mb.append(filem)
mb.append(view)
self.statusbar = gtk.Statusbar()
self.statusbar.push(1, "Ready")
vbox = gtk.VBox(False, 2)
vbox.pack_start(mb, False, False, 0)
vbox.pack_start(gtk.Label(), True, False, 0)
vbox.pack_start(self.statusbar, False, False, 0)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
In our code example we show a check menu item. If the check box is activated,
the statusbar widget is shown. If not, the statusbar is hidden.
stat.set_active(True)
if widget.active:
self.statusbar.show()
else:
self.statusbar.hide()
Submenu
submenu.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Submenu")
self.set_size_request(250, 200)
self.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(6400, 6400, 6440))
self.set_position(gtk.WIN_POS_CENTER)
mb = gtk.MenuBar()
filemenu = gtk.Menu()
filem = gtk.MenuItem("File")
filem.set_submenu(filemenu)
mb.append(filem)
imenu = gtk.Menu()
importm = gtk.MenuItem("Import")
importm.set_submenu(imenu)
imenu.append(inews)
imenu.append(ibookmarks)
imenu.append(imail)
filemenu.append(importm)
exit = gtk.MenuItem("Exit")
exit.connect("activate", gtk.main_quit)
filemenu.append(exit)
vbox = gtk.VBox(False, 2)
vbox.pack_start(mb, False, False, 0)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
Submenu creation.
imenu = gtk.Menu()
A submenu is a Menu.
importm = gtk.MenuItem("Import")
importm.set_submenu(imenu)
imenu.append(inews)
imenu.append(ibookmarks)
imenu.append(imail)
Toolbars in PyGTK
In this part of the PyGTK programming tutorial, we will work with toolbars.
Simple toolbar
toolbar.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Toolbar")
self.set_size_request(250, 200)
self.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(6400, 6400, 6440))
self.set_position(gtk.WIN_POS_CENTER)
toolbar = gtk.Toolbar()
toolbar.set_style(gtk.TOOLBAR_ICONS)
newtb = gtk.ToolButton(gtk.STOCK_NEW)
opentb = gtk.ToolButton(gtk.STOCK_OPEN)
savetb = gtk.ToolButton(gtk.STOCK_SAVE)
sep = gtk.SeparatorToolItem()
quittb = gtk.ToolButton(gtk.STOCK_QUIT)
toolbar.insert(newtb, 0)
toolbar.insert(opentb, 1)
toolbar.insert(savetb, 2)
toolbar.insert(sep, 3)
toolbar.insert(quittb, 4)
quittb.connect("clicked", gtk.main_quit)
vbox = gtk.VBox(False, 2)
vbox.pack_start(toolbar, False, False, 0)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
toolbar = gtk.Toolbar()
toolbar.set_style(gtk.TOOLBAR_ICONS)
newtb = gtk.ToolButton(gtk.STOCK_NEW)
toolbar.insert(newtb, 0)
toolbar.insert(opentb, 1)
...
Figure: Toolbar
Toolbars
In the second example, we show two toolbars. Many applications have more
than one toolbar. We show, how we can do it in PyGTK.
toolbars.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Toolbars")
self.set_size_request(350, 300)
self.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(6400, 6400, 6440))
self.set_position(gtk.WIN_POS_CENTER)
upper = gtk.Toolbar()
upper.set_style(gtk.TOOLBAR_ICONS)
newtb = gtk.ToolButton(gtk.STOCK_NEW)
opentb = gtk.ToolButton(gtk.STOCK_OPEN)
savetb = gtk.ToolButton(gtk.STOCK_SAVE)
upper.insert(newtb, 0)
upper.insert(opentb, 1)
upper.insert(savetb, 2)
lower = gtk.Toolbar()
lower.set_style(gtk.TOOLBAR_ICONS)
quittb = gtk.ToolButton(gtk.STOCK_QUIT)
quittb.connect("clicked", gtk.main_quit)
lower.insert(quittb, 0)
vbox = gtk.VBox(False, 0)
vbox.pack_start(upper, False, False, 0)
vbox.pack_start(lower, False, False, 0)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
upper = gtk.Toolbar()
...
lower = gtk.Toolbar()
upper.insert(newtb, 0)
...
lower.insert(quittb, 0)
vbox = gtk.VBox(False, 0)
vbox.pack_start(upper, False, False, 0)
vbox.pack_start(lower, False, False, 0)
Toolbars are packed into the vertical box, one after the other.
Figure: Toolbars
Undo redo
undoredo.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Toolbar")
self.set_size_request(250, 200)
self.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(6400, 6400, 6440))
self.set_position(gtk.WIN_POS_CENTER)
self.count = 2
toolbar = gtk.Toolbar()
toolbar.set_style(gtk.TOOLBAR_ICONS)
self.undo = gtk.ToolButton(gtk.STOCK_UNDO)
self.redo = gtk.ToolButton(gtk.STOCK_REDO)
sep = gtk.SeparatorToolItem()
quit = gtk.ToolButton(gtk.STOCK_QUIT)
toolbar.insert(self.undo, 0)
toolbar.insert(self.redo, 1)
toolbar.insert(sep, 2)
toolbar.insert(quit, 3)
self.undo.connect("clicked", self.on_undo)
self.redo.connect("clicked", self.on_redo)
quit.connect("clicked", gtk.main_quit)
vbox = gtk.VBox(False, 2)
vbox.pack_start(toolbar, False, False, 0)
self.add(vbox)
self.connect("destroy", gtk.main_quit)
self.show_all()
if self.count <= 0:
self.undo.set_sensitive(False)
self.redo.set_sensitive(True)
if self.count >= 5:
self.redo.set_sensitive(False)
self.undo.set_sensitive(True)
PyApp()
gtk.main()
Our example creates undo and redo buttons from the PyGTK stock resources.
After several clicks each of the buttons is inactivated. The buttons are
grayed out.
self.count = 2
self.undo = gtk.ToolButton(gtk.STOCK_UNDO)
self.redo = gtk.ToolButton(gtk.STOCK_REDO)
We have two tool buttons. Undo and redo tool buttons. Images come from
the stock resources.
self.undo.connect("clicked", self.on_undo)
self.redo.connect("clicked", self.on_redo)
We plug a method for the clicked signal for both tool buttons.
if self.count <= 0:
self.undo.set_sensitive(False)
self.redo.set_sensitive(True)
All GUI applications are event driven. PyGTK applications are no exception.
The applications start a main loop with the gtk.main() call, which
continuously checks for newly generated events. If there is no event, the
application waits and does nothing.
Events are messages from the X server to the application. When we click
on a button widget, the clicked signal will be emitted. There are signals
that all widgets inherit, such as destroy, and there are signals that are
widget specific, such as toggled on a toggle button.
def disconnect(handler_id)
def handler_disconnect(handler_id)
def handler_is_connected(handler_id)
def handler_block(handler_id)
def handler_unblock(handler_id)
Signals vs events
Signals are a general purpose notification framework. They are not used
only for notifications about UI changes. They can be used for
notifications about application state changes. Signals are general,
powerful, their usage is very broad. Any GObject can emit and receive a
signal. A type may have one or more signals, each of which may have an
argument list and return value. Handlers can then be connected to
instances of the type. When the signal is emitted on an instance, each
of the connected handlers will be called.
The only connection between signals and events is that signals are used
to send notifications about events from the X server.
Simple example
quitbutton.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Quit Button")
self.set_size_request(250, 200)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", self.on_destroy)
fixed = gtk.Fixed()
quit = gtk.Button("Quit")
quit.connect("clicked", self.on_clicked)
quit.set_size_request(80, 35)
self.add(fixed)
self.show_all()
PyApp()
gtk.main()
self.connect("destroy", self.on_destroy)
The connect() method plugs the on_destroy() method to the destroy signal.
quit.connect("clicked", self.on_clicked)
Pressing the quit button, the clicked signal is triggered. When we click
on the quit button, we call the on_clicked() method.
customsignal.py
#!/usr/bin/python
import gobject
class Sender(gobject.GObject):
def __init__(self):
self.__gobject_init__()
gobject.type_register(Sender)
gobject.signal_new("z_signal", Sender, gobject.SIGNAL_RUN_FIRST,
gobject.TYPE_NONE, ())
class Receiver(gobject.GObject):
def __init__(self, sender):
self.__gobject_init__()
sender.connect('z_signal', self.report_signal)
def user_callback(object):
print "user callback reacts to z_signal"
if __name__ == '__main__':
sender = Sender()
receiver = Receiver(sender)
sender.connect("z_signal", user_callback)
sender.emit("z_signal")
We create two GObjects. Sender and receiver objects. The sender emits a
signal, which is received by the receiver object. We also plug a callback
to the signal.
class Sender(gobject.GObject):
def __init__(self):
self.__gobject_init__()
gobject.type_register(Sender)
gobject.signal_new("z_signal", Sender, gobject.SIGNAL_RUN_FIRST,
gobject.TYPE_NONE, ())
sender.connect('z_signal', self.report_signal)
sender = Sender()
receiver = Receiver(sender)
Sender and receiver objects are instantiated. The receiver takes a sender
as a parameter, so that it can listen to its signals.
sender.connect("z_signal", user_callback)
sender.emit("z_signal")
class Sender(gobject.GObject):
__gsignals__ = {
'z_signal': (gobject.SIGNAL_RUN_LAST, gobject.TYPE_NONE, ()),
}
def __init__(self):
self.__gobject_init__()
gobject.type_register(Sender)
We can also use the __gsignals__ class attribute to register a new singal.
Objects in PyGTK may have predefined signal handlers. These handlers begin
with do_*. For example do_expose(), do_show() or do_clicked().
move.py
#!/usr/bin/python
import gtk
import gobject
class PyApp(gtk.Window):
__gsignals__ = {
"configure-event" : "override"
}
def __init__(self):
super(PyApp, self).__init__()
self.set_size_request(200, 150)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
When we move or resize a window, the X server sends configure events. These
are then transformed into configure-event signals.
In our code example, we display the x, y coordinates of the top-left corner
of the window in the titlebar. We could simply connect a signal handler
to the configure-event signal. But we take a different strategy. We
override the default class handler, where we implement the logic needed.
__gsignals__ = {
"configure-event" : "override"
}
Signals of a button
buttonsignals.py
#!/usr/bin/python
# ZetCode PyGTK tutorial
#
# This program shows various signals
# of a button widget
# It emits a button-release-event which
# triggers a released singal
#
# author: jan bodnar
# website: zetcode.com
# last edited: February 2009
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Signals")
self.set_size_request(250, 200)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
fixed = gtk.Fixed()
self.quit = gtk.Button("Quit")
self.quit.connect("pressed", self.on_pressed)
self.quit.connect("released", self.on_released)
self.quit.connect("clicked", self.on_clicked)
self.quit.set_size_request(80, 35)
self.add(fixed)
self.show_all()
self.emit_signal()
def emit_signal(self):
event = gtk.gdk.Event(gtk.gdk.BUTTON_RELEASE)
event.button = 1
event.window = self.quit.window
event.send_event = True
self.quit.emit("button-release-event", event)
A button can emit more than just one type of signal. We work with three
of them. The clicked, pressed and released signals. We also show, how an
event signal triggers another signal.
self.quit.connect("pressed", self.on_pressed)
self.quit.connect("released", self.on_released)
self.quit.connect("clicked", self.on_clicked)
self.emit_signal()
def emit_signal(self):
event = gtk.gdk.Event(gtk.gdk.BUTTON_RELEASE)
event.button = 1
event.window = self.quit.window
event.send_event = True
self.quit.emit("button-release-event", event)
block.py
#!/usr/bin/python
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Blocking a callback")
self.set_size_request(250, 180)
self.set_position(gtk.WIN_POS_CENTER)
fixed = gtk.Fixed()
button = gtk.Button("Click")
button.set_size_request(80, 35)
self.id = button.connect("clicked", self.on_clicked)
fixed.put(button, 30, 50)
check = gtk.CheckButton("Connect")
check.set_active(True)
check.connect("clicked", self.toggle_blocking, button)
fixed.put(check, 130, 50)
self.connect("destroy", gtk.main_quit)
self.add(fixed)
self.show_all()
PyApp()
gtk.main()
In the code example, we have a button and a check box. We show "clicked"
text in the console, when we click on the button and the check box is active.
The check box blocks/unblocks a handler method from the button clicked
signal.
The connect() method returns a handler id. This id is used to block and
unblock the handler.
Widgets in PyGTK
In this part of the PyGTK programming tutorial, we will introduce some
PyGTK widgets.
Widgets are basic building blocks of a GUI application. Over the years,
several widgets became a standard in all toolkits on all OS platforms.
For example a button, a check box or a scroll bar. The PyGTK toolkit's
philosophy is to keep the number of widgets at a minimum level. More
specialized widgets are created as custom PyGTK widgets.
Label
label.py
#!/usr/bin/python
import gtk
I cheated myself
like I knew I would
I told ya, I was trouble
you know that I'm no good"""
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_position(gtk.WIN_POS_CENTER)
self.set_border_width(8)
self.connect("destroy", gtk.main_quit)
self.set_title("You know I'm no Good")
label = gtk.Label(lyrics)
self.add(label)
self.show_all()
PyApp()
gtk.main()
self.set_border_width(8)
label = gtk.Label(lyrics)
self.add(label)
CheckButton
CheckButton is a widget, that has two states. On and Off. The On state
is visualised by a check mark. It is used to denote some boolean property.
checkbutton.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Check Button")
self.set_position(gtk.WIN_POS_CENTER)
self.set_default_size(250, 200)
fixed = gtk.Fixed()
button = gtk.CheckButton("Show title")
button.set_active(True)
button.unset_flags(gtk.CAN_FOCUS)
button.connect("clicked", self.on_clicked)
self.connect("destroy", gtk.main_quit)
self.add(fixed)
self.show_all()
PyApp()
gtk.main()
button.set_active(True)
if widget.get_active():
self.set_title("Check Button")
else:
self.set_title("")
Figure: CheckButton
ComboBox
ComboBox is a widget that allows the user to choose from a list of options.
combobox.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("ComboBox")
self.set_default_size(250, 200)
self.set_position(gtk.WIN_POS_CENTER)
cb = gtk.combo_box_new_text()
cb.connect("changed", self.on_changed)
cb.append_text('Ubuntu')
cb.append_text('Mandriva')
cb.append_text('Redhat')
cb.append_text('Gentoo')
cb.append_text('Mint')
fixed = gtk.Fixed()
fixed.put(cb, 50, 30)
self.label = gtk.Label("-")
fixed.put(self.label, 50, 140)
self.add(fixed)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
The example shows a combo box and a label. The combo box has a list of
six options. These are the names of Linux Distros. The label widget shows
the selected option from the combo box.
cb = gtk.combo_box_new_text()
cb.append_text('Ubuntu')
cb.append_text('Mandriva')
cb.append_text('Redhat')
cb.append_text('Gentoo')
cb.append_text('Mint')
self.label.set_label(widget.get_active_text())
Inside the on_changed() method, we get the selected text out of the combo
box and set it to the label.
Figure: ComboBox
Image
The next example introduces the Image widget. This widget displays
pictures.
image.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Red Rock")
self.set_position(gtk.WIN_POS_CENTER)
self.set_border_width(2)
image = gtk.Image()
image.set_from_file("redrock.png")
self.connect("destroy", gtk.main_quit)
self.add(image)
self.show_all()
PyApp()
gtk.main()
image = gtk.Image()
image.set_from_file("redrock.png")
We set a png image to the Image widget. The picture is loaded from the
file on the disk.
Figure: Image
In this chapter, we showed the first pack of basic widgets of the PyGTK
programming library.
Widgets II in PyGTK
In this part of the PyGTK programming tutorial, we continue introducing
PyGTK widgets.
Entry
The Entry is a single line text entry field. This widget is used to enter
textual data.
entry.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Entry")
self.set_size_request(250, 200)
self.set_position(gtk.WIN_POS_CENTER)
fixed = gtk.Fixed()
self.label = gtk.Label("...")
fixed.put(self.label, 60, 40)
entry = gtk.Entry()
entry.add_events(gtk.gdk.KEY_RELEASE_MASK)
fixed.put(entry, 60, 100)
entry.connect("key-release-event", self.on_key_release)
self.connect("destroy", gtk.main_quit)
self.add(fixed)
self.show_all()
PyApp()
gtk.main()
This example shows an entry widget and a label. The text that we key in
the entry is displayed immediately in the label control.
entry = gtk.Entry()
entry.connect("key-release-event", self.on_key_release)
We get the text from the Entry widget and set it to the label.
hscale.py
#!/usr/bin/python
import gtk
import sys
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Scale")
self.set_size_request(260, 150)
self.set_position(gtk.WIN_POS_CENTER)
scale = gtk.HScale()
scale.set_range(0, 100)
scale.set_increments(1, 10)
scale.set_digits(0)
scale.set_size_request(160, 35)
scale.connect("value-changed", self.on_changed)
self.load_pixbufs()
self.image = gtk.Image()
self.image.set_from_pixbuf(self.mutp)
fix = gtk.Fixed()
fix.put(scale, 20, 40)
fix.put(self.image, 219, 50)
self.add(fix)
def load_pixbufs(self):
try:
self.mutp = gtk.gdk.pixbuf_new_from_file("mute.png")
self.minp = gtk.gdk.pixbuf_new_from_file("min.png")
self.medp = gtk.gdk.pixbuf_new_from_file("med.png")
self.maxp = gtk.gdk.pixbuf_new_from_file("max.png")
except Exception, e:
print "Error reading Pixbufs"
print e.message
sys.exit(1)
if val == 0:
self.image.set_from_pixbuf(self.mutp)
elif val > 0 and val <= 30:
self.image.set_from_pixbuf(self.minp)
elif val > 30 and val < 80:
self.image.set_from_pixbuf(self.medp)
else:
self.image.set_from_pixbuf(self.maxp)
PyApp()
gtk.main()
In the example above, we have HScale and Image widgets. By dragging the
scale we change the image on the Image widget.
scale = gtk.HScale()
scale.set_range(0, 100)
scale.set_increments(1, 10)
The set_increments() method sets the step and page sizes for the range.
scale.set_digits(0)
We want to have integer values on the scale, so we set the number of decimal
places to zero.
if val == 0:
self.image.set_from_pixbuf(self.mutp)
elif val > 0 and val <= 30:
self.image.set_from_pixbuf(self.minp)
elif val > 30 and val < 80:
self.image.set_from_pixbuf(self.medp)
else:
self.image.set_from_pixbuf(self.maxp)
Depending on the obtained value, we change the picture in the image widget.
ToggleButton
ToggleButton is a button that has two states. Pressed and not pressed.
You toggle between these two states by clicking on it. There are situations
where this functionality fits well.
togglebuttons.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.color = [0, 0, 0]
self.set_title("ToggleButtons")
self.resize(350, 240)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
red = gtk.ToggleButton("Red")
red.set_size_request(80, 35)
red.connect("clicked", self.onred)
green = gtk.ToggleButton("Green")
green.set_size_request(80, 35)
green.connect("clicked", self.ongreen)
blue = gtk.ToggleButton("Blue")
blue.set_size_request(80, 35)
blue.connect("clicked", self.onblue)
self.darea = gtk.DrawingArea()
self.darea.set_size_request(150, 150)
self.darea.modify_bg(gtk.STATE_NORMAL,
gtk.gdk.color_parse("black"))
fixed = gtk.Fixed()
fixed.put(red, 30, 30)
fixed.put(green, 30, 80)
fixed.put(blue, 30, 130)
fixed.put(self.darea, 150, 30)
self.add(fixed)
self.show_all()
self.darea.modify_bg(gtk.STATE_NORMAL,
gtk.gdk.Color(self.color[0],
self.color[1], self.color[2]))
self.darea.modify_bg(gtk.STATE_NORMAL,
gtk.gdk.Color(self.color[0],
self.color[1], self.color[2]))
self.darea.modify_bg(gtk.STATE_NORMAL,
gtk.gdk.Color(self.color[0],
self.color[1], self.color[2]))
PyApp()
gtk.main()
In our example, we show three toggle buttons and a DrawingArea. We set
the background color of the area to black. The togglebuttons will toggle
the red, green and blue parts of the color value. The background color
will depend on which togglebuttons we have pressed.
self.color = [0, 0, 0]
This is the color value that is going to be updated with the toggle buttons.
red = gtk.ToggleButton("Red")
red.set_size_request(80, 35)
red.connect("clicked", self.onred)
The ToggleButton widget is created. We set it's size to 80x35 pixels. Each
of the toggle buttons has it's own handler method.
self.darea = gtk.DrawingArea()
self.darea.set_size_request(150, 150)
self.darea.modify_bg(gtk.STATE_NORMAL, gtk.gdk.color_parse("black"))
The DrawingArea widget is the widget, that displays the color, mixed by
the toggle buttons. At start, it shows black color.
if widget.get_active():
self.color[0] = 65535
else: self.color[0] = 0
self.darea.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(self.color[0],
self.color[1], self.color[2]))
Calendar
Our final widget is the Calendar widget. It is used to work with dates.
calendar.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Calendar")
self.set_size_request(300, 270)
self.set_position(gtk.WIN_POS_CENTER)
self.set_border_width(2)
self.label = gtk.Label("...")
calendar = gtk.Calendar()
calendar.connect("day_selected", self.on_day_selected)
fix = gtk.Fixed()
fix.put(calendar, 20, 20)
fix.put(self.label, 40, 230)
self.add(fix)
self.connect("destroy", gtk.main_quit)
self.show_all()
PyApp()
gtk.main()
We have the Calendar widget and a Label. The selected day from the calendar
is shown in the label.
calendar = gtk.Calendar()
Figure: Calendar
In this chapter of the PyGTK tutorial, we finished talking about the PyGTK
widgets.
IconView
iconview.py
#!/usr/bin/python
import gtk
import os
COL_PATH = 0
COL_PIXBUF = 1
COL_IS_DIRECTORY = 2
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_size_request(650, 400)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.set_title("IconView")
self.current_directory = '/'
self.upButton = gtk.ToolButton(gtk.STOCK_GO_UP);
self.upButton.set_is_important(True)
self.upButton.set_sensitive(False)
toolbar.insert(self.upButton, -1)
homeButton = gtk.ToolButton(gtk.STOCK_HOME)
homeButton.set_is_important(True)
toolbar.insert(homeButton, -1)
self.fileIcon = self.get_icon(gtk.STOCK_FILE)
self.dirIcon = self.get_icon(gtk.STOCK_OPEN)
sw = gtk.ScrolledWindow()
sw.set_shadow_type(gtk.SHADOW_ETCHED_IN)
sw.set_policy(gtk.POLICY_AUTOMATIC, gtk.POLICY_AUTOMATIC)
vbox.pack_start(sw, True, True, 0)
self.store = self.create_store()
self.fill_store()
iconView = gtk.IconView(self.store)
iconView.set_selection_mode(gtk.SELECTION_MULTIPLE)
self.upButton.connect("clicked", self.on_up_clicked)
homeButton.connect("clicked", self.on_home_clicked)
iconView.set_text_column(COL_PATH)
iconView.set_pixbuf_column(COL_PIXBUF)
iconView.connect("item-activated", self.on_item_activated)
sw.add(iconView)
iconView.grab_focus()
self.add(vbox)
self.show_all()
def create_store(self):
store = gtk.ListStore(str, gtk.gdk.Pixbuf, bool)
store.set_sort_column_id(COL_PATH, gtk.SORT_ASCENDING)
return store
def fill_store(self):
self.store.clear()
if self.current_directory == None:
return
for fl in os.listdir(self.current_directory):
if not fl[0] == '.':
if os.path.isdir(os.path.join(self.current_directory,
fl)):
self.store.append([fl, self.dirIcon, True])
else:
self.store.append([fl, self.fileIcon, False])
model = widget.get_model()
path = model[item][COL_PATH]
isDir = model[item][COL_IS_DIRECTORY]
if not isDir:
return
PyApp()
gtk.main()
self.current_directory = '/'
def create_store(self):
store = gtk.ListStore(str, gtk.gdk.Pixbuf, bool)
store.set_sort_column_id(COL_PATH, gtk.SORT_ASCENDING)
return store
In the fill_store() method, we fill the list store with data. Here, we
find out all directories in the current path. We exclude the invisible
directories, which begin with '.'.
model = widget.get_model()
path = model[item][COL_PATH]
isDir = model[item][COL_IS_DIRECTORY]
if not isDir:
return
In case it is a directory, we replace the root with the current path, refill
the store and make the up button sensitive.
def on_up_clicked(self, widget):
self.current_directory = os.path.dirname(self.current_directory)
self.fill_store()
sensitive = True
if self.current_directory == "/": sensitive = False
self.upButton.set_sensitive(sensitive)
Figure: IconView
ListView
In the following example, we use the TreeView widget to show a list view.
Again the ListStore is used to store data.
listview.py
#!/usr/bin/python
import gtk
actresses = [('jessica alba', 'pomona', '1981'), ('sigourney weaver', 'new
york', '1949'),
('angelina jolie', 'los angeles', '1975'), ('natalie portman',
'jerusalem', '1981'),
('rachel weiss', 'london', '1971'), ('scarlett johansson', 'new york',
'1984' )]
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_size_request(350, 250)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.set_title("ListView")
vbox = gtk.VBox(False, 8)
sw = gtk.ScrolledWindow()
sw.set_shadow_type(gtk.SHADOW_ETCHED_IN)
sw.set_policy(gtk.POLICY_AUTOMATIC, gtk.POLICY_AUTOMATIC)
store = self.create_model()
treeView = gtk.TreeView(store)
treeView.connect("row-activated", self.on_activated)
treeView.set_rules_hint(True)
sw.add(treeView)
self.create_columns(treeView)
self.statusbar = gtk.Statusbar()
self.add(vbox)
self.show_all()
def create_model(self):
store = gtk.ListStore(str, str, str)
return store
rendererText = gtk.CellRendererText()
column = gtk.TreeViewColumn("Name", rendererText, text=0)
column.set_sort_column_id(0)
treeView.append_column(column)
rendererText = gtk.CellRendererText()
column = gtk.TreeViewColumn("Place", rendererText, text=1)
column.set_sort_column_id(1)
treeView.append_column(column)
rendererText = gtk.CellRendererText()
column = gtk.TreeViewColumn("Year", rendererText, text=2)
column.set_sort_column_id(2)
treeView.append_column(column)
model = widget.get_model()
text = model[row][0] + ", " + model[row][1] + ", " + model[row][2]
self.statusbar.push(0, text)
PyApp()
gtk.main()
def create_model(self):
store = gtk.ListStore(str, str, str)
return store
In the create_model() method, we create the list store. The list store
has three parameters. The name of the actress, the place of born and year
of born. This is the data model of our TreeView widget.
treeView = gtk.TreeView(store)
treeView.connect("row-activated", self.on_activated)
treeView.set_rules_hint(True)
Here we create the TreeView widget, taking the list store as a parameter.
set_rules_hint() method changes the background color of the every second
row in the TreeView widget.
rendererText = gtk.CellRendererText()
model = widget.get_model()
text = model[row][0] + ", " + model[row][1] + ", " + model[row][2]
self.statusbar.push(0, text)
Figure: ListView
Tree
In the last example of this chapter, we use the TreeView widget to show
a hierarchical tree of data.
tree.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_size_request(400, 300)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.set_title("Tree")
tree = gtk.TreeView()
languages = gtk.TreeViewColumn()
languages.set_title("Programming languages")
cell = gtk.CellRendererText()
languages.pack_start(cell, True)
languages.add_attribute(cell, "text", 0)
treestore = gtk.TreeStore(str)
tree.append_column(languages)
tree.set_model(treestore)
self.add(tree)
self.show_all()
PyApp()
gtk.main()
tree = gtk.TreeView()
TreeView widget is created.
languages = gtk.TreeViewColumn()
languages.set_title("Programming languages")
cell = gtk.CellRendererText()
languages.pack_start(cell, True)
languages.add_attribute(cell, "text", 0)
treestore = gtk.TreeStore(str)
We append data to the tree. The TreeIter object is used for accessing data
in a row.
tree.append_column(languages)
tree.set_model(treestore)
Dialogs in PyGTK
In this part of the PyGTK programming tutorial, we will introduce dialogs.
Message dialogs
Message dialogs are convenient dialogs that provide messages to the user
of the application. The message consists of textual and image data.
messages.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_size_request(250, 100)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.set_title("Message dialogs")
info = gtk.Button("Information")
warn = gtk.Button("Warning")
ques = gtk.Button("Question")
erro = gtk.Button("Error")
info.connect("clicked", self.on_info)
warn.connect("clicked", self.on_warn)
ques.connect("clicked", self.on_ques)
erro.connect("clicked", self.on_erro)
table.attach(info, 0, 1, 0, 1)
table.attach(warn, 1, 2, 0, 1)
table.attach(ques, 0, 1, 1, 2)
table.attach(erro, 1, 2, 1, 2)
self.add(table)
self.show_all()
info = gtk.Button("Information")
warn = gtk.Button("Warning")
ques = gtk.Button("Question")
erro = gtk.Button("Error")
We have four buttons. Each of these buttons will show a different kind
of message dialog.
md = gtk.MessageDialog(self,
gtk.DIALOG_DESTROY_WITH_PARENT, gtk.MESSAGE_INFO,
gtk.BUTTONS_CLOSE, "Download completed")
md.run()
md.destroy()
aboutdialog.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_size_request(300, 150)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.set_title("About battery")
button = gtk.Button("About")
button.set_size_request(80, 30)
button.connect("clicked", self.on_clicked)
fix = gtk.Fixed()
fix.put(button, 20, 20)
self.add(fix)
self.show_all()
about = gtk.AboutDialog()
We create an AboutDialog.
about = gtk.AboutDialog()
about.set_program_name("Battery")
about.set_version("0.1")
about.set_copyright("(c) Jan Bodnar")
about.set_logo(gtk.gdk.pixbuf_new_from_file("battery.png"))
Figure: AboutDialog
FontSelectionDialog
fontdialog.py
#!/usr/bin/python
import gtk
import pango
class PyApp(gtk.Window):
def __init__(self):
gtk.Window.__init__(self)
self.set_size_request(300, 150)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.set_title("Font Selection Dialog")
fix = gtk.Fixed()
fix.put(button, 100, 30)
fix.put(self.label, 30, 90)
self.add(fix)
self.show_all()
if response == gtk.RESPONSE_OK:
font_desc = pango.FontDescription(fdia.get_font_name())
if font_desc:
self.label.modify_font(font_desc)
fdia.destroy()
PyApp()
gtk.main()
If we click on the OK button, the font of the label widget changes to the
one, that we selected in the dialog.
Figure: FontSelectionDialog
ColorSelectionDialog
colordialog.py
#!/usr/bin/python
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_size_request(300, 150)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.set_title("Color Selection Dialog")
fix = gtk.Fixed()
fix.put(button, 100, 30)
fix.put(self.label, 30, 90)
self.add(fix)
self.show_all()
if response == gtk.RESPONSE_OK:
colorsel = cdia.colorsel
color = colorsel.get_current_color()
self.label.modify_fg(gtk.STATE_NORMAL, color)
cdia.destroy()
PyApp()
gtk.main()
The example is very similar to the previous one. This time we change the
color of the label.
if response == gtk.RESPONSE_OK:
colorsel = cdia.colorsel
color = colorsel.get_current_color()
self.label.modify_fg(gtk.STATE_NORMAL, color)
If the user pressed OK, we get the color and modify the label's color.
Figure: ColorSelectionDialog
Pango
In this part of the PyGTK programming tutorial, we will explore the Pango
library.
Pango provides advanced font and text handling that is used for Gdk and
Gtk.
Simple example
In our first example, we show, how to change font for our label widget.
quotes.py
#!/usr/bin/python
import gtk
import pango
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.connect("destroy", gtk.main_quit)
self.set_title("Quotes")
label = gtk.Label(quotes)
gtk.gdk.beep()
fix = gtk.Fixed()
fix.put(label, 5, 5)
self.add(fix)
self.set_position(gtk.WIN_POS_CENTER)
self.show_all()
PyApp()
gtk.main()
In the above code example, we have a label widget with three quotations.
We change it's font to Purisa 10.
label.modify_font(fontdesc)
Figure: Quotations
System fonts
The next code example shows all available fonts in a TreeView widget.
systemfonts.py
#!/usr/bin/python
import gtk
import pango
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_size_request(350, 250)
self.set_border_width(8)
self.connect("destroy", gtk.main_quit)
self.set_title("System fonts")
sw = gtk.ScrolledWindow()
sw.set_shadow_type(gtk.SHADOW_ETCHED_IN)
sw.set_policy(gtk.POLICY_AUTOMATIC, gtk.POLICY_AUTOMATIC)
context = self.create_pango_context()
self.fam = context.list_families()
store = self.create_model()
treeView = gtk.TreeView(store)
treeView.set_rules_hint(True)
sw.add(treeView)
self.create_column(treeView)
self.add(sw)
self.set_position(gtk.WIN_POS_CENTER)
self.show_all()
def create_model(self):
store = gtk.ListStore(str)
for ff in self.fam:
store.append([ff.get_name()])
return store
PyApp()
gtk.main()
context = self.create_pango_context()
self.fam = context.list_families()
for ff in self.fam:
store.append([ff.get_name()])
During the model creation of the TreeView widget, we get all font names
from the array of font families and put them into the list store.
Figure: System fonts
Unicode
unicode.py
#!/usr/bin/python
# -*- coding: utf-8 -*-
import gtk
import pango
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.connect("destroy", gtk.main_quit)
self.set_title("Unicode")
label = gtk.Label(obj.encode('utf-8'))
fix = gtk.Fixed()
fix.put(label, 5, 5)
self.add(fix)
self.set_position(gtk.WIN_POS_CENTER)
self.show_all()
PyApp()
gtk.main()
Attributes
attributes.py
#!/usr/bin/python
import gtk
import pango
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.connect("destroy", gtk.main_quit)
self.set_title("Attributes")
label = gtk.Label(text)
attr = pango.AttrList()
fg_color = pango.AttrForeground(65535, 0, 0, 0, 6)
underline = pango.AttrUnderline(pango.UNDERLINE_DOUBLE, 7, 11)
bg_color = pango.AttrBackground(40000, 40000, 40000, 12, 19)
strike = pango.AttrStrikethrough(True, 20, 29)
size = pango.AttrSize(30000, 0, -1)
attr.insert(fg_color)
attr.insert(underline)
attr.insert(bg_color)
attr.insert(size)
attr.insert(strike)
label.set_attributes(attr)
fix = gtk.Fixed()
fix.put(label, 5, 5)
self.add(fix)
self.set_position(gtk.WIN_POS_CENTER)
self.show_all()
PyApp()
gtk.main()
In the code example we show four different attributes applied on the text.
attr = pango.AttrList()
fg_color = pango.AttrForeground(65535, 0, 0, 0, 6)
Here we create an attribute that will render text in red color. The first
three parameters are the R, G, B values of a color. The last two parameters
are the start and end indexes of the text, to which we apply this attribute.
label.set_attributes(attr)
Pango
In this part of the PyGTK programming tutorial, we will continue exploring
the Pango library.
Animated text
animation.py
#!/usr/bin/python
import gtk
import glib
import pango
import math
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.connect("destroy", gtk.main_quit)
glib.timeout_add(160, self.on_timer)
self.count = 1
self.set_border_width(10)
self.set_title("ZetCode")
self.label = gtk.Label("ZetCode")
vbox = gtk.VBox(False, 0)
vbox.add(self.label)
self.add(vbox)
self.set_size_request(300, 250)
self.set_position(gtk.WIN_POS_CENTER)
self.show_all()
def on_timer(self):
attr = pango.AttrList()
self.count = self.count + 1
for i in range(7):
r = pango.AttrRise(int(math.sin(self.count+i)*20)*pango.SCALE,
i, i+1)
attr.insert(r)
self.label.set_attributes(attr)
return True
PyApp()
gtk.main()
self.label = gtk.Label("ZetCode")
We create a label widget and modify its font. We choose a bit larger text
for better visibility.
vbox = gtk.VBox(False, 0)
vbox.add(self.label)
We put the label into the vertical box. This centers the label on the
window.
for i in range(7):
r = pango.AttrRise(int(math.sin(self.count+i)*20)*pango.SCALE, i,
i+1)
attr.insert(r)
Also notice the pango.SCALE constant. The pango library has its own units.
They differ from what is used by the widgets to draw graphics or text.
We must multiply our numbers by this constant.
Figure: Animated text
We can change the attributes of the text using the built-in markup
language.
markup.py
#!/usr/bin/python
import gtk
import pango
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Markup")
self.set_border_width(5)
self.connect("destroy", gtk.main_quit)
label = gtk.Label()
label.set_markup(quote)
vbox = gtk.VBox(False, 0)
vbox.add(label)
self.add(vbox)
self.set_position(gtk.WIN_POS_CENTER)
self.show_all()
PyApp()
gtk.main()
In the code example, we have a label. We change the it's text attributes
with the markup language.
label = gtk.Label()
label.set_markup(quote)
Pango layout
layout.py
#!/usr/bin/python
import gtk
import pango
I cheated myself
like I knew I would
I told ya, I was trouble
you know that I'm no good"""
class Area(gtk.DrawingArea):
def __init__(self):
super(Area, self).__init__()
self.modify_bg(gtk.STATE_NORMAL, gtk.gdk.Color(16400, 16400,
16440))
self.connect("expose_event", self.expose)
gc = self.get_style().fg_gc[gtk.STATE_NORMAL]
font_desc = pango.FontDescription('Sans 10')
layout = self.create_pango_layout(lyrics)
width, height = self.get_size_request()
attr = pango.AttrList()
self.window.draw_layout(gc, 0, 5, layout)
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.connect("destroy", gtk.main_quit)
self.set_title("You know I'm no Good")
self.add(Area())
self.set_size_request(300, 300)
self.set_position(gtk.WIN_POS_CENTER)
self.show_all()
PyApp()
gtk.main()
gc = self.get_style().fg_gc[gtk.STATE_NORMAL]
layout = self.create_pango_layout(lyrics)
layout.set_width(pango.SCALE * self.allocation.width)
layout.set_spacing(pango.SCALE * 3)
layout.set_alignment(pango.ALIGN_CENTER)
layout.set_font_description(font_desc)
layout.set_attributes(attr)
We modify layout's width, spacing, alignment, font and set text
attributes.
self.window.draw_layout(gc, 0, 5, layout)
Figure: Layout
The stroke operation draws the outlines of shapes and the fill operation
fills the insides of shapes. Next we will demonstrate these two
operations.
simpledrawing.py
#!/usr/bin/python
import gtk
import math
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Simple drawing")
self.resize(230, 150)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
self.add(darea)
self.show_all()
cr = widget.window.cairo_create()
cr.set_line_width(9)
cr.set_source_rgb(0.7, 0.2, 0.0)
w = self.allocation.width
h = self.allocation.height
cr.translate(w/2, h/2)
cr.arc(0, 0, 50, 0, 2*math.pi)
cr.stroke_preserve()
PyApp()
gtk.main()
In our example, we will draw a circle and will it with a solid color.
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
cr = widget.window.cairo_create()
We create the cairo context object from the gdk.Window of the drawing area.
The context is an object that is used to draw on all Drawable objects.
cr.set_line_width(9)
w = self.allocation.width
h = self.allocation.height
cr.translate(w/2, h/2)
We get the width and height of the drawing area. We move the origin into
the middle of the window.
This fills the interior of the circle with some blue color.
Basic shapes
The next example draws some basic shapes onto the window.
basicshapes.py
#!/usr/bin/python
import gtk
import math
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Basic shapes")
self.set_size_request(390, 240)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
self.add(darea)
self.show_all()
cr = widget.window.cairo_create()
cr.set_source_rgb(0.6, 0.6, 0.6)
cr.translate(220, 180)
cr.scale(1, 0.7)
cr.arc(0, 0, 50, 0, 2*math.pi)
cr.fill()
PyApp()
gtk.main()
cr.scale(1, 0.7)
cr.arc(0, 0, 50, 0, 2*math.pi)
cr.fill()
colors.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Colors")
self.resize(360, 100)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
self.add(darea)
self.show_all()
cr = widget.window.cairo_create()
PyApp()
gtk.main()
The set_source_rgb() method sets a color for the cairo context. The three
parameters of the method are the color intensity values.
Figure: Colors
Transparent rectangles
transparentrectangles.py
#!/usr/bin/python
import gtk
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Transparent rectangles")
self.resize(590, 90)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
self.add(darea)
self.show_all()
cr = widget.window.cairo_create()
PyApp()
gtk.main()
cr.set_source_rgba(0, 0, 1, i*0.1)
Soulmate
soulmate.py
#!/usr/bin/python
import gtk
import cairo
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Soulmate")
self.set_size_request(370, 240)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
self.add(darea)
self.show_all()
cr = widget.window.cairo_create()
cr.select_font_face("Purisa", cairo.FONT_SLANT_NORMAL,
cairo.FONT_WEIGHT_NORMAL)
cr.set_font_size(13)
cr.move_to(20, 30)
cr.show_text("Most relationships seem so transitory")
cr.move_to(20, 60)
cr.show_text("They're all good but not the permanent one")
cr.move_to(20, 120)
cr.show_text("Who doesn't long for someone to hold")
cr.move_to(20, 150)
cr.show_text("Who knows how to love without being told")
cr.move_to(20, 180)
cr.show_text("Somebody tell me why I'm on my own")
cr.move_to(20, 210)
cr.show_text("If there's a soulmate for everyone")
PyApp()
gtk.main()
We display part of the lyrics from the Natasha Bedingfields Soulmate song.
cr.select_font_face("Purisa", cairo.FONT_SLANT_NORMAL,
cairo.FONT_WEIGHT_NORMAL)
cr.set_font_size(13)
cr.move_to(20, 30)
Figure: Soulmate
Donut
donut.py
#!/usr/bin/python
import gtk
import math
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Donut")
self.set_size_request(350, 250)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
self.add(darea)
self.show_all()
cr.set_line_width(0.5)
w = self.allocation.width
h = self.allocation.height
cr.translate(w/2, h/2)
cr.arc(0, 0, 120, 0, 2*math.pi)
cr.stroke()
for i in range(36):
cr.save()
cr.rotate(i*math.pi/36)
cr.scale(0.3, 1)
cr.arc(0, 0, 120, 0, 2*math.pi)
cr.restore()
cr.stroke()
PyApp()
gtk.main()
cr.translate(w/2, h/2)
cr.arc(0, 0, 120, 0, 2*math.pi)
cr.stroke()
for i in range(36):
cr.save()
cr.rotate(i*math.pi/36)
cr.scale(0.3, 1)
cr.arc(0, 0, 120, 0, 2*math.pi)
cr.restore()
cr.stroke()
Gradients
gradients.py
#!/usr/bin/python
import gtk
import cairo
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Gradients")
self.set_size_request(340, 390)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
self.add(darea)
self.show_all()
cr = widget.window.cairo_create()
lg1 = cairo.LinearGradient(0.0, 0.0, 350.0, 350.0)
count = 1
i = 0.1
while i < 1.0:
if count % 2:
lg1.add_color_stop_rgba(i, 0, 0, 0, 1)
else:
lg1.add_color_stop_rgba(i, 1, 0, 0, 1)
i = i + 0.1
count = count + 1
count = 1
i = 0.05
while i < 0.95:
if count % 2:
lg2.add_color_stop_rgba(i, 0, 0, 0, 1)
else:
lg2.add_color_stop_rgba(i, 0, 0, 1, 1)
i = i + 0.025
count = count + 1
PyApp()
gtk.main()
Here we create a linear gradient pattern. The parameters specify the line,
along which we draw the gradient. In our case it is a vertical line.
We define color stops to produce our gradient pattern. In this case, the
gradient is a blending of black and yellow colors. By adding two black
and one yellow stops, we create a horizontal gradient pattern. What do
these stops actually mean? In our case, we begin with black color, which
will stop at 1/10 of the size. Then we begin to gradually paint in yellow,
which will culminate at the centre of the shape. The yellow color stops
at 9/10 of the size, where we begin painting in black again, until the
end.
Figure: Gradients
Puff
In the following example, we create a puff effect. The example will display
a growing centered text, that will gradually fade out from some point.
This is a very common effect, which you can often see in flash animations.
puff.py
#!/usr/bin/python
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Puff")
self.resize(350, 200)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.darea = gtk.DrawingArea()
self.darea.connect("expose-event", self.expose)
self.add(self.darea)
self.timer = True
self.alpha = 1.0
self.size = 1.0
glib.timeout_add(14, self.on_timer)
self.show_all()
def on_timer(self):
if not self.timer: return False
self.darea.queue_draw()
return True
cr = widget.window.cairo_create()
w = self.allocation.width
h = self.allocation.height
cr.set_source_rgb(0.5, 0, 0)
cr.paint()
cr.select_font_face("Courier", cairo.FONT_SLANT_NORMAL,
cairo.FONT_WEIGHT_BOLD)
cr.set_font_size(self.size)
cr.set_source_rgb(1, 1, 1)
if self.alpha <= 0:
self.timer = False
PyApp()
gtk.main()
glib.timeout_add(14, self.on_timer)
def on_timer(self):
if not self.timer: return False
self.darea.queue_draw()
return True
In the on_timer() method, we call the queue_draw() method upon the drawing
area, which triggers the expose signal.
cr.set_source_rgb(0.5, 0, 0)
cr.paint()
We set the background color to dark red color.
The fading out begins after the font size is bigger than 20.
cr.text_path("ZetCode")
cr.clip()
We get the path of the text and set the current clip region to it.
cr.stroke()
cr.paint_with_alpha(self.alpha)
We paint the current path and take alpha value into account.
Figure: Puff
Reflection
In the next example we show a reflected image. This beautiful effect makes
an illusion as if the image was reflected in water.
reflection.py
#!/usr/bin/python
# -*- coding: utf-8 -*-
import gtk
import cairo
import sys
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Reflection")
self.resize(300, 350)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
darea = gtk.DrawingArea()
darea.connect("expose-event", self.expose)
self.add(darea)
try:
self.surface =
cairo.ImageSurface.create_from_png("slanec.png")
except Exception, e:
print e.message
sys.exit(1)
self.imageWidth = self.surface.get_width()
self.imageHeight = self.surface.get_height()
self.gap = 40
self.border = 20
self.show_all()
cr = widget.window.cairo_create()
w = self.allocation.width
h = self.allocation.height
cr.set_source(lg)
cr.paint()
alpha = 0.7
step = 1.0 / self.imageHeight
i = 0
cr.rectangle(self.border, self.imageHeight-i,
self.imageWidth, 1)
i = i + 1
cr.save()
cr.clip()
cr.set_source_surface(self.surface, self.border,
self.border)
alpha = alpha - step
cr.paint_with_alpha(alpha)
cr.restore()
PyApp()
gtk.main()
cr.set_source(lg)
cr.paint()
This code flips the image and translates it below the original image. The
translation operation is necessary, because the scaling operation makes
the image upside down and translates the image up. To understand what
happens, simply take a photograph and place it on the table. Now flip it.
i = i + 1
cr.save()
cr.clip()
cr.set_source_surface(self.surface, self.border, self.border)
alpha = alpha - step
cr.paint_with_alpha(alpha)
cr.restore()
Crucial part of the code. We make the second image transparent. But the
transparency is not constant. The image gradually fades out. This is
achieved with the gradient.
Figure: Reflection
Waiting
waiting.py
#!/usr/bin/python
import gtk
import glib
import math
import cairo
trs = (
( 0.0, 0.15, 0.30, 0.5, 0.65, 0.80, 0.9, 1.0 ),
( 1.0, 0.0, 0.15, 0.30, 0.5, 0.65, 0.8, 0.9 ),
( 0.9, 1.0, 0.0, 0.15, 0.3, 0.5, 0.65, 0.8 ),
( 0.8, 0.9, 1.0, 0.0, 0.15, 0.3, 0.5, 0.65 ),
( 0.65, 0.8, 0.9, 1.0, 0.0, 0.15, 0.3, 0.5 ),
( 0.5, 0.65, 0.8, 0.9, 1.0, 0.0, 0.15, 0.3 ),
( 0.3, 0.5, 0.65, 0.8, 0.9, 1.0, 0.0, 0.15 ),
( 0.15, 0.3, 0.5, 0.65, 0.8, 0.9, 1.0, 0.0, )
)
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Waiting")
self.set_size_request(250, 150)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.darea = gtk.DrawingArea()
self.darea.connect("expose-event", self.expose)
self.add(self.darea)
self.count = 0
glib.timeout_add(100, self.on_timer)
self.show_all()
def on_timer(self):
self.count = self.count + 1
self.darea.queue_draw()
return True
cr = widget.window.cairo_create()
cr.set_line_width(3)
cr.set_line_cap(cairo.LINE_CAP_ROUND)
w = self.allocation.width
h = self.allocation.height
cr.translate(w/2, h/2)
for i in range(8):
cr.set_source_rgba(0, 0, 0, trs[self.count%8][i])
cr.move_to(0.0, -10.0)
cr.line_to(0.0, -40.0)
cr.rotate(math.pi/4)
cr.stroke()
PyApp()
gtk.main()
glib.timeout_add(100, self.on_timer)
trs = (
( 0.0, 0.15, 0.30, 0.5, 0.65, 0.80, 0.9, 1.0 ),
...
)
We make the lines a bit thicker, so that they are better visible. We draw
the lines with rouded caps. They look then better.
cr.set_source_rgba(0, 0, 0, trs[self.count%8][i]
cr.move_to(0.0, -10.0)
cr.line_to(0.0, -40.0)
cr.rotate(math.pi/4)
cr.stroke()
Figure: Waiting
In this chapter of the PyGTK programming library, we did some more advanced
drawing with the Cairo library.
Snake is an older classic video game. It was first created in late 70s.
Later it was brought to PCs. In this game the player controls a snake.
The objective is to eat as many apples as possible. Each time the snake
eats an apple, its body grows. The snake must avoid the walls and its own
body. This game is sometimes called Nibbles.
Development
The size of each of the joints of a snake is 10px. The snake is controlled
with the cursor keys. Initially the snake has three joints. The game starts
immediately. If the game is finished, we display "Game Over" message in
the middle of the Board.
snake.py
#!/usr/bin/python
import sys
import gtk
import cairo
import random
import glib
WIDTH = 300
HEIGHT = 270
DOT_SIZE = 10
ALL_DOTS = WIDTH * HEIGHT / (DOT_SIZE * DOT_SIZE)
RAND_POS = 26
x = [0] * ALL_DOTS
y = [0] * ALL_DOTS
class Board(gtk.DrawingArea):
def __init__(self):
super(Board, self).__init__()
self.connect("expose-event", self.expose)
self.init_game()
def on_timer(self):
if self.inGame:
self.check_apple()
self.check_collision()
self.move()
self.queue_draw()
return True
else:
return False
def init_game(self):
self.left = False
self.right = True
self.up = False
self.down = False
self.inGame = True
self.dots = 3
for i in range(self.dots):
x[i] = 50 - i * 10
y[i] = 50
try:
self.dot = cairo.ImageSurface.create_from_png("dot.png")
self.head = cairo.ImageSurface.create_from_png("head.png")
self.apple =
cairo.ImageSurface.create_from_png("apple.png")
except Exception, e:
print e.message
sys.exit(1)
self.locate_apple()
glib.timeout_add(100, self.on_timer)
cr = widget.window.cairo_create()
if self.inGame:
cr.set_source_rgb(0, 0, 0)
cr.paint()
cr.set_source_surface(self.apple, self.apple_x,
self.apple_y)
cr.paint()
for z in range(self.dots):
if (z == 0):
cr.set_source_surface(self.head, x[z], y[z])
cr.paint()
else:
cr.set_source_surface(self.dot, x[z], y[z])
cr.paint()
else:
self.game_over(cr)
w = self.allocation.width / 2
h = self.allocation.height / 2
def move(self):
z = self.dots
while z > 0:
x[z] = x[(z - 1)]
y[z] = y[(z - 1)]
z = z - 1
if self.left:
x[0] -= DOT_SIZE
if self.right:
x[0] += DOT_SIZE
if self.up:
y[0] -= DOT_SIZE
if self.down:
y[0] += DOT_SIZE
def check_collision(self):
z = self.dots
while z > 0:
if z > 4 and x[0] == x[z] and y[0] == y[z]:
self.inGame = False
z = z - 1
if x[0] < 0:
self.inGame = False
def locate_apple(self):
r = random.randint(0, RAND_POS)
self.apple_x = r * DOT_SIZE
r = random.randint(0, RAND_POS)
self.apple_y = r * DOT_SIZE
key = event.keyval
class Snake(gtk.Window):
def __init__(self):
super(Snake, self).__init__()
self.set_title('Snake')
self.set_size_request(WIDTH, HEIGHT)
self.set_resizable(False)
self.set_position(gtk.WIN_POS_CENTER)
self.board = Board()
self.connect("key-press-event", self.on_key_down)
self.add(self.board)
self.connect("destroy", gtk.main_quit)
self.show_all()
key = event.keyval
self.board.on_key_down(event)
Snake()
gtk.main()
The WIDTH and HEIGHT constants determine the size of the Board. The
DOT_SIZE is the size of the apple and the dot of the snake. The ALL_DOTS
constant defines the maximum number of possible dots on the Board. The
RAND_POS constant is used to calculate a random position of an apple. The
DELAY constant determines the speed of the game.
x = [0] * ALL_DOTS
y = [0] * ALL_DOTS
When the game starts, the snake has three joints. And it is heading to
the right.
In the move() method we have the key algorithm of the game. To understand
it, look at how the snakeis moving. You control the head of the snake.
You can change its direction with the cursor keys. The rest of the joints
move one position up the chain. The second joint moves where the first
was, the third joint where the second was etc.
while z > 0:
x[z] = x[(z - 1)]
y[z] = y[(z - 1)]
z = z - 1
if self.left:
x[0] -= DOT_SIZE
while z > 0:
if z > 4 and x[0] == x[z] and y[0] == y[z]:
self.inGame = False
z = z - 1
Finish the game, if the snake hits one of its joints with the head.
Finish the game, if the snake hits the bottom of the Board.
r = random.randint(0, RAND_POS)
We get a random number from 0 to RAND_POS - 1.
self.apple_x = r * DOT_SIZE
...
self.apple_y = r * DOT_SIZE
self.connect("key-press-event", self.on_key_down)
...
key = event.keyval
self.board.on_key_down(event)
We catch the key press event in the Snake class, and delegate the
processing to the board object.
If we hit the left cursor key, we set self.left variable to True. This
variable is used in the move() method to change coordinates of the snake
object. Notice also, that when the snake is heading to the right, we cannot
turn immediately to the left.
Figure: Snake
This was the Snake computer game programmed using PyGTK programming
library.
There are actually two kinds of toolkits. Spartan toolkits and heavy
weight toolkits. The FLTK toolkit is a kind of a spartan toolkit. It
provides only the very basic widgets and assumes, that the programemer
will create the more complicated ones himself. wxWidgets is a heavy weight
one. It has lots of widgets. Yet it does not provide the more specialized
widgets. For example a speed meter widget, a widget that measures the
capacity of a CD to be burned (found e.g. in nero). Toolkits also don't
have usually charts.
Burning widget
burning.py
#!/usr/bin/python
# -*- coding: utf-8 -*-
import gtk
import cairo
class Burning(gtk.DrawingArea):
self.par = parent
super(Burning, self).__init__()
self.set_size_request(-1, 30)
self.connect("expose-event", self.expose)
cr = widget.window.cairo_create()
cr.set_line_width(0.8)
cr.select_font_face("Courier",
cairo.FONT_SLANT_NORMAL, cairo.FONT_WEIGHT_NORMAL)
cr.set_font_size(11)
width = self.allocation.width
self.cur_width = self.par.get_cur_value()
else:
cr.set_source_rgb(1.0, 1.0, 0.72)
cr.rectangle(0, 0, till, 30)
cr.save()
cr.clip()
cr.paint()
cr.restore()
class PyApp(gtk.Window):
def __init__(self):
super(PyApp, self).__init__()
self.set_title("Burning")
self.set_size_request(350, 200)
self.set_position(gtk.WIN_POS_CENTER)
self.connect("destroy", gtk.main_quit)
self.cur_value = 0
vbox = gtk.VBox(False, 2)
scale = gtk.HScale()
scale.set_range(0, 750)
scale.set_digits(0)
scale.set_size_request(160, 40)
scale.set_value(self.cur_value)
scale.connect("value-changed", self.on_changed)
fix = gtk.Fixed()
fix.put(scale, 50, 50)
vbox.pack_start(fix)
self.burning = Burning(self)
vbox.pack_start(self.burning, False, False, 0)
self.add(vbox)
self.show_all()
def get_cur_value(self):
return self.cur_value
PyApp()
gtk.main()
We put a DrawingArea on the bottom of the window and draw the entire widget
manually. All the important code resides in the expose() method of the
Burning class. This widget shows graphically the total capacity of a
medium and the free space available to us. The widget is controlled by
a scale widget. The minimum value of our custom widget is 0, the maximum
is 750. If we reach value 700, we began drawing in red colour. This normally
indicates overburning.
These numbers are shown on the burning widget. They show the capacity of
the medium.
self.cur_width = self.par.get_cur_value()
These two lines get the current number from the scale widget. We get the
parent widget and from the parent widget, we get the current value.
The till parameter determines the total size to be drawn. This value comes
from the slider widget. It is a proportion of the whole area. The full
parameter determines the point, where we begin to draw in red color.
This code here draws the numbers on the burning widget. We calculate the
TextExtents to position the text correctly.
We get the value from the scale widget, store it in the cur_value variable
for later use. We redraw the burning widget.