2006-08-29 11:03:28 +02:00
|
|
|
import os,sys
|
2006-10-09 20:04:39 +02:00
|
|
|
from itertools import izip
|
2006-04-16 20:25:54 +02:00
|
|
|
import pygtk
|
2006-06-01 15:51:16 +02:00
|
|
|
import gobject
|
2006-04-16 20:25:54 +02:00
|
|
|
import gtk
|
2006-10-09 20:04:39 +02:00
|
|
|
import fluents
|
2006-10-17 16:42:27 +02:00
|
|
|
import logger
|
2006-04-16 20:25:54 +02:00
|
|
|
import matplotlib
|
|
|
|
from matplotlib.backends.backend_gtkagg import FigureCanvasGTKAgg as FigureCanvas
|
2006-10-09 20:04:39 +02:00
|
|
|
from matplotlib.backend_bases import NavigationToolbar2,cursors
|
|
|
|
from matplotlib.backends.backend_gtk import FileChooserDialog,cursord
|
2007-01-15 14:47:18 +01:00
|
|
|
from matplotlib.widgets import SubplotTool,RectangleSelector,Lasso
|
|
|
|
from matplotlib.nxutils import points_inside_poly
|
2007-01-17 14:20:04 +01:00
|
|
|
from matplotlib.axes import Subplot, AxesImage
|
2006-04-16 20:25:54 +02:00
|
|
|
from matplotlib.figure import Figure
|
2006-09-18 19:23:34 +02:00
|
|
|
from matplotlib import cm,cbook
|
2007-01-31 13:02:11 +01:00
|
|
|
from pylab import Polygon, axis, Circle
|
2006-09-18 19:23:34 +02:00
|
|
|
from matplotlib.collections import LineCollection
|
|
|
|
from matplotlib.mlab import prctile
|
2006-08-01 15:22:39 +02:00
|
|
|
import networkx
|
2006-10-09 20:04:39 +02:00
|
|
|
import scipy
|
|
|
|
|
|
|
|
# global active mode. Used by toolbars to communicate correct mode
|
2006-10-12 16:58:36 +02:00
|
|
|
active_mode = 'default'
|
2006-04-16 20:25:54 +02:00
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
class ObjectTable:
|
2006-10-17 19:18:46 +02:00
|
|
|
"""A 2D table of elements.
|
|
|
|
An ObjectTable is a resizable two-dimensional array of objects.
|
|
|
|
When resized, it will keep all the elements that fit in the new shape,
|
|
|
|
and forget about other elements. When new elements are needed to fill
|
|
|
|
out the new shape, they will be created.
|
|
|
|
"""
|
2006-05-22 23:43:24 +02:00
|
|
|
|
|
|
|
def __init__(self, xsize=0, ysize=0, creator=None):
|
2006-10-17 19:18:46 +02:00
|
|
|
"""Creates a two-dimensional table of objects.
|
|
|
|
@param xsize: Width of the object table.
|
|
|
|
@param ysize: Height of the object table.
|
|
|
|
@param creator: A function that will be used to instantiate new items.
|
|
|
|
"""
|
2006-05-22 23:43:24 +02:00
|
|
|
self._elements = []
|
|
|
|
self._creator = creator or (lambda : None)
|
|
|
|
self.xsize = xsize
|
|
|
|
self.ysize = ysize
|
|
|
|
self.resize(xsize, ysize)
|
|
|
|
|
|
|
|
def resize(self, xsize, ysize):
|
2006-10-17 19:18:46 +02:00
|
|
|
"""Resizes the table by removing and creating elements as required.
|
|
|
|
Makes the ObjectTable the specified size by removing elements that
|
|
|
|
will not fit in the new shape and appending elements to fill the
|
|
|
|
table. New elements will be created with the creator function passed
|
|
|
|
as an argument to __init__.
|
|
|
|
|
|
|
|
@param xsize: The new width.
|
|
|
|
@type xsize: int
|
|
|
|
@param ysize: The new height.
|
|
|
|
@type ysize: int
|
|
|
|
"""
|
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
# Delete or append new rows
|
|
|
|
del self._elements[ysize:]
|
|
|
|
new_rows = ysize - len(self._elements)
|
|
|
|
self._elements.extend([list() for i in range(new_rows)])
|
|
|
|
|
|
|
|
# Delete or append new columns
|
|
|
|
for row in self._elements:
|
|
|
|
del row[xsize:]
|
|
|
|
new_elems = xsize - len(row)
|
|
|
|
row.extend([self._creator() for i in range(new_elems)])
|
|
|
|
|
2006-10-16 21:57:40 +02:00
|
|
|
self.xsize = xsize
|
|
|
|
self.ysize = ysize
|
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
def __getitem__(self, index):
|
|
|
|
x, y = index
|
|
|
|
return self._elements[y][x]
|
|
|
|
|
|
|
|
def __setitem__(self, index, value):
|
|
|
|
x, y = index
|
|
|
|
self._elements[y][x] = value
|
|
|
|
|
|
|
|
|
|
|
|
class ViewFrame (gtk.Frame):
|
2006-06-01 15:51:16 +02:00
|
|
|
"""
|
2006-10-17 19:50:42 +02:00
|
|
|
A ViewFrame is a gtk container widget that contains a View.
|
2006-06-01 15:51:16 +02:00
|
|
|
The ViewFrame is either active or inactive, and belongs to a group of
|
|
|
|
VeiwFrames of which only one can be active at any time.
|
|
|
|
"""
|
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
def __init__(self, view_frames):
|
2006-10-17 19:50:42 +02:00
|
|
|
"""Initializes a new ViewFrame.
|
|
|
|
@param view_frames: A list of view frames to which the new view
|
|
|
|
frame shouls belong. Only one ViewFrame in this list can be
|
|
|
|
active at any time.
|
|
|
|
"""
|
2006-05-22 23:43:24 +02:00
|
|
|
gtk.Frame.__init__(self)
|
|
|
|
self.focused = False
|
|
|
|
self.view_frames = view_frames
|
|
|
|
self.empty_view = EmptyView()
|
2006-05-29 13:24:33 +02:00
|
|
|
self._button_event = None
|
2006-10-14 00:25:18 +02:00
|
|
|
|
|
|
|
## Set up a VBox with a label wrapped in an event box.
|
|
|
|
label = gtk.Label()
|
|
|
|
ebox = gtk.EventBox()
|
|
|
|
ebox.add(label)
|
|
|
|
vbox = gtk.VBox()
|
|
|
|
vbox.pack_start(ebox, expand=False)
|
|
|
|
vbox.pack_start(gtk.HSeparator(), expand=False)
|
|
|
|
|
2006-10-14 16:50:27 +02:00
|
|
|
self._ebox_button_event = ebox.connect("button-press-event",
|
2006-10-17 19:50:42 +02:00
|
|
|
self._on_button_press_event)
|
2006-10-14 00:25:18 +02:00
|
|
|
## Keep the references for later use.
|
|
|
|
self._vbox = vbox
|
|
|
|
self._ebox = ebox
|
|
|
|
self._view_title = label
|
|
|
|
self.add(vbox)
|
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
view_frames.append(self)
|
|
|
|
if len(view_frames) == 1:
|
|
|
|
self.focus()
|
|
|
|
else:
|
2006-08-04 11:32:11 +02:00
|
|
|
self.focused = True
|
2006-05-22 23:43:24 +02:00
|
|
|
self.unfocus()
|
|
|
|
|
2006-05-29 21:14:48 +02:00
|
|
|
# Get dropped views
|
|
|
|
self.drag_dest_set(gtk.DEST_DEFAULT_ALL,
|
|
|
|
[("GTK_TREE_MODEL_ROW", gtk.TARGET_SAME_APP, 7)],
|
|
|
|
gtk.gdk.ACTION_LINK)
|
|
|
|
self.connect("drag-data-received", self.on_drag_data_received)
|
|
|
|
|
2006-05-29 13:24:33 +02:00
|
|
|
# Set view
|
2006-05-22 23:43:24 +02:00
|
|
|
self._view = self.empty_view
|
2006-10-17 19:50:42 +02:00
|
|
|
self._view.connect("button-press-event", self._on_button_press_event)
|
2006-10-14 00:25:18 +02:00
|
|
|
self._vbox.add(self._view)
|
|
|
|
self._view_title.set_text(self._view.title)
|
|
|
|
self.show_all()
|
2006-05-29 13:24:33 +02:00
|
|
|
self._view.show()
|
2006-05-22 23:43:24 +02:00
|
|
|
|
|
|
|
def focus(self):
|
2006-10-17 19:50:42 +02:00
|
|
|
"""Gets focus and ensures that no other ViewFrame in the same set
|
|
|
|
is in focus.
|
|
|
|
"""
|
2006-05-22 23:43:24 +02:00
|
|
|
if self.focused:
|
2006-08-31 17:35:55 +02:00
|
|
|
self.emit('focus-changed', self, True)
|
2006-05-22 23:43:24 +02:00
|
|
|
return self
|
|
|
|
|
|
|
|
for frame in self.view_frames:
|
|
|
|
frame.unfocus()
|
|
|
|
|
|
|
|
self.set_shadow_type(gtk.SHADOW_IN)
|
2006-10-14 00:25:18 +02:00
|
|
|
self._ebox.set_state(gtk.STATE_ACTIVE)
|
2006-05-22 23:43:24 +02:00
|
|
|
self.focused = True
|
2006-06-01 15:51:16 +02:00
|
|
|
self.emit('focus-changed', self, True)
|
2006-05-22 23:43:24 +02:00
|
|
|
return self
|
|
|
|
|
|
|
|
def unfocus(self):
|
2006-05-29 21:14:48 +02:00
|
|
|
"""Removes focus from the ViewFrame. Does nothing if unfocused."""
|
2006-05-22 23:43:24 +02:00
|
|
|
if not self.focused:
|
|
|
|
return
|
|
|
|
|
|
|
|
self.set_shadow_type(gtk.SHADOW_OUT)
|
2006-10-14 00:25:18 +02:00
|
|
|
self._ebox.set_state(gtk.STATE_NORMAL)
|
2006-05-22 23:43:24 +02:00
|
|
|
self.focused = False
|
2006-06-01 15:51:16 +02:00
|
|
|
self.emit('focus-changed', self, False)
|
2006-05-22 23:43:24 +02:00
|
|
|
|
|
|
|
def set_view(self, view):
|
2006-10-17 19:50:42 +02:00
|
|
|
"""Set view to view or to empty view if parameter is None
|
|
|
|
@param view: An instance of View
|
|
|
|
"""
|
2006-05-29 21:14:48 +02:00
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
# if None is passed, use empty view
|
|
|
|
if view == None:
|
|
|
|
view = self.empty_view
|
|
|
|
|
2006-05-29 13:24:33 +02:00
|
|
|
# do nothing if the view is already there
|
|
|
|
if view == self._view:
|
|
|
|
return
|
2006-05-22 23:43:24 +02:00
|
|
|
|
2006-05-29 13:24:33 +02:00
|
|
|
# detach view from current parent
|
2006-10-14 00:25:18 +02:00
|
|
|
if view._view_frame:
|
|
|
|
view._view_frame.set_view(None)
|
2006-05-29 13:24:33 +02:00
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
# switch which widget we are listening to
|
2006-05-29 13:24:33 +02:00
|
|
|
if self._button_event:
|
|
|
|
self._view.disconnect(self._button_event)
|
2006-05-29 21:14:48 +02:00
|
|
|
|
2006-08-31 17:35:55 +02:00
|
|
|
self._button_event = view.connect("button-press-event",
|
2006-10-17 19:50:42 +02:00
|
|
|
self._on_button_press_event)
|
2006-05-22 23:43:24 +02:00
|
|
|
|
|
|
|
# remove old view, set new view
|
2006-10-14 00:25:18 +02:00
|
|
|
if self._view:
|
|
|
|
self._view.hide()
|
|
|
|
self._vbox.remove(self._view)
|
|
|
|
self._view._view_frame = None
|
|
|
|
|
|
|
|
self._view_title.set_text(view.title)
|
|
|
|
self._vbox.add(view)
|
2006-05-22 23:43:24 +02:00
|
|
|
view.show()
|
|
|
|
|
2006-10-14 00:25:18 +02:00
|
|
|
view._view_frame = self
|
2006-05-22 23:43:24 +02:00
|
|
|
self._view = view
|
|
|
|
|
|
|
|
def get_view(self):
|
2006-10-17 19:50:42 +02:00
|
|
|
"""Returns current view, or None if the empty view is set.
|
|
|
|
@returns: None if the ViewFrame is currently displaying it's
|
|
|
|
EmptyView. Otherwise it returns the currently displeyd View.
|
|
|
|
"""
|
2006-05-22 23:43:24 +02:00
|
|
|
if self._view == self.empty_view:
|
|
|
|
return None
|
|
|
|
return self._view
|
|
|
|
|
2006-10-17 19:50:42 +02:00
|
|
|
def _on_button_press_event(self, widget, event):
|
2006-05-22 23:43:24 +02:00
|
|
|
if not self.focused:
|
|
|
|
self.focus()
|
|
|
|
|
2006-08-31 17:35:55 +02:00
|
|
|
def on_drag_data_received(self, widget, drag_context, x, y,
|
|
|
|
selection, info, timestamp):
|
2006-05-29 21:14:48 +02:00
|
|
|
treestore, path = selection.tree_get_row_drag_data()
|
|
|
|
iter = treestore.get_iter(path)
|
2006-10-09 20:04:39 +02:00
|
|
|
obj = treestore.get_value(iter, 2)
|
2006-08-31 17:45:33 +02:00
|
|
|
|
2006-05-29 21:14:48 +02:00
|
|
|
if isinstance(obj, Plot):
|
|
|
|
self.set_view(obj)
|
2006-08-31 15:27:58 +02:00
|
|
|
self.focus()
|
2006-10-25 14:56:21 +02:00
|
|
|
|
|
|
|
elif isinstance(obj, fluents.dataset.Dataset):
|
|
|
|
view = self.get_view()
|
|
|
|
if view.is_mappable_with(obj):
|
|
|
|
view._update_color_from_dataset(obj)
|
2006-05-29 21:14:48 +02:00
|
|
|
|
2007-01-31 13:02:11 +01:00
|
|
|
elif isinstance(obj, fluents.dataset.Selection):
|
|
|
|
view = self.get_view()
|
|
|
|
if view.is_mappable_with(obj):
|
|
|
|
view.selection_changed(self.current_dim, obj)
|
|
|
|
|
2006-10-25 14:56:21 +02:00
|
|
|
|
2006-05-29 21:14:48 +02:00
|
|
|
|
2006-04-18 00:30:53 +02:00
|
|
|
class MainView (gtk.Notebook):
|
2006-10-17 19:50:42 +02:00
|
|
|
"""The MainView class displays the Views in Fluents.
|
|
|
|
|
|
|
|
MainView, of which there is normally only one instance, contains a
|
|
|
|
gtk.Table that holds all the visible Views, and a single ViewFrame
|
|
|
|
that is used for maximizing plots.
|
|
|
|
"""
|
2006-05-22 23:43:24 +02:00
|
|
|
def __init__(self):
|
2006-04-18 00:30:53 +02:00
|
|
|
gtk.Notebook.__init__(self)
|
|
|
|
self.set_show_tabs(False)
|
|
|
|
self.set_show_border(False)
|
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
self._view_frames = []
|
|
|
|
self._views = ObjectTable(2, 2, lambda : ViewFrame(self._view_frames))
|
|
|
|
self._large_view = ViewFrame(list())
|
|
|
|
self.update_small_views()
|
2006-06-01 15:51:16 +02:00
|
|
|
|
|
|
|
for vf in self._view_frames:
|
2006-10-17 19:50:42 +02:00
|
|
|
vf.connect('focus-changed', self._on_view_focus_changed)
|
2006-05-22 23:43:24 +02:00
|
|
|
|
|
|
|
self.append_page(self._small_views)
|
|
|
|
self.append_page(self._large_view)
|
|
|
|
self.show()
|
2006-05-29 13:24:33 +02:00
|
|
|
self.set_current_page(0)
|
2006-05-22 23:43:24 +02:00
|
|
|
|
|
|
|
def __getitem__(self, x, y):
|
|
|
|
return self._views[x, y]
|
|
|
|
|
|
|
|
def update_small_views(self):
|
2006-10-17 14:33:30 +02:00
|
|
|
"""Creates a new gtk.Table to show the views. Called after changes to
|
|
|
|
the _views property"""
|
|
|
|
|
2006-10-16 21:57:40 +02:00
|
|
|
self._small_views = gtk.Table(self._views.ysize, self._views.xsize, True)
|
|
|
|
self._small_views.set_col_spacings(4)
|
|
|
|
self._small_views.set_row_spacings(4)
|
2006-05-22 23:43:24 +02:00
|
|
|
for x in range(self._views.xsize):
|
|
|
|
for y in range(self._views.ysize):
|
|
|
|
child = self._views[x,y]
|
|
|
|
self._small_views.attach(child, x, x+1, y, y+1)
|
2006-10-16 21:57:40 +02:00
|
|
|
self._small_views.show_all()
|
2006-04-18 00:30:53 +02:00
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
def get_active_small_view(self):
|
2006-10-17 14:33:30 +02:00
|
|
|
"""Returns the active ViewFrame in the small views table.
|
|
|
|
If a view is maximized, the corresponding ViewFrame in the table
|
|
|
|
will be returned, not the active maximized ViewFrame"""
|
2006-05-22 23:43:24 +02:00
|
|
|
for vf in self._view_frames:
|
|
|
|
if vf.focused:
|
|
|
|
return vf
|
|
|
|
return None
|
2006-10-12 20:33:38 +02:00
|
|
|
|
|
|
|
def get_active_view_frame(self):
|
2006-10-17 14:33:30 +02:00
|
|
|
"""Returns the active view frame."""
|
2006-10-12 20:33:38 +02:00
|
|
|
if self.get_current_page() == 0:
|
|
|
|
return self.get_active_small_view()
|
|
|
|
else:
|
|
|
|
return self._large_view
|
|
|
|
|
2006-04-18 00:30:53 +02:00
|
|
|
def goto_large(self):
|
2006-10-17 14:33:30 +02:00
|
|
|
"""Maximize the view in the current ViewFrame.
|
|
|
|
|
|
|
|
Maximizes the View in the current ViewFrame. The ViewFrame itself is
|
|
|
|
not resized or modified, except it's view will be set to None.
|
|
|
|
This method will do nothing if a view is currently maximized.
|
|
|
|
"""
|
2006-05-29 13:24:33 +02:00
|
|
|
if self.get_current_page() == 1:
|
|
|
|
return
|
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
vf = self.get_active_small_view()
|
|
|
|
view = vf.get_view()
|
|
|
|
vf.set_view(None)
|
|
|
|
self._large_view.set_view(view)
|
2006-04-18 00:30:53 +02:00
|
|
|
self.set_current_page(1)
|
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
def goto_small(self):
|
2006-10-17 14:33:30 +02:00
|
|
|
"""Goes to the small views page.
|
|
|
|
|
|
|
|
The maximized View will be given to the active ViewFrame in the view
|
|
|
|
table.
|
|
|
|
"""
|
2006-05-29 13:24:33 +02:00
|
|
|
if self.get_current_page() == 0:
|
|
|
|
return
|
|
|
|
|
2006-05-22 23:43:24 +02:00
|
|
|
vf = self.get_active_small_view()
|
|
|
|
view = self._large_view.get_view()
|
|
|
|
self._large_view.set_view(None)
|
|
|
|
vf.set_view(view)
|
|
|
|
self.set_current_page(0)
|
2006-04-18 00:30:53 +02:00
|
|
|
|
|
|
|
def insert_view(self, view):
|
2006-10-17 19:50:42 +02:00
|
|
|
"""Set a view in the currently active ViewFrame.
|
|
|
|
@param view: An instance of View.
|
|
|
|
"""
|
2006-07-21 16:30:09 +02:00
|
|
|
if self.get_current_page() == 0:
|
|
|
|
vf = self.get_active_small_view()
|
|
|
|
else:
|
|
|
|
vf = self._large_view
|
2006-05-22 23:43:24 +02:00
|
|
|
vf.set_view(view)
|
2006-08-31 12:57:44 +02:00
|
|
|
|
2006-10-17 19:50:42 +02:00
|
|
|
def set_all_plots(self, views):
|
|
|
|
"""Displays all the views in the list, and hides all other views.
|
|
|
|
|
|
|
|
Loops through all ViewFrames from top left to bottom right, and sets
|
|
|
|
their currently active View to the next view in the list. After the
|
|
|
|
last view is placed in a ViewFrame, the remaining ViewFrames are
|
|
|
|
emptied.
|
|
|
|
|
|
|
|
@param views: A list of views to set.
|
|
|
|
"""
|
2006-10-17 12:37:46 +02:00
|
|
|
for y in range(self._views.ysize):
|
|
|
|
for x in range(self._views.xsize):
|
2006-10-17 19:50:42 +02:00
|
|
|
if views:
|
|
|
|
self._views[x, y].set_view(views.pop())
|
2006-10-17 12:37:46 +02:00
|
|
|
else:
|
|
|
|
self._views[x, y].set_view(None)
|
2006-08-31 12:57:44 +02:00
|
|
|
|
2006-10-17 19:50:42 +02:00
|
|
|
def _on_view_focus_changed(self, widget, vf, focused):
|
2006-06-01 15:51:16 +02:00
|
|
|
if focused:
|
|
|
|
self.emit('view-changed', vf)
|
2006-05-22 23:43:24 +02:00
|
|
|
|
2006-10-16 21:57:40 +02:00
|
|
|
def resize_table(self, width, height):
|
2006-10-17 19:50:42 +02:00
|
|
|
"""Resizes the list of small views.
|
|
|
|
"""
|
2006-10-16 21:57:40 +02:00
|
|
|
## Hide all plots that will be removed from the screen.
|
|
|
|
for x in range(self._views.xsize):
|
|
|
|
for y in range(self._views.ysize):
|
2006-10-17 12:32:53 +02:00
|
|
|
if x >= width or y >= height:
|
2006-10-16 21:57:40 +02:00
|
|
|
self._views[x, y].set_view(None)
|
2006-10-17 12:32:53 +02:00
|
|
|
self._view_frames.remove(self._views[x, y])
|
2006-10-17 12:06:27 +02:00
|
|
|
|
|
|
|
for x in range(self._views.xsize):
|
|
|
|
for y in range(self._views.ysize):
|
|
|
|
self._small_views.remove(self._views[x, y])
|
2006-10-16 21:57:40 +02:00
|
|
|
|
|
|
|
self._views.resize(width, height)
|
|
|
|
self.update_small_views()
|
|
|
|
self.insert_page(self._small_views, gtk.Label("small"), 0)
|
|
|
|
self.remove_page(1)
|
|
|
|
#self.set_current_page(0)
|
|
|
|
self.goto_small()
|
2006-04-26 14:11:23 +02:00
|
|
|
|
2006-10-17 14:33:30 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
class View (gtk.Frame):
|
2006-10-17 19:50:42 +02:00
|
|
|
"""The base class of everything that is shown in the center view of
|
|
|
|
fluents.
|
2006-10-12 16:58:36 +02:00
|
|
|
|
2006-10-17 19:50:42 +02:00
|
|
|
Most views should rather subclass Plot, which automatically handles
|
|
|
|
freezing, creates a toolbar, and sets up matplotlib Figure and Canvas
|
|
|
|
objects.
|
2006-10-12 16:58:36 +02:00
|
|
|
"""
|
2006-10-17 19:50:42 +02:00
|
|
|
|
2006-04-26 14:11:23 +02:00
|
|
|
def __init__(self, title):
|
|
|
|
gtk.Frame.__init__(self)
|
|
|
|
self.title = title
|
2006-10-12 16:58:36 +02:00
|
|
|
self.set_shadow_type(gtk.SHADOW_NONE)
|
2006-10-14 00:25:18 +02:00
|
|
|
self._view_frame = None
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
def get_toolbar(self):
|
|
|
|
return None
|
|
|
|
|
2006-10-25 14:56:21 +02:00
|
|
|
def is_mappable_with(self, dataset):
|
|
|
|
"""Override in individual plots."""
|
|
|
|
return False
|
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
class EmptyView (View):
|
|
|
|
"""EmptyView is shown in ViewFrames that are unused."""
|
|
|
|
def __init__(self):
|
|
|
|
View.__init__(self, 'Empty view')
|
|
|
|
self.set_label(None)
|
|
|
|
label = gtk.Label('No view')
|
|
|
|
ebox = gtk.EventBox()
|
|
|
|
ebox.add(label)
|
|
|
|
self.add(ebox)
|
|
|
|
label.show()
|
|
|
|
ebox.show()
|
|
|
|
self.show()
|
|
|
|
|
|
|
|
|
|
|
|
class Plot (View):
|
|
|
|
def __init__(self, title):
|
|
|
|
View.__init__(self, title)
|
|
|
|
|
2006-04-27 16:38:48 +02:00
|
|
|
self.selection_listener = None
|
2006-10-09 20:04:39 +02:00
|
|
|
self.fig = Figure()
|
|
|
|
self.canvas = FigureCanvas(self.fig)
|
2006-08-14 17:01:34 +02:00
|
|
|
self._background = None
|
2006-10-12 16:58:36 +02:00
|
|
|
self._frozen = False
|
|
|
|
self._toolbar = PlotToolbar(self)
|
2006-10-09 20:04:39 +02:00
|
|
|
self.canvas.add_events(gtk.gdk.ENTER_NOTIFY_MASK)
|
2006-10-12 16:58:36 +02:00
|
|
|
self.current_dim = None
|
2006-10-14 00:25:18 +02:00
|
|
|
self._current_selection = None
|
2006-08-29 11:03:28 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def set_frozen(self, frozen):
|
|
|
|
"""A frozen plot will not be updated when the current selection is changed."""
|
|
|
|
self._frozen = frozen
|
2006-10-14 00:25:18 +02:00
|
|
|
if not frozen and self._current_selection != None:
|
2006-10-12 16:58:36 +02:00
|
|
|
self.set_current_selection(self._current_selection)
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-04-26 14:11:23 +02:00
|
|
|
def get_title(self):
|
|
|
|
return self.title
|
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def get_toolbar(self):
|
|
|
|
return self._toolbar
|
|
|
|
|
|
|
|
def selection_changed(self, dim_name, selection):
|
|
|
|
""" Selection observer handle.
|
|
|
|
|
|
|
|
A selection change in a plot is only drawn if:
|
|
|
|
1.) plot is sensitive to selections (not freezed)
|
|
|
|
2.) plot is visible (has a view)
|
|
|
|
3.) the selections dim_name is the plot's dimension.
|
|
|
|
"""
|
|
|
|
|
2006-10-14 00:25:18 +02:00
|
|
|
self._current_selection = selection
|
2006-10-12 16:58:36 +02:00
|
|
|
if self._frozen \
|
|
|
|
or not self.get_property('visible') \
|
|
|
|
or self.current_dim != dim_name:
|
2006-08-30 15:21:08 +02:00
|
|
|
return
|
2006-10-14 00:25:18 +02:00
|
|
|
|
2006-08-30 15:21:08 +02:00
|
|
|
self.set_current_selection(selection)
|
2006-04-26 14:11:23 +02:00
|
|
|
|
2006-04-27 16:38:48 +02:00
|
|
|
def set_selection_listener(self, listener):
|
|
|
|
"""Allow project to listen to selections.
|
|
|
|
|
|
|
|
The selection will propagate back to all plots through the
|
|
|
|
selection_changed() method. The listener will be called as
|
|
|
|
listener(dimension_name, ids).
|
|
|
|
"""
|
|
|
|
self.selection_listener = listener
|
2006-04-26 14:11:23 +02:00
|
|
|
|
2007-01-15 14:47:18 +01:00
|
|
|
def update_selection(self, ids, key=None):
|
2007-01-11 14:07:54 +01:00
|
|
|
"""Returns updated current selection from ids.
|
|
|
|
If a key is pressed we use the appropriate mode.
|
|
|
|
|
|
|
|
key map:
|
|
|
|
shift : union
|
|
|
|
control : intersection
|
|
|
|
"""
|
|
|
|
if key == 'shift':
|
|
|
|
ids = set(ids).union(self._current_selection[self.current_dim])
|
|
|
|
elif key == 'control':
|
|
|
|
ids = set(ids).intersection(self._current_selection[self.current_dim])
|
|
|
|
else:
|
|
|
|
pass
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2007-01-11 14:07:54 +01:00
|
|
|
return ids
|
2007-01-17 16:35:12 +01:00
|
|
|
|
|
|
|
def set_current_selection(self, selection):
|
|
|
|
"""Called whenever the plot should change the selection.
|
|
|
|
|
|
|
|
This method is a dummy method, so that specialized plots that have
|
|
|
|
no implemented selection can ignore selections alltogether.
|
|
|
|
"""
|
|
|
|
pass
|
2007-01-11 14:07:54 +01:00
|
|
|
|
2006-08-14 11:26:54 +02:00
|
|
|
class LineViewPlot(Plot):
|
2006-10-17 15:58:33 +02:00
|
|
|
"""Line view plot with percentiles.
|
|
|
|
|
|
|
|
A line view of vectors across a specified dimension of input dataset.
|
|
|
|
No selection interaction is defined.
|
|
|
|
Only support for 2d-arrays.
|
2006-08-14 11:26:54 +02:00
|
|
|
input:
|
|
|
|
-- major_axis : dim_number for line dim (see scipy.ndarray for axis def.)
|
|
|
|
-- minor_axis : needs definition only for higher order arrays
|
2006-10-17 15:58:33 +02:00
|
|
|
|
|
|
|
fixme: slow (cant get linecollection and blit to work)
|
2006-08-14 11:26:54 +02:00
|
|
|
"""
|
2006-10-09 20:04:39 +02:00
|
|
|
def __init__(self, dataset, major_axis=1, minor_axis=None, name="Line view"):
|
2006-08-14 11:26:54 +02:00
|
|
|
self.dataset = dataset
|
2006-10-17 15:58:33 +02:00
|
|
|
self._data = dataset.asarray()
|
2006-08-14 11:26:54 +02:00
|
|
|
if len(self._data.shape)==2 and not minor_axis:
|
2007-01-31 13:02:11 +01:00
|
|
|
minor_axis = major_axis - 1
|
2006-10-17 15:58:33 +02:00
|
|
|
self.major_axis = major_axis
|
|
|
|
self.minor_axis = minor_axis
|
|
|
|
Plot.__init__(self, name)
|
2007-01-31 13:02:11 +01:00
|
|
|
self.use_blit = False #fixme: blitting should work
|
2006-10-17 15:58:33 +02:00
|
|
|
self.current_dim = self.dataset.get_dim_name(major_axis)
|
2006-08-30 15:39:32 +02:00
|
|
|
|
2006-10-17 15:58:33 +02:00
|
|
|
# make axes
|
|
|
|
self.ax = self.fig.add_subplot(111)
|
|
|
|
|
2006-08-14 11:26:54 +02:00
|
|
|
#initial draw
|
2006-09-18 19:23:34 +02:00
|
|
|
x_axis = scipy.arange(self._data.shape[minor_axis])
|
|
|
|
self.line_segs=[]
|
|
|
|
for xi in range(self._data.shape[major_axis]):
|
2006-10-17 15:58:33 +02:00
|
|
|
yi = self._data.take([xi], major_axis).ravel()
|
|
|
|
self.line_segs.append([(xx,yy) for xx,yy in izip(x_axis, yi)])
|
|
|
|
|
|
|
|
# draw background
|
|
|
|
self._set_background(self.ax)
|
|
|
|
|
|
|
|
# add canvas
|
|
|
|
self.add(self.canvas)
|
|
|
|
self.canvas.show()
|
2006-09-18 19:23:34 +02:00
|
|
|
|
2006-10-17 15:58:33 +02:00
|
|
|
# add toolbar
|
|
|
|
#FIXME: Lineview plot cannot do selections -> disable in toolbar
|
|
|
|
#self._toolbar = PlotToolbar(self)
|
|
|
|
self.canvas.mpl_connect('resize_event', self.clear_background)
|
|
|
|
|
2007-01-31 13:02:11 +01:00
|
|
|
def _set_background(self, ax):
|
2006-10-17 15:58:33 +02:00
|
|
|
"""Add three patches representing [min max],[5,95] and [25,75] percentiles, and a line at the median.
|
|
|
|
"""
|
2007-01-31 13:02:11 +01:00
|
|
|
if self._data.shape[self.minor_axis]<10:
|
|
|
|
return
|
2006-10-17 15:58:33 +02:00
|
|
|
# settings
|
|
|
|
patch_color = 'b' #blue
|
|
|
|
patch_lw = 0 #no edges
|
|
|
|
patch_alpha = .15 # transparancy
|
|
|
|
median_color = 'b' #blue
|
|
|
|
median_width = 1.5 #linewidth
|
|
|
|
percentiles = [0, 5, 25, 50, 75, 100]
|
|
|
|
|
|
|
|
# ordinate
|
|
|
|
xax = scipy.arange(self._data.shape[self.minor_axis])
|
|
|
|
|
|
|
|
#vertices
|
2006-09-18 19:23:34 +02:00
|
|
|
verts_0 = [] #100,0
|
|
|
|
verts_1 = [] # 90,10
|
|
|
|
verts_2 = [] # 75,25
|
|
|
|
med = []
|
2006-10-17 15:58:33 +02:00
|
|
|
# add top vertices the low vertices (do i need an order?)#background
|
2006-09-18 19:23:34 +02:00
|
|
|
for i in xax:
|
2006-10-17 15:58:33 +02:00
|
|
|
prct = prctile(self._data.take([i], self.minor_axis), percentiles)
|
|
|
|
verts_0.append((i, prct[0]))
|
|
|
|
verts_1.append((i, prct[1]))
|
|
|
|
verts_2.append((i, prct[2]))
|
|
|
|
med.append(prct[3])
|
2006-09-18 19:23:34 +02:00
|
|
|
for i in xax[::-1]:
|
2006-10-17 15:58:33 +02:00
|
|
|
prct = prctile(self._data.take([i], self.minor_axis), percentiles)
|
|
|
|
verts_0.append((i, prct[-1]))
|
|
|
|
verts_1.append((i, prct[-2]))
|
|
|
|
verts_2.append((i, prct[-3]))
|
|
|
|
|
|
|
|
# make polygons from vertices
|
|
|
|
bck0 = Polygon(verts_0, alpha=patch_alpha, lw=patch_lw,
|
|
|
|
facecolor=patch_color)
|
|
|
|
bck1 = Polygon(verts_1, alpha=patch_alpha, lw=patch_lw,
|
|
|
|
facecolor=patch_color)
|
|
|
|
bck2 = Polygon(verts_2, alpha=patch_alpha, lw=patch_lw,
|
|
|
|
facecolor=patch_color)
|
|
|
|
|
|
|
|
# add polygons to axes
|
|
|
|
ax.add_patch(bck0)
|
|
|
|
ax.add_patch(bck1)
|
|
|
|
ax.add_patch(bck2)
|
|
|
|
# median line
|
|
|
|
ax.plot(xax, med, median_color, linewidth=median_width)
|
2006-04-27 13:03:11 +02:00
|
|
|
|
2007-01-31 13:02:11 +01:00
|
|
|
# Disable selection modes
|
|
|
|
btn = self._toolbar.get_button('select')
|
|
|
|
btn.set_sensitive(False)
|
|
|
|
btn = self._toolbar.get_button('lassoselect')
|
|
|
|
btn.set_sensitive(False)
|
|
|
|
self._toolbar.freeze_button.set_sensitive(False)
|
|
|
|
|
2006-10-09 20:04:39 +02:00
|
|
|
def clear_background(self, event):
|
2006-10-17 15:58:33 +02:00
|
|
|
"""Callback on resize event. Clears the background.
|
|
|
|
"""
|
2006-08-14 17:01:34 +02:00
|
|
|
self._background = None
|
|
|
|
|
2006-08-30 15:21:08 +02:00
|
|
|
def set_current_selection(self, selection):
|
2006-10-17 15:58:33 +02:00
|
|
|
"""Draws the current selection.
|
|
|
|
"""
|
2006-08-14 11:26:54 +02:00
|
|
|
ids = selection[self.current_dim] # current identifiers
|
|
|
|
index = self.dataset.get_indices(self.current_dim, ids)
|
2006-10-17 15:58:33 +02:00
|
|
|
if len(index)==0: # do we have a selection
|
|
|
|
return
|
2006-08-28 14:06:05 +02:00
|
|
|
if self.use_blit:
|
|
|
|
if self._background is None:
|
2006-10-06 12:20:53 +02:00
|
|
|
self._bbox = self.ax.bbox.deepcopy()
|
2006-08-28 14:06:05 +02:00
|
|
|
self._background = self.canvas.copy_from_bbox(self.ax.bbox)
|
|
|
|
self.canvas.restore_region(self._background)
|
2006-08-30 15:39:32 +02:00
|
|
|
|
2006-10-17 15:58:33 +02:00
|
|
|
if len(self.ax.collections)>0: # remove old linecollection
|
|
|
|
self.ax.collections = []
|
|
|
|
segs = [self.line_segs[i] for i in index]
|
|
|
|
line_coll = LineCollection(segs, colors=(1,0,0,1))
|
|
|
|
line_coll.set_clip_box(self.ax.bbox)
|
|
|
|
self.ax.update_datalim(line_coll.get_verts(self.ax.transData))
|
|
|
|
#draw
|
|
|
|
if self.use_blit:
|
|
|
|
self.ax.draw_artist(line_coll)
|
|
|
|
self.canvas.blit()
|
|
|
|
else:
|
|
|
|
self.ax.add_collection(line_coll)
|
|
|
|
self.canvas.draw()
|
2006-04-27 13:03:11 +02:00
|
|
|
|
2006-08-14 11:26:54 +02:00
|
|
|
class ScatterMarkerPlot(Plot):
|
|
|
|
"""The ScatterMarkerPlot is faster than regular scatterplot, but
|
2006-10-12 16:58:36 +02:00
|
|
|
has no color and size options."""
|
|
|
|
|
|
|
|
def __init__(self, dataset_1, dataset_2, id_dim, sel_dim,
|
|
|
|
id_1, id_2, s=6, name="Scatter plot"):
|
2006-04-27 13:38:40 +02:00
|
|
|
Plot.__init__(self, name)
|
2006-10-06 12:20:53 +02:00
|
|
|
self.use_blit = False
|
|
|
|
self._background = None
|
2006-08-30 15:39:32 +02:00
|
|
|
self.ax = self.fig.add_subplot(111)
|
2006-10-09 20:04:39 +02:00
|
|
|
self.ax.axhline(0, color='k', lw=1., zorder=1)
|
|
|
|
self.ax.axvline(0, color='k', lw=1., zorder=1)
|
2006-04-24 11:53:07 +02:00
|
|
|
self.current_dim = id_dim
|
2006-05-09 15:17:17 +02:00
|
|
|
self.dataset_1 = dataset_1
|
2006-08-29 11:03:28 +02:00
|
|
|
self.ms = s
|
2006-08-28 14:06:05 +02:00
|
|
|
self._selection_line = None
|
2006-05-09 15:17:17 +02:00
|
|
|
x_index = dataset_1[sel_dim][id_1]
|
|
|
|
y_index = dataset_2[sel_dim][id_2]
|
2006-10-09 20:04:39 +02:00
|
|
|
self.xaxis_data = dataset_1._array[:, x_index]
|
|
|
|
self.yaxis_data = dataset_2._array[:, y_index]
|
|
|
|
self.ax.plot(self.xaxis_data, self.yaxis_data, 'o', markeredgewidth=0, markersize=s)
|
2006-10-12 16:58:36 +02:00
|
|
|
#self.ax.set_title(self.get_title())
|
2006-04-16 20:25:54 +02:00
|
|
|
self.add(self.canvas)
|
|
|
|
self.canvas.show()
|
|
|
|
|
2007-01-11 14:07:54 +01:00
|
|
|
def rectangle_select_callback(self, x1, y1, x2, y2, key):
|
2006-04-19 12:37:44 +02:00
|
|
|
ydata = self.yaxis_data
|
|
|
|
xdata = self.xaxis_data
|
2006-04-25 12:08:12 +02:00
|
|
|
|
|
|
|
# find indices of selected area
|
2006-04-19 12:37:44 +02:00
|
|
|
if x1>x2:
|
2006-08-01 15:22:39 +02:00
|
|
|
x1, x2 = x2, x1
|
|
|
|
if y1>y2:
|
|
|
|
y1, y2 = y2, y1
|
|
|
|
assert x1<=x2
|
|
|
|
assert y1<=y2
|
2006-08-31 12:04:19 +02:00
|
|
|
index = scipy.nonzero((xdata>x1) & (xdata<x2) & (ydata>y1) & (ydata<y2))[0]
|
2006-05-09 15:17:17 +02:00
|
|
|
ids = self.dataset_1.get_identifiers(self.current_dim, index)
|
2007-01-11 14:07:54 +01:00
|
|
|
ids = self.update_selection(ids, key)
|
2006-05-03 13:40:12 +02:00
|
|
|
self.selection_listener(self.current_dim, ids)
|
2006-04-19 20:25:44 +02:00
|
|
|
|
2007-01-15 14:47:18 +01:00
|
|
|
def lasso_select_callback(self, verts, key=None):
|
|
|
|
self.canvas.draw_idle()
|
|
|
|
xys = scipy.c_[self.xaxis_data[:,scipy.newaxis], self.yaxis_data[:,scipy.newaxis]]
|
|
|
|
index = scipy.nonzero(points_inside_poly(xys, verts))[0]
|
|
|
|
ids = self.dataset_1.get_identifiers(self.current_dim, index)
|
|
|
|
ids = self.update_selection(ids, key)
|
|
|
|
self.selection_listener(self.current_dim, ids)
|
|
|
|
self.canvas.widgetlock.release(self._lasso)
|
|
|
|
|
2006-08-30 15:21:08 +02:00
|
|
|
def set_current_selection(self, selection):
|
2006-04-27 16:38:48 +02:00
|
|
|
ids = selection[self.current_dim] # current identifiers
|
2006-05-09 15:17:17 +02:00
|
|
|
index = self.dataset_1.get_indices(self.current_dim, ids)
|
2006-10-06 12:20:53 +02:00
|
|
|
if self.use_blit:
|
|
|
|
if self._background is None:
|
|
|
|
self._background = self.canvas.copy_from_bbox(self.ax.bbox)
|
|
|
|
self.canvas.restore_region(self._background)
|
|
|
|
if not len(index)>0:
|
|
|
|
return
|
2006-08-31 12:04:19 +02:00
|
|
|
xdata_new = self.xaxis_data.take(index) #take data
|
|
|
|
ydata_new = self.yaxis_data.take(index)
|
2006-08-08 13:09:59 +02:00
|
|
|
#remove old selection
|
2006-08-28 14:06:05 +02:00
|
|
|
if self._selection_line:
|
|
|
|
self.ax.lines.remove(self._selection_line)
|
2006-08-30 15:39:32 +02:00
|
|
|
|
2006-10-09 20:04:39 +02:00
|
|
|
self._selection_line, = self.ax.plot(xdata_new, ydata_new,marker='o', markersize=self.ms, linestyle=None, markerfacecolor='r')
|
2006-08-30 15:39:32 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
# self._toolbar.forward() #update data lims before draw
|
2006-10-06 12:20:53 +02:00
|
|
|
if self.use_blit:
|
|
|
|
self.ax.draw_artist(self._selection_line)
|
|
|
|
self.canvas.blit()
|
|
|
|
else:
|
|
|
|
self.canvas.draw()
|
2006-04-26 14:11:23 +02:00
|
|
|
|
2006-08-30 15:39:32 +02:00
|
|
|
|
2006-08-14 18:19:51 +02:00
|
|
|
class ScatterPlot(Plot):
|
2006-10-06 12:20:53 +02:00
|
|
|
"""The ScatterPlot is slower than scattermarker, but has size option."""
|
2007-01-31 13:02:11 +01:00
|
|
|
def __init__(self, dataset_1, dataset_2, id_dim, sel_dim, id_1, id_2, c='b', s=30, sel_dim_2=None, name="Scatter plot"):
|
2006-08-14 18:19:51 +02:00
|
|
|
Plot.__init__(self, name)
|
2006-10-06 12:20:53 +02:00
|
|
|
self.use_blit = False
|
2006-08-30 15:39:32 +02:00
|
|
|
self.ax = self.fig.add_subplot(111)
|
2007-01-31 13:02:11 +01:00
|
|
|
self._clean_bck = self.canvas.copy_from_bbox(self.ax.bbox)
|
2006-08-14 18:19:51 +02:00
|
|
|
self.current_dim = id_dim
|
|
|
|
self.dataset_1 = dataset_1
|
|
|
|
x_index = dataset_1[sel_dim][id_1]
|
2006-10-06 12:20:53 +02:00
|
|
|
if sel_dim_2:
|
|
|
|
y_index = dataset_2[sel_dim_2][id_2]
|
|
|
|
else:
|
|
|
|
y_index = dataset_2[sel_dim][id_2]
|
2006-10-09 20:04:39 +02:00
|
|
|
self.xaxis_data = dataset_1._array[:, x_index]
|
|
|
|
self.yaxis_data = dataset_2._array[:, y_index]
|
2006-08-31 12:04:19 +02:00
|
|
|
lw = scipy.zeros(self.xaxis_data.shape)
|
2006-10-25 14:56:21 +02:00
|
|
|
self.sc = sc = self.ax.scatter(self.xaxis_data, self.yaxis_data,
|
2007-01-31 13:02:11 +01:00
|
|
|
s=s, c=c, linewidth=lw)
|
2006-10-09 20:04:39 +02:00
|
|
|
self.ax.axhline(0, color='k', lw=1., zorder=1)
|
|
|
|
self.ax.axvline(0, color='k', lw=1., zorder=1)
|
2006-10-25 14:56:21 +02:00
|
|
|
|
2007-01-31 13:02:11 +01:00
|
|
|
# labels
|
|
|
|
self._text_labels = None
|
|
|
|
|
2006-08-30 15:21:08 +02:00
|
|
|
# add canvas to widget
|
2006-08-14 18:19:51 +02:00
|
|
|
self.add(self.canvas)
|
|
|
|
self.canvas.show()
|
|
|
|
|
2007-01-31 13:02:11 +01:00
|
|
|
def is_mappable_with(self, obj):
|
|
|
|
"""Returns True if dataset/selection is mappable with this plot.
|
2006-10-25 14:56:21 +02:00
|
|
|
"""
|
2007-01-31 13:02:11 +01:00
|
|
|
if isinstance(obj, fluents.dataset.Dataset):
|
|
|
|
if self.current_dim in obj.get_dim_name() and obj.asarray().shape[0] == self.xaxis_data.shape[0]:
|
|
|
|
return True
|
|
|
|
elif isinstance(obj, fluents.dataset.Selection):
|
|
|
|
if self.current_dim in obj.get_dim_name():
|
|
|
|
print "Selection is mappable"
|
|
|
|
return True
|
|
|
|
else:
|
|
|
|
return False
|
|
|
|
|
2006-10-25 14:56:21 +02:00
|
|
|
def _update_color_from_dataset(self, data):
|
|
|
|
"""Updates the facecolors from a dataset.
|
|
|
|
"""
|
|
|
|
array = data.asarray()
|
|
|
|
#only support for 2d-arrays:
|
|
|
|
try:
|
|
|
|
m, n = array.shape
|
|
|
|
except:
|
2007-01-31 13:02:11 +01:00
|
|
|
raise ValueError, "No support for more than 2 dimensions."
|
2006-10-25 14:56:21 +02:00
|
|
|
# is dataset a vector or matrix?
|
|
|
|
if not n==1:
|
|
|
|
# we have a category dataset
|
|
|
|
if isinstance(data, fluents.dataset.CategoryDataset):
|
|
|
|
map_vec = scipy.dot(array, scipy.diag(scipy.arange(n))).sum(1)
|
|
|
|
else:
|
|
|
|
map_vec = array.sum(1)
|
|
|
|
else:
|
|
|
|
map_vec = array.ravel()
|
|
|
|
|
|
|
|
# update facecolors
|
2007-01-31 13:02:11 +01:00
|
|
|
self.sc.set_array(map_vec)
|
|
|
|
self.sc.set_clim(map_vec.min(), map_vec.max())
|
|
|
|
self.sc.update_scalarmappable() #sets facecolors from array
|
2006-10-25 14:56:21 +02:00
|
|
|
self.canvas.draw()
|
2007-01-31 13:02:11 +01:00
|
|
|
|
2007-01-11 14:07:54 +01:00
|
|
|
def rectangle_select_callback(self, x1, y1, x2, y2, key):
|
2006-08-14 18:19:51 +02:00
|
|
|
ydata = self.yaxis_data
|
|
|
|
xdata = self.xaxis_data
|
|
|
|
|
|
|
|
# find indices of selected area
|
|
|
|
if x1>x2:
|
|
|
|
x1, x2 = x2, x1
|
|
|
|
if y1>y2:
|
|
|
|
y1, y2 = y2, y1
|
|
|
|
assert x1<=x2
|
|
|
|
assert y1<=y2
|
|
|
|
|
2006-08-31 12:04:19 +02:00
|
|
|
index = scipy.nonzero((xdata>x1) & (xdata<x2) & (ydata>y1) & (ydata<y2))[0]
|
2006-08-14 18:19:51 +02:00
|
|
|
ids = self.dataset_1.get_identifiers(self.current_dim, index)
|
2007-01-11 14:07:54 +01:00
|
|
|
ids = self.update_selection(ids, key)
|
2006-08-14 18:19:51 +02:00
|
|
|
self.selection_listener(self.current_dim, ids)
|
|
|
|
|
2007-01-15 14:47:18 +01:00
|
|
|
def lasso_select_callback(self, verts, key=None):
|
|
|
|
self.canvas.draw_idle()
|
|
|
|
xys = scipy.c_[self.xaxis_data[:,scipy.newaxis], self.yaxis_data[:,scipy.newaxis]]
|
|
|
|
index = scipy.nonzero(points_inside_poly(xys, verts))[0]
|
|
|
|
ids = self.dataset_1.get_identifiers(self.current_dim, index)
|
|
|
|
ids = self.update_selection(ids, key)
|
|
|
|
self.selection_listener(self.current_dim, ids)
|
|
|
|
|
2006-08-30 15:21:08 +02:00
|
|
|
def set_current_selection(self, selection):
|
2006-08-14 18:19:51 +02:00
|
|
|
ids = selection[self.current_dim] # current identifiers
|
2006-09-18 19:23:34 +02:00
|
|
|
if len(ids)==0:
|
|
|
|
return
|
2006-08-14 18:19:51 +02:00
|
|
|
index = self.dataset_1.get_indices(self.current_dim, ids)
|
2006-10-06 12:20:53 +02:00
|
|
|
if self.use_blit:
|
|
|
|
if self._background is None:
|
|
|
|
self._background = self.canvas.copy_from_bbox(self.ax.bbox)
|
|
|
|
self.canvas.restore_region(self._background)
|
2007-01-11 14:07:54 +01:00
|
|
|
lw = scipy.zeros(self.xaxis_data.shape, 'f')
|
2006-09-18 19:23:34 +02:00
|
|
|
if len(index)>0:
|
2007-01-11 14:07:54 +01:00
|
|
|
lw.put(2., index)
|
2007-01-31 13:02:11 +01:00
|
|
|
self.sc.set_linewidth(lw)
|
2006-10-12 16:58:36 +02:00
|
|
|
|
2006-10-06 12:20:53 +02:00
|
|
|
if self.use_blit:
|
2007-01-31 13:02:11 +01:00
|
|
|
self.ax.draw_artist(self.sc)
|
2006-10-06 12:20:53 +02:00
|
|
|
self.canvas.blit()
|
|
|
|
else:
|
2007-01-31 13:02:11 +01:00
|
|
|
print self.ax.lines
|
2006-10-06 12:20:53 +02:00
|
|
|
self.canvas.draw()
|
2006-08-31 12:04:19 +02:00
|
|
|
|
2006-08-14 18:19:51 +02:00
|
|
|
|
2007-01-17 14:20:04 +01:00
|
|
|
class ImagePlot(Plot):
|
|
|
|
def __init__(self, dataset, **kw):
|
|
|
|
self.dataset = dataset
|
|
|
|
self.keywords = kw
|
|
|
|
|
|
|
|
Plot.__init__(self, kw['name'])
|
|
|
|
|
|
|
|
self.ax = self.fig.add_subplot(111)
|
|
|
|
self.ax.set_xticks([])
|
|
|
|
self.ax.set_yticks([])
|
|
|
|
self.ax.grid(False)
|
2007-01-17 16:35:12 +01:00
|
|
|
|
2007-01-17 14:20:04 +01:00
|
|
|
# Initial draw
|
|
|
|
self.ax.imshow(dataset.asarray(), interpolation='nearest', aspect='auto')
|
|
|
|
|
|
|
|
# Add canvas and show
|
|
|
|
self.add(self.canvas)
|
|
|
|
self.canvas.show()
|
|
|
|
|
2007-01-17 16:35:12 +01:00
|
|
|
# Disable selection modes
|
|
|
|
btn = self._toolbar.get_button('select')
|
|
|
|
btn.set_sensitive(False)
|
|
|
|
btn = self._toolbar.get_button('lassoselect')
|
|
|
|
btn.set_sensitive(False)
|
|
|
|
self._toolbar.freeze_button.set_sensitive(False)
|
|
|
|
|
2007-01-17 14:20:04 +01:00
|
|
|
def get_toolbar(self):
|
|
|
|
return self._toolbar
|
2007-01-31 13:02:11 +01:00
|
|
|
|
|
|
|
|
2007-01-17 16:40:33 +01:00
|
|
|
class HistogramPlot(Plot):
|
|
|
|
def __init__(self, dataset, **kw):
|
|
|
|
Plot.__init__(self, kw['name'])
|
2007-01-31 13:02:11 +01:00
|
|
|
|
|
|
|
self.ax = self.fig.add_subplot(111)
|
|
|
|
self.ax.grid(False)
|
|
|
|
|
|
|
|
# Initial draw
|
|
|
|
self.ax.hist(dataset.asarray(), bins=20)
|
|
|
|
|
|
|
|
# Add canvas and show
|
|
|
|
self.add(self.canvas)
|
|
|
|
self.canvas.show()
|
|
|
|
|
|
|
|
# Disable selection modes
|
|
|
|
btn = self._toolbar.get_button('select')
|
|
|
|
btn.set_sensitive(False)
|
|
|
|
btn = self._toolbar.get_button('lassoselect')
|
|
|
|
btn.set_sensitive(False)
|
|
|
|
self._toolbar.freeze_button.set_sensitive(False)
|
|
|
|
|
|
|
|
def get_toolbar(self):
|
|
|
|
return self._toolbar
|
|
|
|
|
|
|
|
|
|
|
|
class BarPlot(Plot):
|
|
|
|
"""Bar plot.
|
2007-01-17 16:40:33 +01:00
|
|
|
|
2007-01-31 13:02:11 +01:00
|
|
|
Ordinary bar plot for (column) vectors.
|
|
|
|
For matrices there is one color for each row.
|
|
|
|
"""
|
|
|
|
def __init__(self, dataset, name):
|
|
|
|
self.dataset = dataset
|
|
|
|
n, m = dataset.shape
|
|
|
|
Plot.__init__(self, name)
|
2007-01-17 16:40:33 +01:00
|
|
|
self.ax = self.fig.add_subplot(111)
|
|
|
|
self.ax.grid(False)
|
|
|
|
|
|
|
|
# Initial draw
|
2007-01-31 13:02:11 +01:00
|
|
|
if m>1:
|
|
|
|
sm = cm.ScalarMappable()
|
|
|
|
clrs = sm.to_rgba(range(n))
|
|
|
|
for i, row in enumerate(dataset.asarray()):
|
|
|
|
left = scipy.arange(i+1, m*n+1, n)
|
|
|
|
height = row
|
|
|
|
color = clrs[i]
|
|
|
|
c = (color[0], color[1], color[2])
|
|
|
|
self.ax.bar(left, height,color=c)
|
|
|
|
else:
|
|
|
|
height = dataset.asarray().ravel()
|
|
|
|
left = scipy.arange(1, n, 1)
|
|
|
|
self.ax.bar(left, height)
|
2007-01-17 16:40:33 +01:00
|
|
|
|
|
|
|
# Add canvas and show
|
|
|
|
self.add(self.canvas)
|
|
|
|
self.canvas.show()
|
|
|
|
|
2007-01-31 13:02:11 +01:00
|
|
|
# Disable selection modes
|
|
|
|
btn = self._toolbar.get_button('select')
|
|
|
|
btn.set_sensitive(False)
|
|
|
|
btn = self._toolbar.get_button('lassoselect')
|
|
|
|
btn.set_sensitive(False)
|
|
|
|
self._toolbar.freeze_button.set_sensitive(False)
|
|
|
|
|
2007-01-17 16:40:33 +01:00
|
|
|
def get_toolbar(self):
|
|
|
|
return self._toolbar
|
|
|
|
|
2007-01-17 14:20:04 +01:00
|
|
|
|
2006-07-31 16:57:24 +02:00
|
|
|
class NetworkPlot(Plot):
|
2006-08-03 16:30:06 +02:00
|
|
|
def __init__(self, dataset, **kw):
|
2006-08-01 15:22:39 +02:00
|
|
|
# Set member variables and call superclass' constructor
|
2006-08-03 16:30:06 +02:00
|
|
|
self.graph = dataset.asnetworkx()
|
|
|
|
self.dataset = dataset
|
2006-08-01 15:22:39 +02:00
|
|
|
self.keywords = kw
|
|
|
|
self.dim_name = self.dataset.get_dim_name(0)
|
2006-10-25 14:56:21 +02:00
|
|
|
|
|
|
|
if not kw.has_key('with_labels'):
|
2006-10-31 15:35:12 +01:00
|
|
|
kw['with_labels'] = False
|
2006-08-01 15:22:39 +02:00
|
|
|
if not kw.has_key('name'):
|
|
|
|
kw['name'] = self.dataset.get_name()
|
|
|
|
if not kw.has_key('prog'):
|
|
|
|
kw['prog'] = 'neato'
|
|
|
|
if not kw.has_key('pos') or kw['pos']:
|
2006-11-24 14:29:09 +01:00
|
|
|
kw['pos'] = networkx.graphviz_layout(self.graph, kw['prog'])
|
2007-01-11 14:07:54 +01:00
|
|
|
if not kw.has_key('nodelist'):
|
|
|
|
kw['nodelist'] = self.dataset.get_identifiers(self.dim_name, sorted=True)
|
2006-08-01 15:22:39 +02:00
|
|
|
Plot.__init__(self, kw['name'])
|
2006-10-25 14:56:21 +02:00
|
|
|
self.current_dim = self.dim_name
|
2006-08-01 15:22:39 +02:00
|
|
|
|
|
|
|
# Keep node size and color as dicts for fast lookup
|
2006-08-03 16:30:06 +02:00
|
|
|
self.node_size = {}
|
2007-01-11 14:07:54 +01:00
|
|
|
if kw.has_key('node_size') and cbook.iterable(kw['node_size']):
|
2006-08-01 15:22:39 +02:00
|
|
|
kw.remove('node_size')
|
|
|
|
for id, size in zip(self.dataset[self.dim_name], kw['node_size']):
|
|
|
|
self.node_size[id] = size
|
2006-08-03 16:30:06 +02:00
|
|
|
else:
|
|
|
|
for id in dataset[self.dim_name]:
|
2006-10-25 14:56:21 +02:00
|
|
|
self.node_size[id] = 30
|
2006-08-01 15:22:39 +02:00
|
|
|
|
2006-08-03 16:30:06 +02:00
|
|
|
self.node_color = {}
|
2007-01-11 14:07:54 +01:00
|
|
|
if kw.has_key('node_color') and cbook.iterable(kw['node_color']):
|
2006-08-01 15:22:39 +02:00
|
|
|
kw.remove('node_color')
|
|
|
|
for id, color in zip(self.dataset[self.dim_name], kw['node_color']):
|
|
|
|
self.node_color[id] = color
|
2006-08-03 16:30:06 +02:00
|
|
|
else:
|
|
|
|
self.node_color = None
|
|
|
|
# for id in self.dataset[self.dim_name]:
|
|
|
|
# self.node_color[id] = 'red'
|
|
|
|
|
|
|
|
if kw.has_key('node_color'):
|
|
|
|
kw.pop('node_color')
|
2006-08-01 15:22:39 +02:00
|
|
|
|
|
|
|
self.ax = self.fig.add_subplot(111)
|
2006-08-28 14:06:05 +02:00
|
|
|
self.ax.set_xticks([])
|
|
|
|
self.ax.set_yticks([])
|
2006-10-25 14:56:21 +02:00
|
|
|
self.ax.grid(False)
|
2007-01-31 13:02:11 +01:00
|
|
|
self.ax.set_frame_on(False)
|
2006-08-01 15:22:39 +02:00
|
|
|
# FIXME: ax shouldn't be in kw at all
|
|
|
|
if kw.has_key('ax'):
|
|
|
|
kw.pop('ax')
|
|
|
|
|
|
|
|
# Add canvas and show
|
2006-07-31 16:57:24 +02:00
|
|
|
self.add(self.canvas)
|
|
|
|
self.canvas.show()
|
|
|
|
|
2006-08-01 15:22:39 +02:00
|
|
|
# Initial draw
|
|
|
|
networkx.draw_networkx(self.graph, ax=self.ax, **kw)
|
2007-01-11 14:07:54 +01:00
|
|
|
del kw['nodelist']
|
2006-08-01 15:22:39 +02:00
|
|
|
|
2006-07-31 16:57:24 +02:00
|
|
|
def get_toolbar(self):
|
|
|
|
return self._toolbar
|
|
|
|
|
2007-01-11 14:07:54 +01:00
|
|
|
def rectangle_select_callback(self, x1, y1, x2, y2, key):
|
2006-08-01 16:26:33 +02:00
|
|
|
pos = self.keywords['pos']
|
2006-10-09 20:04:39 +02:00
|
|
|
ydata = scipy.zeros((len(pos),), 'l')
|
|
|
|
xdata = scipy.zeros((len(pos),), 'l')
|
2006-08-01 15:22:39 +02:00
|
|
|
node_ids = []
|
|
|
|
c = 0
|
|
|
|
for name,(x,y) in pos.items():
|
|
|
|
node_ids.append(name)
|
|
|
|
xdata[c] = x
|
|
|
|
ydata[c] = y
|
|
|
|
c+=1
|
|
|
|
|
|
|
|
# find indices of selected area
|
|
|
|
if x1 > x2:
|
|
|
|
x1, x2 = x2, x1
|
|
|
|
if y1 > y2:
|
|
|
|
y1, y2 = y2, y1
|
2006-09-18 19:23:34 +02:00
|
|
|
index = scipy.nonzero((xdata>x1) & (xdata<x2) & (ydata>y1) & (ydata<y2))[0]
|
2006-10-06 12:20:53 +02:00
|
|
|
ids = [node_ids[i] for i in index]
|
2007-01-11 14:07:54 +01:00
|
|
|
ids = self.update_selection(ids, key)
|
2006-10-12 16:58:36 +02:00
|
|
|
self.selection_listener(self.current_dim, ids)
|
2006-08-01 15:22:39 +02:00
|
|
|
|
2007-01-15 14:47:18 +01:00
|
|
|
def lasso_select_callback(self, verts, key=None):
|
|
|
|
pos = self.keywords['pos']
|
|
|
|
xys = []
|
|
|
|
node_ids = []
|
|
|
|
c = 0
|
|
|
|
for name,(x,y) in pos.items():
|
|
|
|
node_ids.append(name)
|
|
|
|
xys.append((x,y))
|
|
|
|
c+=1
|
|
|
|
|
|
|
|
self.canvas.draw_idle()
|
|
|
|
index = scipy.nonzero(points_inside_poly(xys, verts))[0]
|
|
|
|
ids = [node_ids[i] for i in index]
|
|
|
|
ids = self.update_selection(ids, key)
|
|
|
|
self.selection_listener(self.current_dim, ids)
|
|
|
|
self.canvas.widgetlock.release(self._lasso)
|
|
|
|
|
2006-08-30 15:21:08 +02:00
|
|
|
def set_current_selection(self, selection):
|
2006-10-12 16:58:36 +02:00
|
|
|
ids = selection[self.current_dim] # current identifiers
|
2006-08-03 16:30:06 +02:00
|
|
|
node_set = set(self.graph.nodes())
|
|
|
|
|
|
|
|
selected_nodes = list(ids.intersection(node_set))
|
|
|
|
unselected_nodes = list(node_set.difference(ids))
|
|
|
|
|
|
|
|
if self.node_color:
|
|
|
|
unselected_colors = [self.node_color[x] for x in unselected_nodes]
|
|
|
|
else:
|
2006-10-25 14:56:21 +02:00
|
|
|
unselected_colors = 'gray'
|
2006-08-01 15:22:39 +02:00
|
|
|
|
2006-08-03 16:30:06 +02:00
|
|
|
if self.node_size:
|
|
|
|
unselected_sizes = [self.node_size[x] for x in unselected_nodes]
|
|
|
|
selected_sizes = [self.node_size[x] for x in selected_nodes]
|
2006-08-01 15:22:39 +02:00
|
|
|
|
2006-10-25 14:56:21 +02:00
|
|
|
self.ax.collections=[]
|
|
|
|
networkx.draw_networkx_edges(self.graph,
|
|
|
|
edge_list=self.graph.edges(),
|
|
|
|
ax=self.ax,
|
|
|
|
**self.keywords)
|
|
|
|
|
2006-08-28 14:06:05 +02:00
|
|
|
networkx.draw_networkx_labels(self.graph,**self.keywords)
|
2006-10-25 14:56:21 +02:00
|
|
|
|
2006-08-03 16:30:06 +02:00
|
|
|
if unselected_nodes:
|
|
|
|
networkx.draw_networkx_nodes(self.graph, nodelist=unselected_nodes, \
|
2006-10-25 14:56:21 +02:00
|
|
|
node_color='gray', node_size=unselected_sizes, ax=self.ax, **self.keywords)
|
2006-08-01 15:22:39 +02:00
|
|
|
|
2006-08-03 16:30:06 +02:00
|
|
|
if selected_nodes:
|
|
|
|
networkx.draw_networkx_nodes(self.graph, nodelist=selected_nodes, \
|
2006-10-25 14:56:21 +02:00
|
|
|
node_color='r', node_size=selected_sizes, ax=self.ax, **self.keywords)
|
|
|
|
self.ax.collections[-1].set_zorder(3)
|
2006-08-01 15:22:39 +02:00
|
|
|
|
|
|
|
self.canvas.draw()
|
|
|
|
|
2006-07-31 16:57:24 +02:00
|
|
|
|
2007-01-31 13:02:11 +01:00
|
|
|
class VennPlot(Plot):
|
|
|
|
def __init__(self, name="Venn diagram"):
|
|
|
|
Plot.__init__(self, name)
|
|
|
|
self._ax = self.fig.add_subplot(111)
|
|
|
|
self._ax.grid(0)
|
|
|
|
self._init_bck()
|
|
|
|
for c in self._venn_patches:
|
|
|
|
self._ax.add_patch(c)
|
|
|
|
for mrk in self._markers:
|
|
|
|
self._ax.add_patch(mrk)
|
|
|
|
self._ax.set_xlim([-3, 3])
|
|
|
|
self._ax.set_ylim([-2.5, 3.5])
|
|
|
|
self._last_active = set()
|
|
|
|
self._ax.set_xticks([])
|
|
|
|
self._ax.set_yticks([])
|
|
|
|
self._ax.grid(0)
|
|
|
|
self._ax.axis('equal')
|
|
|
|
self._ax.set_frame_on(False)
|
|
|
|
# add canvas to widget
|
|
|
|
self.add(self.canvas)
|
|
|
|
self.canvas.show()
|
|
|
|
|
|
|
|
def _init_bck(self):
|
|
|
|
res = 50
|
|
|
|
a = .5
|
|
|
|
r = 1.5
|
|
|
|
mr = .2
|
|
|
|
self.c1 = c1 = Circle((-1,0), radius=r, alpha=a, facecolor='b', resolution=res)
|
|
|
|
self.c2 = c2 = Circle((1,0), radius=r, alpha=a, facecolor='r', resolution=res)
|
|
|
|
self.c3 = c3 = Circle((0, scipy.sqrt(3)), radius=r, alpha=a, facecolor='g', resolution=res)
|
|
|
|
|
|
|
|
self.c1marker = Circle((-1.25, -.25), radius=mr, facecolor='y', alpha=0)
|
|
|
|
self.c2marker = Circle((1.25, -.25), radius=mr, facecolor='y', alpha=0)
|
|
|
|
self.c3marker = Circle((0, scipy.sqrt(3)+.25), radius=mr, facecolor='y', alpha=0)
|
|
|
|
self.c1c2marker = Circle((0, -.15), radius=mr, facecolor='y', alpha=0)
|
|
|
|
|
|
|
|
self.c1c3marker = Circle((-scipy.sqrt(2)/2, 1), radius=mr, facecolor='y', alpha=0)
|
|
|
|
self.c2c3marker = Circle((scipy.sqrt(2)/2, 1), radius=mr, facecolor='y', alpha=0)
|
|
|
|
self.c1c2c3marker = Circle((0, .6), radius=mr, facecolor='y', alpha=0)
|
|
|
|
|
|
|
|
c1.elements = set(['a', 'b', 'c', 'f'])
|
|
|
|
c2.elements = set(['a', 'c', 'd', 'e'])
|
|
|
|
c3.elements = set(['a', 'e', 'f', 'g'])
|
|
|
|
self.active_elements = set()
|
|
|
|
self.all_elements = c1.elements.union(c2.elements).union(c3.elements)
|
|
|
|
|
|
|
|
c1.active = False
|
|
|
|
c2.active = False
|
|
|
|
c3.active = False
|
|
|
|
|
|
|
|
c1.name = 'Blue'
|
|
|
|
c2.name = 'Red'
|
|
|
|
c3.name = 'Green'
|
|
|
|
|
|
|
|
self._venn_patches = [c1, c2, c3]
|
|
|
|
self._markers = [self.c1marker, self.c2marker, self.c3marker,
|
|
|
|
self.c1c2marker, self.c1c3marker,
|
|
|
|
self.c2c3marker, self.c1c2c3marker]
|
|
|
|
|
|
|
|
self._tot_label = 'Tot: ' + str(len(self.all_elements))
|
|
|
|
self._sel_label = 'Sel: ' + str(len(self.active_elements))
|
|
|
|
self._legend = self._ax.legend((self._tot_label, self._sel_label),
|
|
|
|
loc='upper right')
|
|
|
|
|
|
|
|
def set_selection(self, selection, patch=None):
|
|
|
|
if patch:
|
|
|
|
patch.selection = selection
|
|
|
|
else:
|
|
|
|
selection_set = False
|
|
|
|
for patch in self._venn_patches:
|
|
|
|
if len(patch.elements)==0:
|
|
|
|
patch.elements = selection
|
|
|
|
selection_set = True
|
|
|
|
if not selection_set:
|
|
|
|
self.venn_patches[0].elements = selection
|
|
|
|
|
|
|
|
def lasso_select_callback(self, verts, key=None):
|
|
|
|
if verts==None:
|
|
|
|
print "ks"
|
|
|
|
verts = (self._event.xdata, self._event.ydata)
|
|
|
|
if key!='shift':
|
|
|
|
for m in self._markers:
|
|
|
|
m.set_alpha(0)
|
|
|
|
|
|
|
|
self._patches_within_verts(verts, key)
|
|
|
|
active = [i.active for i in self._venn_patches]
|
|
|
|
if active==[True, False, False]:
|
|
|
|
self.c1marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c1.elements.difference(self.c2.elements.union(self.c3.elements))
|
|
|
|
elif active== [False, True, False]:
|
|
|
|
self.c2marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c2.elements.difference(self.c1.elements.union(self.c3.elements))
|
|
|
|
elif active== [False, False, True]:
|
|
|
|
self.c3marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c3.elements.difference(self.c2.elements.union(self.c1.elements))
|
|
|
|
elif active==[True, True, False]:
|
|
|
|
self.c1c2marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c1.elements.intersection(self.c2.elements)
|
|
|
|
elif active==[True, False, True]:
|
|
|
|
self.c1c3marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c1.elements.intersection(self.c3.elements)
|
|
|
|
elif active==[False, True, True]:
|
|
|
|
self.c2c3marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c2.elements.intersection(self.c3.elements)
|
|
|
|
elif active==[True, True, True]:
|
|
|
|
self.c1c2c3marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c1.elements.intersection(self.c3.elements).intersection(self.c2.elements)
|
|
|
|
|
|
|
|
if key=='shift':
|
|
|
|
self.active_elements = self.active_elements.union(self._last_active)
|
|
|
|
self._last_active = self.active_elements.copy()
|
|
|
|
self._sel_label = 'Sel: ' + str(len(self.active_elements))
|
|
|
|
self._legend.texts[1].set_text(self._sel_label)
|
|
|
|
self.canvas.widgetlock.release(self._lasso)
|
|
|
|
del self._lasso
|
|
|
|
self._ax.figure.canvas.draw()
|
|
|
|
|
|
|
|
def rectangle_select_callback(self, x1, y1, x2, y2, key):
|
|
|
|
"""event1 and event2 are the press and release events"""
|
|
|
|
#x1, y1 = event1.xdata, event1.ydata
|
|
|
|
#x2, y2 = event2.xdata, event2.ydata
|
|
|
|
#key = event1.key
|
|
|
|
|
|
|
|
verts = [(x1, y1), (x2, y2)]
|
|
|
|
if key!='shift':
|
|
|
|
for m in self._markers:
|
|
|
|
m.set_alpha(0)
|
|
|
|
|
|
|
|
self._patches_within_verts(verts, key)
|
|
|
|
active = [i.active for i in self._venn_patches]
|
|
|
|
if active==[True, False, False]:
|
|
|
|
self.c1marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c1.elements.difference(self.c2.elements.union(self.c3.elements))
|
|
|
|
elif active== [False, True, False]:
|
|
|
|
self.c2marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c2.elements.difference(self.c1.elements.union(self.c3.elements))
|
|
|
|
elif active== [False, False, True]:
|
|
|
|
self.c3marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c3.elements.difference(self.c2.elements.union(self.c1.elements))
|
|
|
|
elif active==[True, True, False]:
|
|
|
|
self.c1c2marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c1.elements.intersection(self.c2.elements)
|
|
|
|
elif active==[True, False, True]:
|
|
|
|
self.c1c3marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c1.elements.intersection(self.c3.elements)
|
|
|
|
elif active==[False, True, True]:
|
|
|
|
self.c2c3marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c2.elements.intersection(self.c3.elements)
|
|
|
|
elif active==[True, True, True]:
|
|
|
|
self.c1c2c3marker.set_alpha(1)
|
|
|
|
self.active_elements = self.c1.elements.intersection(self.c3.elements).intersection(self.c2.elements)
|
|
|
|
|
|
|
|
if key=='shift':
|
|
|
|
self.active_elements = self.active_elements.union(self._last_active)
|
|
|
|
self._last_active = self.active_elements.copy()
|
|
|
|
self._sel_label = 'Sel: ' + str(len(self.active_elements))
|
|
|
|
self._legend.texts[1].set_text(self._sel_label)
|
|
|
|
self._ax.figure.canvas.draw()
|
|
|
|
|
|
|
|
def _patches_within_verts(self, verts, key):
|
|
|
|
xy = scipy.array(verts).mean(0)
|
|
|
|
for venn_patch in self._venn_patches:
|
|
|
|
venn_patch.active = False
|
|
|
|
if self._distance(venn_patch.center,xy)<venn_patch.radius:
|
|
|
|
venn_patch.active = True
|
|
|
|
|
|
|
|
def _distance(self, (x1,y1),(x2,y2)):
|
|
|
|
return scipy.sqrt( (x2-x1)**2 + (y2-y1)**2 )
|
|
|
|
|
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
class PlotMode:
|
|
|
|
"""A PlotMode object corresponds to a mouse mode in a plot.
|
|
|
|
|
|
|
|
When a mode is selected in the toolbar, the PlotMode corresponding
|
|
|
|
to the toolbar button is activated by calling setup(ax) for the axis
|
|
|
|
system ax.
|
|
|
|
"""
|
|
|
|
def __init__(self, plot, name, tooltip, image_file):
|
|
|
|
self.name = name
|
|
|
|
self.tooltip = tooltip
|
|
|
|
self.image_file = image_file
|
|
|
|
self.plot = plot
|
|
|
|
self.canvas = plot.canvas
|
|
|
|
|
|
|
|
def get_icon(self):
|
|
|
|
"""Returns the icon for the PlotMode"""
|
|
|
|
image = gtk.Image()
|
2007-01-03 18:30:27 +01:00
|
|
|
image.set_from_pixbuf(fluents.icon_factory.get(self.image_file))
|
2006-10-12 16:58:36 +02:00
|
|
|
return image
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def activate(self):
|
|
|
|
"""Subclasses of PlotMode should do their initialization here.
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
The activate method is called when a mode is activated, and is
|
|
|
|
used primarily to set up callback functions on events in the
|
|
|
|
canvas.
|
|
|
|
"""
|
|
|
|
pass
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def deactivate(self):
|
|
|
|
"""Subclasses of PlotMode should do their cleanup here.
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
The deactivate method is primarily by subclasses of PlotMode to
|
|
|
|
remove any callbacks they might have on the matplotlib canvas.
|
|
|
|
"""
|
|
|
|
pass
|
|
|
|
|
|
|
|
def _mpl_disconnect_all(self):
|
|
|
|
"""Disconnects all matplotlib callbacks defined on the canvas.
|
|
|
|
|
|
|
|
This is a hack because the RectangleSelector in matplotlib does
|
|
|
|
not store its callbacks, so we need a workaround to remove them.
|
|
|
|
"""
|
|
|
|
callbacks = self.plot.canvas.callbacks
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
for callbackd in callbacks.values():
|
|
|
|
for c in callbackd.keys():
|
|
|
|
del callbackd[c]
|
2006-10-09 20:04:39 +02:00
|
|
|
|
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
class DefaultPlotMode (PlotMode):
|
|
|
|
def __init__(self, plot):
|
2007-01-03 18:30:27 +01:00
|
|
|
PlotMode.__init__(self, plot, 'default', 'Default mode', 'cursor')
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
class PanPlotMode (PlotMode):
|
|
|
|
def __init__(self, plot):
|
|
|
|
PlotMode.__init__(self, plot, 'pan',
|
|
|
|
'Pan axes with left mouse, zoom with right',
|
2007-01-03 18:30:27 +01:00
|
|
|
'move')
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
# Holds handler IDs for callbacks.
|
|
|
|
self._button_press = None
|
|
|
|
self._button_release = None
|
|
|
|
self._motion_notify = None
|
2007-01-11 14:07:54 +01:00
|
|
|
self._xypress = None
|
2006-10-12 16:58:36 +02:00
|
|
|
self._button_pressed = None
|
|
|
|
|
|
|
|
def activate(self):
|
|
|
|
self._button_press = self.canvas.mpl_connect(
|
|
|
|
'button_press_event', self._on_button_press)
|
|
|
|
self._button_relese = self.canvas.mpl_connect(
|
|
|
|
'button_release_event', self._on_button_release)
|
|
|
|
#self._drag = self.canvas.mpl_connect(
|
|
|
|
# 'mouse_drag_event', self._on_drag)
|
|
|
|
|
|
|
|
def deactivate(self):
|
|
|
|
if self._button_press:
|
|
|
|
self.canvas.mpl_disconnect(self._button_press)
|
|
|
|
|
|
|
|
if self._button_release:
|
|
|
|
self.canvas.mpl_disconnect(self._button_release)
|
|
|
|
|
|
|
|
def _on_button_press(self, event):
|
|
|
|
|
|
|
|
if event.button == 1:
|
|
|
|
self._button_pressed = 1
|
|
|
|
elif event.button == 3:
|
|
|
|
self._button_pressed = 3
|
|
|
|
else:
|
|
|
|
self._button_pressed=None
|
|
|
|
return
|
|
|
|
|
|
|
|
x, y = event.x, event.y
|
|
|
|
|
|
|
|
# push the current view to define home if stack is empty
|
|
|
|
# if self._views.empty(): self.push_current()
|
|
|
|
|
|
|
|
self._xypress=[]
|
|
|
|
for i, a in enumerate(self.canvas.figure.get_axes()):
|
|
|
|
if x is not None and y is not None and a.in_axes(x, y) \
|
|
|
|
and a.get_navigate():
|
|
|
|
xmin, xmax = a.get_xlim()
|
|
|
|
ymin, ymax = a.get_ylim()
|
|
|
|
lim = xmin, xmax, ymin, ymax
|
|
|
|
self._xypress.append((x, y, a, i, lim,a.transData.deepcopy()))
|
|
|
|
self.canvas.mpl_disconnect(self._motion_notify)
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
cid = self.canvas.mpl_connect('motion_notify_event',
|
|
|
|
self._on_motion_notify)
|
|
|
|
self._motion_notify = cid
|
|
|
|
|
|
|
|
def _on_motion_notify(self, event):
|
|
|
|
"""The drag callback in pan/zoom mode"""
|
|
|
|
|
|
|
|
def format_deltas(event, dx, dy):
|
|
|
|
"""Returns the correct dx and dy based on the modifier keys"""
|
|
|
|
if event.key=='control':
|
|
|
|
if(abs(dx)>abs(dy)):
|
|
|
|
dy = dx
|
|
|
|
else:
|
|
|
|
dx = dy
|
|
|
|
elif event.key=='x':
|
|
|
|
dy = 0
|
|
|
|
elif event.key=='y':
|
|
|
|
dx = 0
|
|
|
|
elif event.key=='shift':
|
|
|
|
if 2*abs(dx) < abs(dy):
|
|
|
|
dx=0
|
|
|
|
elif 2*abs(dy) < abs(dx):
|
|
|
|
dy=0
|
|
|
|
elif(abs(dx)>abs(dy)):
|
|
|
|
dy=dy/abs(dy)*abs(dx)
|
|
|
|
else:
|
|
|
|
dx=dx/abs(dx)*abs(dy)
|
|
|
|
return (dx,dy)
|
|
|
|
|
|
|
|
for cur_xypress in self._xypress:
|
|
|
|
lastx, lasty, a, ind, lim, trans = cur_xypress
|
|
|
|
xmin, xmax, ymin, ymax = lim
|
|
|
|
|
|
|
|
#safer to use the recorded button at the press than current button:
|
|
|
|
#multiple button can get pressed during motion...
|
|
|
|
if self._button_pressed==1:
|
|
|
|
lastx, lasty = trans.inverse_xy_tup( (lastx, lasty) )
|
|
|
|
x, y = trans.inverse_xy_tup( (event.x, event.y) )
|
|
|
|
if a.get_xscale()=='log':
|
|
|
|
dx=1-lastx/x
|
|
|
|
else:
|
|
|
|
dx=x-lastx
|
|
|
|
if a.get_yscale()=='log':
|
|
|
|
dy=1-lasty/y
|
|
|
|
else:
|
|
|
|
dy=y-lasty
|
|
|
|
|
|
|
|
dx,dy=format_deltas(event,dx,dy)
|
|
|
|
|
|
|
|
if a.get_xscale()=='log':
|
|
|
|
xmin *= 1-dx
|
|
|
|
xmax *= 1-dx
|
|
|
|
else:
|
|
|
|
xmin -= dx
|
|
|
|
xmax -= dx
|
|
|
|
if a.get_yscale()=='log':
|
|
|
|
ymin *= 1-dy
|
|
|
|
ymax *= 1-dy
|
|
|
|
else:
|
|
|
|
ymin -= dy
|
|
|
|
ymax -= dy
|
|
|
|
|
|
|
|
elif self._button_pressed==3:
|
|
|
|
try:
|
|
|
|
dx=(lastx-event.x)/float(a.bbox.width())
|
|
|
|
dy=(lasty-event.y)/float(a.bbox.height())
|
|
|
|
dx,dy=format_deltas(event,dx,dy)
|
|
|
|
if a.get_aspect() != 'auto':
|
|
|
|
dx = 0.5*(dx + dy)
|
|
|
|
dy = dx
|
|
|
|
alphax = pow(10.0,dx)
|
|
|
|
alphay = pow(10.0,dy)
|
|
|
|
lastx, lasty = trans.inverse_xy_tup( (lastx, lasty) )
|
|
|
|
if a.get_xscale()=='log':
|
|
|
|
xmin = lastx*(xmin/lastx)**alphax
|
|
|
|
xmax = lastx*(xmax/lastx)**alphax
|
|
|
|
else:
|
|
|
|
xmin = lastx+alphax*(xmin-lastx)
|
|
|
|
xmax = lastx+alphax*(xmax-lastx)
|
|
|
|
if a.get_yscale()=='log':
|
|
|
|
ymin = lasty*(ymin/lasty)**alphay
|
|
|
|
ymax = lasty*(ymax/lasty)**alphay
|
|
|
|
else:
|
|
|
|
ymin = lasty+alphay*(ymin-lasty)
|
|
|
|
ymax = lasty+alphay*(ymax-lasty)
|
|
|
|
|
|
|
|
except OverflowError:
|
|
|
|
warnings.warn('Overflow while panning')
|
|
|
|
return
|
|
|
|
|
|
|
|
a.set_xlim(xmin, xmax)
|
|
|
|
a.set_ylim(ymin, ymax)
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
self.canvas.draw()
|
|
|
|
|
|
|
|
def _on_button_release(self, event):
|
|
|
|
'the release mouse button callback in pan/zoom mode'
|
|
|
|
self.canvas.mpl_disconnect(self._motion_notify)
|
|
|
|
if not self._xypress: return
|
|
|
|
self._xypress = None
|
2007-01-11 14:07:54 +01:00
|
|
|
self._button_pressed = None
|
2006-10-12 16:58:36 +02:00
|
|
|
self.canvas.draw()
|
2006-10-09 20:04:39 +02:00
|
|
|
|
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
class ZoomPlotMode (PlotMode):
|
|
|
|
def __init__(self, plot):
|
|
|
|
PlotMode.__init__(self, plot, 'zoom',
|
2007-01-03 18:30:27 +01:00
|
|
|
'Zoom to rectangle','zoom_to_rect')
|
2006-10-12 16:58:36 +02:00
|
|
|
self._selectors = {}
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def activate(self):
|
|
|
|
for ax in self.canvas.figure.get_axes():
|
|
|
|
props = dict(facecolor = 'blue',
|
|
|
|
edgecolor = 'black',
|
|
|
|
alpha = 0.3,
|
|
|
|
fill = True)
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
rs = RectangleSelector(ax, self._on_select, drawtype='box',
|
|
|
|
useblit=True, rectprops = props)
|
|
|
|
self.canvas.draw()
|
|
|
|
self._selectors[rs] = ax
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def deactivate(self):
|
|
|
|
self._mpl_disconnect_all()
|
|
|
|
self._selectors = {}
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def _on_select(self, start, end):
|
|
|
|
ax = start.inaxes
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
ax.set_xlim((min(start.xdata, end.xdata), max(start.xdata, end.xdata)))
|
|
|
|
ax.set_ylim((min(start.ydata, end.ydata), max(start.ydata, end.ydata)))
|
|
|
|
self.canvas.draw()
|
|
|
|
|
|
|
|
|
2007-01-15 14:47:18 +01:00
|
|
|
class SelectPlotMode2 (PlotMode):
|
|
|
|
def __init__(self, plot):
|
|
|
|
PlotMode.__init__(self, plot, 'lassoselect',
|
|
|
|
'Select within lasso', 'lasso')
|
|
|
|
|
|
|
|
def activate(self):
|
|
|
|
self._button_press = self.canvas.mpl_connect(
|
|
|
|
'button_press_event', self._on_select)
|
|
|
|
|
|
|
|
def deactivate(self):
|
|
|
|
self._mpl_disconnect_all()
|
|
|
|
self.plot._lasso = None
|
|
|
|
|
|
|
|
def _on_select(self, event):
|
2007-01-31 13:02:11 +01:00
|
|
|
if event.inaxes is None:
|
|
|
|
logger.log('debug', 'Lasso select not in axes')
|
|
|
|
return
|
2007-01-15 16:46:24 +01:00
|
|
|
self.plot._lasso = Lasso(event.inaxes, (event.xdata, event.ydata), self.lasso_callback)
|
2007-01-15 14:47:18 +01:00
|
|
|
self.plot._lasso.line.set_linewidth(1)
|
|
|
|
self.plot._lasso.line.set_linestyle('--')
|
2007-01-15 16:46:24 +01:00
|
|
|
self._event = event
|
|
|
|
|
|
|
|
def lasso_callback(self, verts):
|
|
|
|
self.plot.lasso_select_callback(verts, self._event.key)
|
|
|
|
|
2007-01-15 14:47:18 +01:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
class SelectPlotMode (PlotMode):
|
|
|
|
def __init__(self, plot):
|
|
|
|
PlotMode.__init__(self, plot, 'select',
|
2007-01-03 18:30:27 +01:00
|
|
|
'Select within rectangle', 'select')
|
2006-10-12 16:58:36 +02:00
|
|
|
self._selectors = {}
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def activate(self):
|
|
|
|
for ax in self.canvas.figure.get_axes():
|
|
|
|
props = dict(facecolor = 'blue',
|
|
|
|
edgecolor = 'black',
|
|
|
|
alpha = 0.3,
|
|
|
|
fill = True)
|
|
|
|
|
|
|
|
rs = RectangleSelector(ax, self._on_select, drawtype='box',
|
|
|
|
useblit=True, rectprops = props)
|
|
|
|
self.canvas.draw()
|
|
|
|
self._selectors[rs] = ax
|
2007-01-11 14:07:54 +01:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def deactivate(self):
|
|
|
|
self._mpl_disconnect_all()
|
|
|
|
self._selectors = {}
|
|
|
|
|
|
|
|
def _on_select(self, start, end):
|
|
|
|
self.plot.rectangle_select_callback(start.xdata, start.ydata,
|
2007-01-11 14:07:54 +01:00
|
|
|
end.xdata, end.ydata, end.key)
|
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
class PlotToolbar(gtk.Toolbar):
|
|
|
|
|
|
|
|
def __init__(self, plot):
|
|
|
|
gtk.Toolbar.__init__(self)
|
|
|
|
self.plot = plot
|
|
|
|
self.canvas = plot.canvas
|
|
|
|
self._current_mode = None
|
|
|
|
self.tooltips = gtk.Tooltips()
|
|
|
|
|
|
|
|
## Maps toolbar buttons to PlotMode objects.
|
|
|
|
self._mode_buttons = {}
|
|
|
|
self.set_property('show-arrow', False)
|
2006-10-12 20:33:38 +02:00
|
|
|
self.canvas.connect('enter-notify-event', self.on_enter_notify)
|
2006-10-12 16:58:36 +02:00
|
|
|
self.show()
|
2007-01-11 14:07:54 +01:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
self.add_mode(DefaultPlotMode(self.plot))
|
|
|
|
self.add_mode(PanPlotMode(self.plot))
|
|
|
|
self.add_mode(ZoomPlotMode(self.plot))
|
|
|
|
self.add_mode(SelectPlotMode(self.plot))
|
2007-01-15 14:47:18 +01:00
|
|
|
self.add_mode(SelectPlotMode2(self.plot))
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
self.insert(gtk.SeparatorToolItem(), -1)
|
2006-10-14 17:31:38 +02:00
|
|
|
self.set_style(gtk.TOOLBAR_ICONS)
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
# Set up freeze button
|
|
|
|
btn = gtk.ToggleToolButton()
|
|
|
|
|
|
|
|
image = gtk.Image()
|
2007-01-03 18:30:27 +01:00
|
|
|
image.set_from_pixbuf(fluents.icon_factory.get('freeze'))
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
btn.set_icon_widget(image)
|
|
|
|
btn.connect('toggled', self._on_freeze_toggle)
|
|
|
|
self.insert(btn, -1)
|
2007-01-17 16:35:12 +01:00
|
|
|
self.freeze_button = btn
|
2006-10-12 16:58:36 +02:00
|
|
|
|
|
|
|
self.show_all()
|
|
|
|
|
|
|
|
def add_mode(self, mode):
|
|
|
|
"""Adds a new mode to the toolbar."""
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
if len(self._mode_buttons) > 0:
|
|
|
|
other = self._mode_buttons.keys()[0]
|
2006-10-09 20:04:39 +02:00
|
|
|
else:
|
2006-10-12 16:58:36 +02:00
|
|
|
other = None
|
|
|
|
|
|
|
|
btn = gtk.RadioToolButton(other)
|
|
|
|
btn.set_icon_widget(mode.get_icon())
|
|
|
|
btn.set_tooltip(self.tooltips, mode.tooltip, 'Private')
|
|
|
|
btn.connect('toggled', self._on_mode_toggle)
|
|
|
|
|
|
|
|
self._mode_buttons[btn] = mode
|
|
|
|
self.insert(btn, -1)
|
|
|
|
|
|
|
|
if self._current_mode == None:
|
|
|
|
self._current_mode = mode
|
|
|
|
|
|
|
|
def get_mode(self):
|
|
|
|
"""Returns the active mode name."""
|
|
|
|
if self._current_mode:
|
|
|
|
return self._current_mode.name
|
|
|
|
return None
|
|
|
|
|
|
|
|
def get_mode_by_name(self, mode_name):
|
|
|
|
"""Returns the mode with the given name or None."""
|
|
|
|
for m in self._mode_buttons.values():
|
|
|
|
if m.name == mode_name:
|
|
|
|
return m
|
|
|
|
return None
|
|
|
|
|
|
|
|
def get_button(self, mode_name):
|
|
|
|
"""Returns the button that corresponds to a mode name."""
|
|
|
|
for b, m in self._mode_buttons.items():
|
|
|
|
if m.name == mode_name:
|
|
|
|
return b
|
|
|
|
return None
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-10-12 16:58:36 +02:00
|
|
|
def set_mode(self, mode_name):
|
|
|
|
"""Sets a mode by name. Returns the mode or None"""
|
|
|
|
if mode_name == self._current_mode.name:
|
|
|
|
return None
|
|
|
|
|
|
|
|
if self._current_mode:
|
|
|
|
self._current_mode.deactivate()
|
|
|
|
|
|
|
|
new_mode = self.get_mode_by_name(mode_name)
|
|
|
|
if new_mode:
|
|
|
|
new_mode.activate()
|
|
|
|
self._current_mode = self.get_mode_by_name(mode_name)
|
|
|
|
else:
|
|
|
|
logger.log('warning', 'No such mode: %s' % mode_name)
|
|
|
|
|
|
|
|
if self.get_button(mode_name) and \
|
|
|
|
not self.get_button(mode_name).get_active():
|
|
|
|
self.get_button(mode_name).set_active(True)
|
2006-10-12 20:33:38 +02:00
|
|
|
|
|
|
|
globals()['active_mode'] = mode_name
|
2006-10-12 16:58:36 +02:00
|
|
|
return self._current_mode
|
|
|
|
|
|
|
|
|
|
|
|
def _on_mode_toggle(self, button):
|
|
|
|
if button.get_active():
|
|
|
|
self.set_mode(self._mode_buttons[button].name)
|
|
|
|
|
|
|
|
def _on_freeze_toggle(self, button):
|
|
|
|
self.plot.set_frozen(button.get_active())
|
|
|
|
|
2006-10-12 20:33:38 +02:00
|
|
|
def on_enter_notify(self, widget, event):
|
|
|
|
self.set_mode(active_mode)
|
2007-01-11 14:07:54 +01:00
|
|
|
# need views (plots) to grab key-events
|
|
|
|
widget.grab_focus()
|
2006-10-09 20:04:39 +02:00
|
|
|
|
2006-06-01 15:51:16 +02:00
|
|
|
# Create a view-changed signal that should be emitted every time
|
|
|
|
# the active view changes.
|
|
|
|
gobject.signal_new('view-changed', MainView, gobject.SIGNAL_RUN_LAST,
|
|
|
|
gobject.TYPE_NONE,
|
|
|
|
(gobject.TYPE_PYOBJECT,))
|
|
|
|
|
|
|
|
# Create focus-changed signal
|
|
|
|
gobject.signal_new('focus-changed', ViewFrame, gobject.SIGNAL_RUN_LAST,
|
|
|
|
gobject.TYPE_NONE,
|
|
|
|
(gobject.TYPE_PYOBJECT, gobject.TYPE_BOOLEAN,))
|
|
|
|
|