source: sasview/src/sans/plottools/PlotPanel.py @ b9f6d83

ESS_GUIESS_GUI_DocsESS_GUI_batch_fittingESS_GUI_bumps_abstractionESS_GUI_iss1116ESS_GUI_iss879ESS_GUI_iss959ESS_GUI_openclESS_GUI_orderingESS_GUI_sync_sascalccostrafo411magnetic_scattrelease-4.1.1release-4.1.2release-4.2.2release_4.0.1ticket-1009ticket-1094-headlessticket-1242-2d-resolutionticket-1243ticket-1249ticket885unittest-saveload
Last change on this file since b9f6d83 was b9f6d83, checked in by Mathieu Doucet <doucetm@…>, 10 years ago

Re #216 Merging wx30 branch

  • Property mode set to 100644
File size: 76.9 KB
Line 
1"""
2"""
3import logging
4import wx
5# Try a normal import first
6# If it fails, try specifying a version
7import matplotlib
8matplotlib.interactive(False)
9#Use the WxAgg back end. The Wx one takes too long to render
10matplotlib.use('WXAgg')
11from matplotlib.backends.backend_wxagg import FigureCanvasWxAgg
12from matplotlib.figure import Figure
13import os
14import transform
15from plottables import Data1D
16#TODO: make the plottables interactive
17from binder import BindArtist
18from matplotlib.font_manager import FontProperties
19DEBUG = False
20
21from plottables import Graph
22from plottables import Text
23from TextDialog import TextDialog
24from LabelDialog import LabelDialog
25import operator
26
27import math
28import pylab
29DEFAULT_CMAP = pylab.cm.jet
30import copy
31import numpy
32
33
34def show_tree(obj, d=0):
35    """Handy function for displaying a tree of graph objects"""
36    print "%s%s" % ("-"*d, obj.__class__.__name__)
37    if 'get_children' in dir(obj):
38        for a in obj.get_children(): show_tree(a, d+1)
39     
40from unitConverter import UnitConvertion as convertUnit
41
42
43def _rescale(lo, hi, step, pt=None, bal=None, scale='linear'):
44        """
45        Rescale (lo,hi) by step, returning the new (lo,hi)
46        The scaling is centered on pt, with positive values of step
47        driving lo/hi away from pt and negative values pulling them in.
48        If bal is given instead of point, it is already in [0,1] coordinates.
49   
50        This is a helper function for step-based zooming.
51       
52        """
53        # Convert values into the correct scale for a linear transformation
54        # TODO: use proper scale transformers
55        loprev = lo
56        hiprev = hi
57        if scale == 'log':
58            assert lo > 0
59            if lo > 0:
60                lo = math.log10(lo)
61            if hi > 0:
62                hi = math.log10(hi)
63            if pt is not None:
64                pt = math.log10(pt)
65       
66        # Compute delta from axis range * %, or 1-% if persent is negative
67        if step > 0:
68            delta = float(hi - lo) * step / 100
69        else:
70            delta = float(hi - lo) * step / (100 - step)
71   
72        # Add scale factor proportionally to the lo and hi values,
73        # preserving the
74        # point under the mouse
75        if bal is None:
76            bal = float(pt - lo) / (hi - lo)
77        lo = lo - (bal * delta)
78        hi = hi + (1 - bal) * delta
79   
80        # Convert transformed values back to the original scale
81        if scale == 'log':
82            if (lo <= -250) or (hi >= 250):
83                lo = loprev
84                hi = hiprev
85            else:
86                lo, hi = math.pow(10., lo), math.pow(10., hi)
87        return (lo, hi)
88
89
90def CopyImage(canvas):
91    """
92    0: matplotlib plot
93    1: wx.lib.plot
94    2: other
95    """
96    bmp = wx.BitmapDataObject()
97    bmp.SetBitmap(canvas.bitmap)
98   
99    wx.TheClipboard.Open()
100    wx.TheClipboard.SetData(bmp)
101    wx.TheClipboard.Close()
102
103
104class PlotPanel(wx.Panel):
105    """
106    The PlotPanel has a Figure and a Canvas. OnSize events simply set a
107    flag, and the actually redrawing of the
108    figure is triggered by an Idle event.
109   
110    """
111    def __init__(self, parent, id=-1, xtransform=None,
112                  ytransform=None, scale='log_{10}',
113                  color=None, dpi=None, **kwargs):
114        """
115        """
116        wx.Panel.__init__(self, parent, id=id, **kwargs)
117        self.parent = parent
118        if hasattr(parent, "parent"):
119            self.parent = self.parent.parent
120        self.dimension = 1
121        self.gotLegend = 0  # to begin, legend is not picked.
122        self.legend_pos_loc = None
123        self.legend = None
124        self.line_collections_list = []
125        self.figure = Figure(None, dpi, linewidth=2.0)
126        self.color = '#b3b3b3'
127        from canvas import FigureCanvas
128        self.canvas = FigureCanvas(self, -1, self.figure)
129        self.SetColor(color)
130        #self.SetBackgroundColour(parent.GetBackgroundColour())
131        self._resizeflag = True
132        self._SetSize()
133        self.subplot = self.figure.add_subplot(111)
134        self.figure.subplots_adjust(left=0.2, bottom=.2)
135        self.yscale = 'linear'
136        self.xscale = 'linear'
137        self.sizer = wx.BoxSizer(wx.VERTICAL)
138        self.sizer.Add(self.canvas, 1, wx.EXPAND)
139        #add toolbar
140        self.enable_toolbar = True
141        self.toolbar = None
142        self.add_toolbar()
143        self.SetSizer(self.sizer)
144       
145        # Graph object to manage the plottables
146        self.graph = Graph()
147       
148        #Boolean value to keep track of whether current legend is
149        #visible or not
150        self.legend_on = True
151        self.grid_on = False
152        #Location of legend, default is 0 or 'best'
153        self.legendLoc = 0
154        self.position = None
155        self._loc_labels = self.get_loc_label()
156     
157        self.Bind(wx.EVT_CONTEXT_MENU, self.onContextMenu)
158       
159        # Define some constants
160        self.colorlist = ['b','g','r','c','m','y','k']
161        self.symbollist = ['o','x','^','v','<','>','+',
162                           's','d','D','h','H','p', '-']
163       
164        #List of texts currently on the plot
165        self.textList = []
166        #User scale
167        if xtransform != None:
168            self.xLabel = xtransform
169        else:
170            self.xLabel = "log10(x)"
171        if ytransform != None:
172            self.yLabel = ytransform
173        else:
174            self.yLabel = "log10(y)"
175        self.viewModel = "--"
176        # keep track if the previous transformation of x
177        # and y in Property dialog
178        self.prevXtrans = "log10(x)"
179        self.prevYtrans = "log10(y)"
180        self.scroll_id = self.canvas.mpl_connect('scroll_event', self.onWheel)
181        #taking care of dragging
182        self.motion_id = self.canvas.mpl_connect('motion_notify_event', 
183                                                 self.onMouseMotion)
184        self.press_id = self.canvas.mpl_connect('button_press_event', 
185                                                self.onLeftDown)
186        self.pick_id = self.canvas.mpl_connect('pick_event', self.onPick)
187        self.release_id = self.canvas.mpl_connect('button_release_event', 
188                                                  self.onLeftUp)
189       
190        wx.EVT_RIGHT_DOWN(self, self.onLeftDown)
191        # to turn axis off whenn resizing the panel
192        self.resizing = False
193       
194        self.leftdown = False
195        self.leftup = False
196        self.mousemotion = False
197        self.axes = [self.subplot]
198        ## Fit dialog
199        self._fit_dialog = None
200        # Interactor
201        self.connect = BindArtist(self.subplot.figure)
202        #self.selected_plottable = None
203       
204        # new data for the fit
205        self.fit_result = Data1D(x=[], y=[], dy=None)
206        self.fit_result.symbol = 13
207        #self.fit_result = Data1D(x=[], y=[],dx=None, dy=None)
208        self.fit_result.name = "Fit"
209        # For fit Dialog initial display
210        self.xmin = 0.0
211        self.xmax = 0.0
212        self.xminView = 0.0
213        self.xmaxView = 0.0
214        self._scale_xlo = None
215        self._scale_xhi = None
216        self._scale_ylo = None
217        self._scale_yhi = None
218        self.Avalue = None
219        self.Bvalue = None
220        self.ErrAvalue = None
221        self.ErrBvalue = None
222        self.Chivalue = None
223       
224        # for 2D scale
225        if scale != 'linear':
226            scale = 'log_{10}'
227        self.scale = scale
228        self.data = None
229        self.qx_data = None
230        self.qy_data = None
231        self.xmin_2D = None
232        self.xmax_2D = None
233        self.ymin_2D = None
234        self.ymax_2D = None
235        ## store reference to the current plotted vmin and vmax of plotted image
236        ##z range in linear scale
237        self.zmin_2D = None
238        self.zmax_2D = None
239       
240        #index array
241        self.index_x = None
242        self.index_y = None
243       
244        #number of bins
245        self.x_bins = None
246        self.y_bins = None
247       
248        ## default color map
249        self.cmap = DEFAULT_CMAP
250       
251        # Dragging info
252        self.begDrag = False
253        self.xInit = None
254        self.yInit = None
255        self.xFinal = None
256        self.yFinal = None
257       
258        #axes properties
259        self.xaxis_font = None
260        self.xaxis_label = None
261        self.xaxis_unit = None
262        self.xaxis_color = 'black'
263        self.xaxis_tick = None
264        self.yaxis_font = None
265        self.yaxis_label = None
266        self.yaxis_unit = None
267        self.yaxis_color = 'black'
268        self.yaxis_tick = None
269       
270        # check if zoomed.
271        self.is_zoomed = False
272        # Plottables
273        self.plots = {}
274       
275        # Default locations
276        self._default_save_location = os.getcwd()
277        # let canvas know about axes
278        self.canvas.set_panel(self)
279        self.ly = None
280        self.q_ctrl = None
281        #Bind focus to change the border color
282        self.canvas.Bind(wx.EVT_SET_FOCUS, self.on_set_focus)
283        self.canvas.Bind(wx.EVT_KILL_FOCUS, self.on_kill_focus)
284
285    def _SetInitialSize(self,):
286        """
287        """
288        pixels = self.parent.GetClientSize()
289        self.canvas.SetSize(pixels)
290        self.figure.set_size_inches(pixels[0] / self.figure.get_dpi(),
291         pixels[1] / self.figure.get_dpi(), forward=True)
292         
293    def On_Paint(self, event):
294        """
295        """
296        self.canvas.SetBackgroundColour(self.color)
297
298    def on_set_focus(self, event):
299        """
300        Send to the parenet the current panel on focus
301        """
302        # light blue
303        self.color = '#0099f7'
304        self.figure.set_edgecolor(self.color)
305        if self.parent and self.window_caption:
306            self.parent.send_focus_to_datapanel(self.window_caption)
307        self.draw()
308       
309    def on_kill_focus(self, event):
310        """
311        Reset the panel color
312        """
313        # light grey
314        self.color = '#b3b3b3'
315        self.figure.set_edgecolor(self.color)
316        self.draw()
317           
318    def set_resizing(self, resizing=False):
319        """
320        Set the resizing (True/False)
321        """
322        pass  # Not implemented
323   
324    def schedule_full_draw(self, func='append'):
325        """
326        Put self in schedule to full redraw list
327        """
328        pass  # Not implemented
329   
330    def add_toolbar(self):
331        """
332        add toolbar
333        """
334        self.enable_toolbar = True
335        from toolbar import NavigationToolBar
336        self.toolbar = NavigationToolBar(parent=self, canvas=self.canvas)
337        self.toolbar.Realize()
338        ## The 'SetToolBar()' is not working on MAC: JHC
339        #if IS_MAC:
340        # Mac platform (OSX 10.3, MacPython) does not seem to cope with
341        # having a toolbar in a sizer. This work-around gets the buttons
342        # back, but at the expense of having the toolbar at the top
343        #self.SetToolBar(self.toolbar)
344        #else:
345        # On Windows platform, default window size is incorrect, so set
346        # toolbar width to figure width.
347        tw, th = self.toolbar.GetSizeTuple()
348        fw, fh = self.canvas.GetSizeTuple()
349        # By adding toolbar in sizer, we are able to put it at the bottom
350        # of the frame - so appearance is closer to GTK version.
351        # As noted above, doesn't work for Mac.
352        self.toolbar.SetSize(wx.Size(fw, th))
353        self.sizer.Add(self.toolbar, 0, wx.LEFT | wx.EXPAND)
354       
355        # update the axes menu on the toolbar
356        self.toolbar.update()
357       
358    def onLeftDown(self, event):
359        """
360        left button down and ready to drag
361       
362        """
363        # Check that the LEFT button was pressed
364        if event.button == 1:
365            self.leftdown = True
366            ax = event.inaxes
367            if ax != None:
368                self.xInit, self.yInit = event.xdata, event.ydata
369                try:
370                    pos_x = float(event.xdata)  # / size_x
371                    pos_y = float(event.ydata)  # / size_y
372                    pos_x = "%8.3g" % pos_x
373                    pos_y = "%8.3g" % pos_y
374                    self.position = str(pos_x), str(pos_y)
375                    wx.PostEvent(self.parent, StatusEvent(status=self.position))
376                except:
377                    self.position = None
378
379    def onLeftUp(self, event):
380        """
381        Dragging is done
382        """
383        # Check that the LEFT button was released
384        if event.button == 1:
385            self.leftdown = False
386            self.mousemotion = False
387            self.leftup = True
388           
389        #release the legend
390        if self.gotLegend == 1:
391            self.gotLegend = 0
392            self.set_legend_alpha(1)
393           
394    def set_legend_alpha(self, alpha=1):
395        """
396        Set legend alpha
397        """
398        if self.legend != None:
399            self.legend.legendPatch.set_alpha(alpha)
400       
401    def onPick(self, event):
402        """
403        On pick legend
404        """
405        legend = self.legend
406        if event.artist == legend:
407            #gets the box of the legend.
408            bbox = self.legend.get_window_extent()
409            #get mouse coordinates at time of pick.
410            self.mouse_x = event.mouseevent.x
411            self.mouse_y = event.mouseevent.y
412            #get legend coordinates at time of pick.
413            self.legend_x = bbox.xmin
414            self.legend_y = bbox.ymin
415            #indicates we picked up the legend.
416            self.gotLegend = 1
417            self.set_legend_alpha(0.5)
418   
419    def _on_legend_motion(self, event):
420        """
421        On legend in motion
422        """
423        ax = event.inaxes
424        if ax == None:
425            return
426        # Event occurred inside a plotting area
427        lo_x, hi_x = ax.get_xlim()
428        lo_y, hi_y = ax.get_ylim()
429        # How much the mouse moved.
430        x = mouse_diff_x = self.mouse_x - event.x
431        y = mouse_diff_y = self.mouse_y - event.y
432        # Put back inside
433        if x < lo_x:
434            x = lo_x
435        if x > hi_x:
436            x = hi_x
437        if y < lo_y:
438            y = lo_y
439        if y > hi_y:
440            y = hi_y
441        # Move the legend from its previous location by that same amount
442        loc_in_canvas = self.legend_x - mouse_diff_x, \
443                        self.legend_y - mouse_diff_y
444        # Transform into legend coordinate system
445        trans_axes = self.legend.parent.transAxes.inverted()
446        loc_in_norm_axes = trans_axes.transform_point(loc_in_canvas)
447        self.legend_pos_loc = tuple(loc_in_norm_axes)
448        self.legend._loc = self.legend_pos_loc
449        self.resizing = True
450        self.canvas.set_resizing(self.resizing)
451        self.canvas.draw()
452           
453    def onMouseMotion(self, event):
454        """
455        check if the left button is press and the mouse in moving.
456        computer delta for x and y coordinates and then calls draghelper
457        to perform the drag
458       
459        """
460        self.cusor_line(event)
461        if self.gotLegend == 1:
462            self._on_legend_motion(event)
463            return
464        if self.enable_toolbar:
465            #Disable dragging without the toolbar to allow zooming with toolbar
466            return
467        self.mousemotion = True
468        if self.leftdown == True and self.mousemotion == True:
469            ax = event.inaxes
470            if ax != None:  # the dragging is perform inside the figure
471                self.xFinal, self.yFinal = event.xdata, event.ydata
472                # Check whether this is the first point
473                if self.xInit == None:
474                    self.xInit = self.xFinal
475                    self.yInit = self.yFinal
476                   
477                xdelta = self.xFinal - self.xInit
478                ydelta = self.yFinal - self.yInit
479               
480                if self.xscale == 'log':
481                    xdelta = math.log10(self.xFinal) - math.log10(self.xInit)
482                if self.yscale == 'log':
483                    ydelta = math.log10(self.yFinal) - math.log10(self.yInit)
484                self._dragHelper(xdelta, ydelta)
485            else:  # no dragging is perform elsewhere
486                self._dragHelper(0, 0)
487
488    def cusor_line(self, event):
489        """
490        """
491        pass
492
493    def _offset_graph(self):
494        """
495        Zoom and offset the graph to the last known settings
496        """
497        for ax in self.axes:
498            if self._scale_xhi is not None and self._scale_xlo is not None:
499                ax.set_xlim(self._scale_xlo, self._scale_xhi)
500            if self._scale_yhi is not None and self._scale_ylo is not None:
501                ax.set_ylim(self._scale_ylo, self._scale_yhi)
502           
503    def _dragHelper(self, xdelta, ydelta):
504        """
505        dragging occurs here
506       
507        """
508        # Event occurred inside a plotting area
509        for ax in self.axes:
510            lo, hi = ax.get_xlim()
511            #print "x lo %f and x hi %f"%(lo,hi)
512            newlo, newhi = lo - xdelta, hi - xdelta
513            if self.xscale == 'log':
514                if lo > 0:
515                    newlo = math.log10(lo) - xdelta
516                if hi > 0:
517                    newhi = math.log10(hi) - xdelta
518            if self.xscale == 'log':
519                self._scale_xlo = math.pow(10, newlo)
520                self._scale_xhi = math.pow(10, newhi)
521                ax.set_xlim(math.pow(10, newlo), math.pow(10, newhi))
522            else:
523                self._scale_xlo = newlo
524                self._scale_xhi = newhi
525                ax.set_xlim(newlo, newhi)
526            #print "new lo %f and new hi %f"%(newlo,newhi)
527           
528            lo, hi = ax.get_ylim()
529            #print "y lo %f and y hi %f"%(lo,hi)
530            newlo, newhi = lo - ydelta, hi - ydelta
531            if self.yscale == 'log':
532                if lo > 0:
533                    newlo = math.log10(lo) - ydelta
534                if hi > 0:
535                    newhi = math.log10(hi) - ydelta
536                #print "new lo %f and new hi %f"%(newlo,newhi)
537            if  self.yscale == 'log':
538                self._scale_ylo = math.pow(10, newlo)
539                self._scale_yhi = math.pow(10, newhi)
540                ax.set_ylim(math.pow(10, newlo), math.pow(10, newhi))
541            else:
542                self._scale_ylo = newlo
543                self._scale_yhi = newhi
544                ax.set_ylim(newlo, newhi)
545        self.canvas.draw_idle()
546
547    def resetFitView(self):
548        """
549        For fit Dialog initial display
550       
551        """
552        self.xmin = 0.0
553        self.xmax = 0.0
554        self.xminView = 0.0
555        self.xmaxView = 0.0
556        self._scale_xlo = None
557        self._scale_xhi = None
558        self._scale_ylo = None
559        self._scale_yhi = None
560        self.Avalue = None
561        self.Bvalue = None
562        self.ErrAvalue = None
563        self.ErrBvalue = None
564        self.Chivalue = None
565   
566    def onWheel(self, event):
567        """
568        Process mouse wheel as zoom events
569       
570        :param event: Wheel event
571       
572        """
573        ax = event.inaxes
574        step = event.step
575
576        if ax != None:
577            # Event occurred inside a plotting area
578            lo, hi = ax.get_xlim()
579            lo, hi = _rescale(lo, hi, step,
580                             pt=event.xdata, scale=ax.get_xscale())
581            if not self.xscale == 'log' or lo > 0:
582                self._scale_xlo = lo
583                self._scale_xhi = hi
584                ax.set_xlim((lo,hi))
585
586            lo, hi = ax.get_ylim()
587            lo, hi = _rescale(lo, hi, step, pt=event.ydata,
588                             scale=ax.get_yscale())
589            if not self.yscale == 'log' or lo > 0:
590                self._scale_ylo = lo
591                self._scale_yhi = hi
592                ax.set_ylim((lo, hi))
593        else:
594            # Check if zoom happens in the axes
595            xdata, ydata = None, None
596            x, y = event.x, event.y
597           
598            for ax in self.axes:
599                insidex, _ = ax.xaxis.contains(event)
600                if insidex:
601                    xdata, _ = ax.transAxes.inverted().transform_point((x, y))
602                insidey, _ = ax.yaxis.contains(event)
603                if insidey:
604                    _, ydata = ax.transAxes.inverted().transform_point((x, y))
605            if xdata is not None:
606                lo, hi = ax.get_xlim()
607                lo, hi = _rescale(lo, hi, step,
608                                  bal=xdata, scale=ax.get_xscale())
609                if not self.xscale == 'log' or lo > 0:
610                    self._scale_xlo = lo
611                    self._scale_xhi = hi
612                    ax.set_xlim((lo, hi))
613            if ydata is not None:
614                lo, hi = ax.get_ylim()
615                lo, hi = _rescale(lo, hi, step, bal=ydata,
616                                  scale=ax.get_yscale())
617                if not self.yscale == 'log' or lo > 0:
618                    self._scale_ylo = lo
619                    self._scale_yhi = hi
620                    ax.set_ylim((lo, hi))
621        self.canvas.draw_idle()
622
623    def returnTrans(self):
624        """
625        Return values and labels used by Fit Dialog
626        """
627        return self.xLabel, self.yLabel, self.Avalue, self.Bvalue,\
628                self.ErrAvalue, self.ErrBvalue, self.Chivalue
629   
630    def setTrans(self, xtrans, ytrans):
631        """
632       
633        :param xtrans: set x transformation on Property dialog
634        :param ytrans: set y transformation on Property dialog
635       
636        """
637        self.prevXtrans = xtrans
638        self.prevYtrans = ytrans
639   
640    def onFitting(self, event):
641        """
642        when clicking on linear Fit on context menu , display Fitting Dialog
643        """
644        list = {}
645        menu = event.GetEventObject()
646        id = event.GetId()
647        self.set_selected_from_menu(menu, id)
648        plotlist = self.graph.returnPlottable()
649        if self.graph.selected_plottable is not None:
650            for item in plotlist:
651                if item.id == self.graph.selected_plottable:
652                    list[item] = plotlist[item]
653        else:
654            list = plotlist
655        from fitDialog import LinearFit
656       
657        if len(list.keys()) > 0:
658            first_item = list.keys()[0]
659            dlg = LinearFit(parent=None, plottable=first_item,
660                            push_data=self.onFitDisplay,
661                            transform=self.returnTrans,
662                            title='Linear Fit')
663           
664            if (self.xmin != 0.0)and (self.xmax != 0.0)\
665                and(self.xminView != 0.0)and (self.xmaxView != 0.0):
666                dlg.setFitRange(self.xminView, self.xmaxView,
667                                self.xmin, self.xmax)
668            dlg.ShowModal()
669           
670    def set_selected_from_menu(self, menu, id):
671        """
672        Set selected_plottable from context menu selection
673       
674        :param menu: context menu item
675        :param id: menu item id
676        """
677        if len(self.plots) < 1:
678            return
679        name = menu.GetHelpString(id)
680        for plot in self.plots.values():
681            if plot.name == name:
682                self.graph.selected_plottable = plot.id
683                break
684           
685    def linear_plottable_fit(self, plot):
686        """
687            when clicking on linear Fit on context menu, display Fitting Dialog
688           
689            :param plot: PlotPanel owning the graph
690           
691        """
692        from fitDialog import LinearFit
693        if self._fit_dialog is not None:
694            return
695        self._fit_dialog = LinearFit(None, plot, self.onFitDisplay,
696                                      self.returnTrans, -1, 'Linear Fit')
697        # Set the zoom area
698        if self._scale_xhi is not None and self._scale_xlo is not None:
699            self._fit_dialog.set_fit_region(self._scale_xlo, self._scale_xhi)
700        # Register the close event
701        self._fit_dialog.register_close(self._linear_fit_close)
702        # Show a non-model dialog
703        self._fit_dialog.Show()
704
705    def _linear_fit_close(self):
706        """
707        A fit dialog was closed
708        """
709        self._fit_dialog = None
710       
711    def _onProperties(self, event):
712        """
713        when clicking on Properties on context menu ,
714        The Property dialog is displayed
715        The user selects a transformation for x or y value and
716        a new plot is displayed
717        """
718        if self._fit_dialog is not None:
719            self._fit_dialog.Destroy()
720            self._fit_dialog = None
721        list = []
722        list = self.graph.returnPlottable()
723        if len(list.keys()) > 0:
724            first_item = list.keys()[0]
725            if first_item.x != []:
726                from PropertyDialog import Properties
727                dial = Properties(self, -1, 'Properties')
728                dial.setValues(self.prevXtrans, self.prevYtrans, self.viewModel)
729                if dial.ShowModal() == wx.ID_OK:
730                    self.xLabel, self.yLabel, self.viewModel = dial.getValues()
731                    if self.viewModel == "Linear y vs x":
732                        self.xLabel = "x"
733                        self.yLabel = "y"
734                        self.viewModel = "--"
735                        dial.setValues(self.xLabel, self.yLabel, self.viewModel)
736                    if self.viewModel == "Guinier lny vs x^(2)":
737                        self.xLabel = "x^(2)"
738                        self.yLabel = "ln(y)"
739                        self.viewModel = "--"
740                        dial.setValues(self.xLabel, self.yLabel, self.viewModel)
741                    if self.viewModel == "XS Guinier ln(y*x) vs x^(2)":
742                        self.xLabel = "x^(2)"
743                        self.yLabel = "ln(y*x)"
744                        self.viewModel = "--"
745                        dial.setValues(self.xLabel, self.yLabel, self.viewModel)
746                    if self.viewModel == "Porod y*x^(4) vs x^(4)":
747                        self.xLabel = "x^(4)"
748                        self.yLabel = "y*x^(4)"
749                        self.viewModel = "--"
750                        dial.setValues(self.xLabel, self.yLabel, self.viewModel)
751                    self._onEVT_FUNC_PROPERTY()
752                dial.Destroy()
753           
754    def set_yscale(self, scale='linear'):
755        """
756        Set the scale on Y-axis
757       
758        :param scale: the scale of y-axis
759       
760        """
761        self.subplot.set_yscale(scale, nonposy='clip')
762        self.yscale = scale
763       
764    def get_yscale(self):
765        """
766       
767        :return: Y-axis scale
768       
769        """
770        return self.yscale
771   
772    def set_xscale(self, scale='linear'):
773        """
774        Set the scale on x-axis
775       
776        :param scale: the scale of x-axis
777       
778        """
779        self.subplot.set_xscale(scale)
780        self.xscale = scale
781       
782    def get_xscale(self):
783        """
784       
785        :return: x-axis scale
786       
787        """
788        return self.xscale
789
790    def SetColor(self, rgbtuple):
791        """
792        Set figure and canvas colours to be the same
793       
794        """
795        if not rgbtuple:
796            rgbtuple = wx.SystemSettings.GetColour(wx.SYS_COLOUR_BTNFACE).Get()
797        col = [c/255.0 for c in rgbtuple]
798        self.figure.set_facecolor(col)
799        self.figure.set_edgecolor(self.color)
800        self.canvas.SetBackgroundColour(wx.Colour(*rgbtuple))
801
802    def _onSize(self, event):
803        """
804        """
805        self._resizeflag = True
806
807    def _onIdle(self, evt):
808        """
809        """
810        if self._resizeflag:
811            self._resizeflag = False
812            self._SetSize()
813            self.draw()
814
815    def _SetSize(self, pixels=None):
816        """
817        This method can be called to force the Plot to be a desired size,
818         which defaults to the ClientSize of the panel
819         
820        """
821        if not pixels:
822            pixels = tuple(self.GetClientSize())
823        self.canvas.SetSize(pixels)
824        self.figure.set_size_inches(float(pixels[0]) / self.figure.get_dpi(),
825                                    float(pixels[1]) / self.figure.get_dpi())
826
827    def draw(self):
828        """
829        Where the actual drawing happens
830       
831        """
832        self.figure.canvas.draw_idle()
833       
834    def legend_picker(self, legend, event):
835        """
836            Pick up the legend patch
837        """
838        return self.legend.legendPatch.contains(event)
839       
840    def get_loc_label(self):
841        """
842        Associates label to a specific legend location
843        """
844        _labels = {}
845        i = 0
846        _labels['best'] = i
847        i += 1
848        _labels['upper right'] = i
849        i += 1
850        _labels['upper left'] = i
851        i += 1
852        _labels['lower left'] = i
853        i += 1
854        _labels['lower right'] = i
855        i += 1
856        _labels['right'] = i
857        i += 1
858        _labels['center left'] = i
859        i += 1
860        _labels['center right'] = i
861        i += 1
862        _labels['lower center'] = i
863        i += 1
864        _labels['upper center'] = i
865        i += 1
866        _labels['center'] = i
867        return _labels
868       
869    def onSaveImage(self, evt):
870        """
871        Implement save image
872        """
873        self.toolbar.save(evt)
874       
875    def onContextMenu(self, event):
876        """
877        Default context menu for a plot panel
878       
879        """
880        # Slicer plot popup menu
881        id = wx.NewId()
882        slicerpop = wx.Menu()
883        slicerpop.Append(id, '&Save image', 'Save image as PNG')
884        wx.EVT_MENU(self, id, self.onSaveImage)
885       
886        id = wx.NewId()
887        slicerpop.Append(id, '&Printer setup', 'Set image size')
888        wx.EVT_MENU(self, id, self.onPrinterSetup)
889       
890        id = wx.NewId()
891        slicerpop.Append(id, '&Printer Preview', 'Set image size')
892        wx.EVT_MENU(self, id, self.onPrinterPreview)
893   
894        id = wx.NewId()
895        slicerpop.Append(id, '&Print image', 'Print image ')
896        wx.EVT_MENU(self, id, self.onPrint)
897       
898        id = wx.NewId()
899        slicerpop.Append(id, '&Copy', 'Copy to the clipboard')
900        wx.EVT_MENU(self, id, self.OnCopyFigureMenu)
901
902        #id = wx.NewId()
903        #slicerpop.Append(id, '&Load 1D data file')
904        #wx.EVT_MENU(self, id, self._onLoad1DData)
905       
906        id = wx.NewId()
907        slicerpop.AppendSeparator()
908        slicerpop.Append(id, '&Properties')
909        wx.EVT_MENU(self, id, self._onProperties)
910       
911        id = wx.NewId()
912        slicerpop.AppendSeparator()
913        slicerpop.Append(id, '&Linear Fit')
914        wx.EVT_MENU(self, id, self.onFitting)
915       
916        id = wx.NewId()
917        slicerpop.AppendSeparator()
918        slicerpop.Append(id, '&Toggle Legend On/Off', 'Toggle Legend On/Off')
919        wx.EVT_MENU(self, id, self.onLegend)
920       
921        loc_menu = wx.Menu()
922        for label in self._loc_labels:
923            id = wx.NewId()
924            loc_menu.Append(id, str(label), str(label))
925            wx.EVT_MENU(self, id, self.onChangeLegendLoc)
926        id = wx.NewId()
927        slicerpop.AppendMenu(id, '&Modify Legend Location', loc_menu)
928       
929        id = wx.NewId()
930        slicerpop.Append(id, '&Modify Y Axis Label')
931        wx.EVT_MENU(self, id, self._on_yaxis_label)
932        id = wx.NewId()
933        slicerpop.Append(id, '&Modify X Axis Label')
934        wx.EVT_MENU(self, id, self._on_xaxis_label)
935       
936        try:
937            # mouse event
938            pos_evt = event.GetPosition()
939            pos = self.ScreenToClient(pos_evt)
940        except:
941            # toolbar event
942            pos_x, pos_y = self.toolbar.GetPositionTuple()
943            pos = (pos_x, pos_y + 5)
944           
945        self.PopupMenu(slicerpop, pos)
946       
947    def onToolContextMenu(self, event):
948        """
949        ContextMenu from toolbar
950       
951        :param event: toolbar event
952        """
953        # reset postion
954        self.position = None
955        if self.graph.selected_plottable != None:
956            self.graph.selected_plottable = None
957       
958        self.onContextMenu(event)
959       
960# modified kieranrcampbell ILL june2012
961    def onLegend(self,legOnOff):
962        """
963        Toggles whether legend is visible/not visible
964        """
965        self.legend_on = legOnOff
966        if not self.legend_on:
967            for ax in self.axes:
968                self.remove_legend(ax)
969        else:
970            # sort them by labels
971            handles, labels = self.subplot.get_legend_handles_labels()
972            hl = sorted(zip(handles, labels),
973                        key=operator.itemgetter(1))
974            handles2, labels2 = zip(*hl)
975            self.line_collections_list = handles2
976            self.legend = self.subplot.legend(handles2, labels2,
977                            prop=FontProperties(size=10), numpoints=1,
978                            handletextsep=.05, loc=self.legendLoc)
979            if self.legend != None:
980                self.legend.set_picker(self.legend_picker)
981                self.legend.set_axes(self.subplot)
982                self.legend.set_zorder(20)
983       
984        self.subplot.figure.canvas.draw_idle()
985
986    def onChangeLegendLoc(self, event):
987        """
988        Changes legend loc based on user input
989        """
990        menu = event.GetEventObject()
991        id = event.GetId()
992        label = menu.GetLabel(id)
993        self.ChangeLegendLoc(label)
994
995    def ChangeLegendLoc(self, label):
996        """
997        Changes legend loc based on user input
998        """
999        self.legendLoc = label
1000        self.legend_pos_loc = None
1001        # sort them by labels
1002        handles, labels = self.subplot.get_legend_handles_labels()
1003        hl = sorted(zip(handles, labels),
1004                    key=operator.itemgetter(1))
1005        handles2, labels2 = zip(*hl)
1006        self.line_collections_list = handles2
1007        self.legend = self.subplot.legend(handles2, labels2,
1008                            prop=FontProperties(size=10), numpoints=1,
1009                            handletextsep=.05, loc=self.legendLoc)
1010        if self.legend != None:
1011            self.legend.set_picker(self.legend_picker)
1012            self.legend.set_axes(self.subplot)
1013            self.legend.set_zorder(20)
1014        self.subplot.figure.canvas.draw_idle()
1015
1016    def remove_legend(self, ax=None):
1017        """
1018        Remove legend for ax or the current axes.
1019        """
1020        from pylab import gca
1021        if ax is None:
1022            ax = gca()
1023        ax.legend_ = None
1024       
1025    def _on_addtext(self, event):
1026        """
1027        Allows you to add text to the plot
1028        """
1029        pos_x = 0
1030        pos_y = 0
1031        if self.position != None:
1032            pos_x, pos_y = self.position
1033        else:
1034            pos_x, pos_y = 0.01, 1.00
1035
1036        textdial = TextDialog(None, -1, 'Add Custom Text')
1037        if textdial.ShowModal() == wx.ID_OK:
1038            try:
1039                FONT = FontProperties()
1040                label = textdial.getText()
1041                xpos = pos_x
1042                ypos = pos_y
1043                font = FONT.copy()
1044                font.set_size(textdial.getSize())
1045                font.set_family(textdial.getFamily())
1046                font.set_style(textdial.getStyle())
1047                font.set_weight(textdial.getWeight())
1048                colour = textdial.getColor()
1049                if len(label) > 0 and xpos > 0 and ypos > 0:
1050                    new_text = self.subplot.text(str(xpos), str(ypos), label,
1051                                                   fontproperties=font,
1052                                                   color=colour)
1053                    self.textList.append(new_text)
1054                    self.subplot.figure.canvas.draw_idle()
1055            except:
1056                if self.parent != None:
1057                    from sans.guiframe.events import StatusEvent
1058                    msg = "Add Text: Error. Check your property values..."
1059                    wx.PostEvent(self.parent, StatusEvent(status = msg ))
1060                else:
1061                    raise
1062        textdial.Destroy()
1063        #Have a pop up box come up for user to type in the
1064        #text that they want to add...then create text Plottable
1065        #based on this and plot it at user designated coordinates
1066
1067    def onGridOnOff(self,gridon_off):
1068        """
1069        Allows ON/OFF Grid
1070        """
1071        self.grid_on = gridon_off
1072
1073        self.subplot.figure.canvas.draw_idle()
1074       
1075    def _on_xaxis_label(self, event):
1076        """
1077        Allows you to add text to the plot
1078        """
1079        xaxis_label, xaxis_unit, xaxis_font, xaxis_color,\
1080                     is_ok, is_tick = self._on_axis_label(axis='x')
1081        if not is_ok:
1082            return
1083       
1084        self.xaxis_label = xaxis_label
1085        self.xaxis_unit = xaxis_unit
1086        self.xaxis_font = xaxis_font
1087        self.xaxis_color = xaxis_color
1088        if is_tick:
1089            self.xaxis_tick = xaxis_font
1090       
1091        if self.data != None:
1092            # 2D
1093            self.xaxis(self.xaxis_label, self.xaxis_unit,\
1094                        self.xaxis_font, self.xaxis_color, self.xaxis_tick)
1095            self.subplot.figure.canvas.draw_idle()
1096        else:
1097            # 1D
1098            self._check_zoom_plot()
1099   
1100    def _check_zoom_plot(self):
1101        """
1102        Check the zoom range and plot (1D only)
1103        """
1104        xlo, xhi = self.subplot.get_xlim()
1105        ylo, yhi = self.subplot.get_ylim()
1106        ## Set the view scale for all plots
1107        self._onEVT_FUNC_PROPERTY(False)
1108        # Check if zoomed
1109        try: tb = self.toolbar.wx_ids['Back']
1110        except AttributeError: tb = self.toolbar._NTB2_BACK # Cruft
1111        toolbar_zoomed = self.toolbar.GetToolEnabled(tb)
1112
1113        if self.is_zoomed or toolbar_zoomed:
1114            # Recover the x,y limits
1115            self.subplot.set_xlim((xlo, xhi))
1116            self.subplot.set_ylim((ylo, yhi))
1117                   
1118    def _on_yaxis_label(self, event):
1119        """
1120        Allows you to add text to the plot
1121        """
1122        yaxis_label, yaxis_unit, yaxis_font, yaxis_color,\
1123                        is_ok, is_tick = self._on_axis_label(axis='y')
1124        if not is_ok:
1125            return
1126
1127        self.yaxis_label = yaxis_label
1128        self.yaxis_unit = yaxis_unit
1129        self.yaxis_font = yaxis_font
1130        self.yaxis_color = yaxis_color
1131        if is_tick:
1132            self.yaxis_tick = yaxis_font
1133
1134        if self.data != None:
1135            # 2D
1136            self.yaxis(self.yaxis_label, self.yaxis_unit,\
1137                        self.yaxis_font, self.yaxis_color, self.yaxis_tick)
1138            self.subplot.figure.canvas.draw_idle()
1139        else:
1140            # 1D
1141            self._check_zoom_plot()
1142           
1143    def _on_axis_label(self, axis='x'):
1144        """
1145        Modify axes labels
1146       
1147        :param axis: x or y axis [string]
1148        """
1149        is_ok = True
1150        title = 'Modify %s axis label' % axis
1151        font = 'serif'
1152        colour = 'black'
1153        if axis == 'x':
1154            label = self.xaxis_label
1155            unit = self.xaxis_unit
1156        else:
1157            label = self.yaxis_label
1158            unit = self.yaxis_unit
1159        textdial = TextDialog(None, -1, title, label, unit)
1160        if textdial.ShowModal() == wx.ID_OK:
1161            try:
1162                FONT = FontProperties()
1163                font = FONT.copy()
1164                font.set_size(textdial.getSize())
1165                font.set_family(textdial.getFamily())
1166                font.set_style(textdial.getStyle())
1167                font.set_weight(textdial.getWeight())
1168                unit = textdial.getUnit()
1169                colour = textdial.getColor()
1170                is_tick = textdial.getTickLabel()
1171                label_temp = textdial.getText()
1172                if label_temp.count("\%s" % "\\") > 0:
1173                    if self.parent != None:
1174                        from sans.guiframe.events import StatusEvent
1175                        msg = "Add Label: Error. Can not use double '\\' "
1176                        msg += "characters..."
1177                        wx.PostEvent(self.parent, StatusEvent(status=msg))
1178                else:
1179                    label = label_temp
1180            except:
1181                if self.parent != None:
1182                    from sans.guiframe.events import StatusEvent
1183                    msg = "Add Label: Error. Check your property values..."
1184                    wx.PostEvent(self.parent, StatusEvent(status=msg))
1185                else:
1186                    pass
1187        else:
1188            is_ok = False
1189            is_tick = True
1190        textdial.Destroy()
1191        return label, unit, font, colour, is_ok, is_tick
1192       
1193    def _on_removetext(self, event):
1194        """
1195        Removes all text from the plot.
1196        Eventually, add option to remove specific text boxes
1197        """
1198        num_text = len(self.textList)
1199        if num_text < 1:
1200            if self.parent != None:
1201                from sans.guiframe.events import StatusEvent
1202                msg= "Remove Text: Nothing to remove.  "
1203                wx.PostEvent(self.parent, StatusEvent(status=msg))
1204            else:
1205                raise
1206            return
1207        txt = self.textList[num_text-1]
1208        try:
1209            text_remove = txt.get_text()
1210            txt.remove()
1211            if self.parent != None:
1212                from sans.guiframe.events import StatusEvent
1213                msg= "Removed Text: '%s'. " % text_remove
1214                wx.PostEvent(self.parent, StatusEvent(status=msg))
1215        except:
1216            if self.parent != None:
1217                from sans.guiframe.events import StatusEvent
1218                msg= "Remove Text: Error occurred. "
1219                wx.PostEvent(self.parent, StatusEvent(status=msg))
1220            else:
1221                raise
1222        self.textList.remove(txt)
1223           
1224        self.subplot.figure.canvas.draw_idle()
1225
1226    def properties(self, prop):
1227        """
1228        Set some properties of the graph.
1229        The set of properties is not yet determined.
1230       
1231        """
1232        # The particulars of how they are stored and manipulated (e.g., do
1233        # we want an inventory internally) is not settled.  I've used a
1234        # property dictionary for now.
1235        #
1236        # How these properties interact with a user defined style file is
1237        # even less clear.
1238
1239        # Properties defined by plot
1240        self.subplot.set_xlabel(r"$%s$" % prop["xlabel"])
1241        self.subplot.set_ylabel(r"$%s$" % prop["ylabel"])
1242        self.subplot.set_title(prop["title"])
1243
1244    def clear(self):
1245        """Reset the plot"""
1246        # TODO: Redraw is brutal.  Render to a backing store and swap in
1247        # TODO: rather than redrawing on the fly.
1248        self.subplot.clear()
1249        self.subplot.hold(True)
1250   
1251    def render(self):
1252        """Commit the plot after all objects are drawn"""
1253        # TODO: this is when the backing store should be swapped in.
1254        if self.legend_on:
1255            ax = self.subplot
1256            ax.texts = self.textList
1257            try:
1258                handles, labels = ax.get_legend_handles_labels()
1259                # sort them by labels
1260                hl = sorted(zip(handles, labels),
1261                            key=operator.itemgetter(1))
1262                handles2, labels2 = zip(*hl)
1263                self.line_collections_list = handles2
1264                try:
1265                    self.legend = ax.legend(handles2, labels2, numpoints=1,
1266                                prop=FontProperties(size=10),
1267                                handletextsep=.05, loc=self.legendLoc)
1268                except TypeError:  # Cruft
1269                    # older MPL uses handletextsep instead of handletextpad
1270                    self.legend = ax.legend(handles2, labels2, numpoints=1,
1271                                prop=FontProperties(size=10),
1272                                handletextsep=.05, loc=self.legendLoc)
1273                if self.legend != None:
1274                    self.legend.set_picker(self.legend_picker)
1275                    self.legend.set_axes(self.subplot)
1276                    self.legend.set_zorder(20)
1277               
1278            except:
1279                try:
1280                    self.legend = ax.legend(prop=FontProperties(size=10),
1281                                        numpoints=1, handletextpad=.05,
1282                                        loc=self.legendLoc)
1283                except TypeError:  # Cruft
1284                    # older MPL uses handletextsep instead of handletextpad
1285                    self.legend = ax.legend(prop=FontProperties(size=10),
1286                                        numpoints=1, handletextsep=.05,
1287                                        loc=self.legendLoc)
1288               
1289    def xaxis(self, label, units, font=None, color='black', t_font=None):
1290        """xaxis label and units.
1291       
1292        Axis labels know about units.
1293       
1294        We need to do this so that we can detect when axes are not
1295        commesurate.  Currently this is ignored other than for formatting
1296        purposes.
1297       
1298        """
1299
1300        self.xcolor = color
1301        if units.count("{") > 0 and units.count("$") < 2:
1302            units = '$' + units + '$'
1303        if label.count("{") > 0 and label.count("$") < 2:
1304            label = '$' + label + '$'
1305        if units != "":
1306            label = label + " (" + units + ")"
1307        if font:
1308            self.subplot.set_xlabel(label, fontproperties=font, color=color)
1309            if t_font != None:
1310                for tick in self.subplot.xaxis.get_major_ticks():
1311                    tick.label.set_fontproperties(t_font)
1312                for line in self.subplot.xaxis.get_ticklines():
1313                    size = t_font.get_size()
1314                    line.set_markersize(size / 3)
1315        else:
1316            self.subplot.set_xlabel(label, color=color)
1317        pass
1318   
1319    def yaxis(self, label, units, font=None, color='black', t_font=None):
1320        """yaxis label and units."""
1321        self.ycolor = color
1322        if units.count("{") > 0 and units.count("$") < 2:
1323            units = '$' + units + '$'
1324        if label.count("{") > 0 and label.count("$") < 2:
1325            label = '$' + label + '$'
1326        if units != "":
1327            label = label + " (" + units + ")"
1328        if font:
1329            self.subplot.set_ylabel(label, fontproperties=font, color=color)
1330            if t_font != None:
1331                for tick_label in self.subplot.get_yticklabels():
1332                    tick_label.set_fontproperties(t_font)
1333                for line in self.subplot.yaxis.get_ticklines():
1334                    size = t_font.get_size()
1335                    line.set_markersize(size / 3)
1336        else:
1337            self.subplot.set_ylabel(label, color=color)
1338        pass
1339
1340    def _connect_to_xlim(self, callback):
1341        """Bind the xlim change notification to the callback"""
1342        def process_xlim(axes):
1343            lo, hi = subplot.get_xlim()
1344            callback(lo, hi)
1345        self.subplot.callbacks.connect('xlim_changed', process_xlim)
1346
1347    def interactive_points(self, x, y, dx=None, dy=None, name='', color=0,
1348                           symbol=0, markersize=5, zorder=1, id=None, 
1349                           label=None, hide_error=False):
1350        """Draw markers with error bars"""
1351        self.subplot.set_yscale('linear')
1352        self.subplot.set_xscale('linear')
1353        if id is None:
1354            id = name
1355        from plottable_interactor import PointInteractor
1356        p = PointInteractor(self, self.subplot, zorder=zorder, id=id)
1357        if p.markersize != None:
1358            markersize = p.markersize
1359        p.points(x, y, dx=dx, dy=dy, color=color, symbol=symbol, zorder=zorder, 
1360                 markersize=markersize, label=label, hide_error=hide_error)
1361       
1362        self.subplot.set_yscale(self.yscale, nonposy='clip')
1363        self.subplot.set_xscale(self.xscale)
1364       
1365    def interactive_curve(self, x, y, dy=None, name='', color=0,
1366                          symbol=0, zorder=1, id=None, label=None):
1367        """Draw markers with error bars"""
1368        self.subplot.set_yscale('linear')
1369        self.subplot.set_xscale('linear')
1370        if id is None:
1371            id = name
1372        from plottable_interactor import PointInteractor
1373        p = PointInteractor(self, self.subplot, zorder=zorder, id=id)
1374        p.curve(x, y, dy=dy, color=color, symbol=symbol, zorder=zorder,
1375                 label=label)
1376       
1377        self.subplot.set_yscale(self.yscale, nonposy='clip')
1378        self.subplot.set_xscale(self.xscale)
1379       
1380    def plottable_selected(self, id):
1381        """
1382        Called to register a plottable as selected
1383        """
1384        #TODO: check that it really is in the list of plottables
1385        self.graph.selected_plottable = id
1386
1387    def points(self, x, y, dx=None, dy=None,
1388               color=0, symbol=0, marker_size=5, label=None,
1389               id=None, hide_error=False):
1390        """Draw markers with error bars"""
1391       
1392        # Convert tuple (lo,hi) to array [(x-lo),(hi-x)]
1393        if dx != None and type(dx) == type(()):
1394            dx = nx.vstack((x-dx[0], dx[1]-x)).transpose()
1395        if dy != None and type(dy) == type(()):
1396            dy = nx.vstack((y-dy[0], dy[1]-y)).transpose()
1397        if dx == None and dy == None:
1398            h = self.subplot.plot(x, y, color=self._color(color),
1399                                   marker=self._symbol(symbol), markersize=marker_size,
1400                                   linestyle='',
1401                                   label=label)
1402        else:
1403            col = self._color(color)
1404            if hide_error:
1405                h = self.subplot.plot(x, y, color=col,
1406                                   marker=self._symbol(symbol),
1407                                   markersize=marker_size,
1408                                   linestyle='',
1409                                   label=label)
1410            else:
1411                h = self.subplot.errorbar(x, y, yerr=dy, xerr=None,
1412                                  ecolor=col, capsize=2, linestyle='',
1413                                  barsabove=False,
1414                                  mec=col, mfc=col,
1415                                  marker=self._symbol(symbol),
1416                                  markersize=marker_size,
1417                                  lolims=False, uplims=False,
1418                                  xlolims=False, xuplims=False, label=label)
1419       
1420        self.subplot.set_yscale(self.yscale, nonposy='clip')
1421        self.subplot.set_xscale(self.xscale)
1422       
1423    def _onToggleScale(self, event):
1424        """
1425        toggle axis and replot image
1426       
1427        """
1428        zmin_2D_temp = self.zmin_2D
1429        zmax_2D_temp = self.zmax_2D
1430        if self.scale == 'log_{10}':
1431            self.scale = 'linear'
1432            if not self.zmin_2D is None:
1433                zmin_2D_temp = math.pow(10, self.zmin_2D)
1434            if not self.zmax_2D is None:
1435                zmax_2D_temp = math.pow(10, self.zmax_2D)
1436        else:
1437            self.scale = 'log_{10}'
1438            if not self.zmin_2D is None:
1439                # min log value: no log(negative)
1440                if self.zmin_2D <= 0:
1441                    zmin_2D_temp = -32
1442                else:
1443                    zmin_2D_temp = math.log10(self.zmin_2D)
1444            if not self.zmax_2D is None:
1445                zmax_2D_temp = math.log10(self.zmax_2D)
1446                 
1447        self.image(data=self.data, qx_data=self.qx_data,
1448                   qy_data=self.qy_data, xmin=self.xmin_2D,
1449                   xmax=self.xmax_2D,
1450                   ymin=self.ymin_2D, ymax=self.ymax_2D,
1451                   cmap=self.cmap, zmin=zmin_2D_temp,
1452                   zmax=zmax_2D_temp)
1453     
1454    def image(self, data, qx_data, qy_data, xmin, xmax, ymin, ymax,
1455              zmin, zmax, color=0, symbol=0, markersize=0,
1456              label='data2D', cmap=DEFAULT_CMAP):
1457        """
1458        Render the current data
1459       
1460        """
1461        self.data = data
1462        self.qx_data = qx_data
1463        self.qy_data = qy_data
1464        self.xmin_2D = xmin
1465        self.xmax_2D = xmax
1466        self.ymin_2D = ymin
1467        self.ymax_2D = ymax
1468        self.zmin_2D = zmin
1469        self.zmax_2D = zmax
1470        c = self._color(color)
1471        # If we don't have any data, skip.
1472        if self.data == None:
1473            return
1474        if self.data.ndim == 1:
1475            output = self._build_matrix()
1476        else:
1477            output = copy.deepcopy(self.data)
1478        # check scale
1479        if self.scale == 'log_{10}':
1480            try:
1481                if  self.zmin_2D <= 0  and len(output[output > 0]) > 0:
1482                    zmin_temp = self.zmin_2D
1483                    output[output>0] = numpy.log10(output[output>0])
1484                    #In log scale Negative values are not correct in general
1485                    #output[output<=0] = math.log(numpy.min(output[output>0]))
1486                elif self.zmin_2D <= 0:
1487                    zmin_temp = self.zmin_2D
1488                    output[output>0] = numpy.zeros(len(output))
1489                    output[output<=0] = -32
1490                else: 
1491                    zmin_temp = self.zmin_2D
1492                    output[output>0] = numpy.log10(output[output>0])
1493                    #In log scale Negative values are not correct in general
1494                    #output[output<=0] = math.log(numpy.min(output[output>0]))
1495            except:
1496                #Too many problems in 2D plot with scale
1497                pass
1498                     
1499        else:
1500            zmin_temp = self.zmin_2D
1501        self.cmap = cmap
1502        if self.dimension != 3:
1503            #Re-adjust colorbar
1504            self.subplot.figure.subplots_adjust(left=0.2, right=.8, bottom=.2)
1505           
1506            im = self.subplot.imshow(output, interpolation='nearest',
1507                                     origin='lower',
1508                                     vmin=zmin_temp, vmax=self.zmax_2D,
1509                                     cmap=self.cmap,
1510                                     extent=(self.xmin_2D, self.xmax_2D,
1511                                                self.ymin_2D, self.ymax_2D))
1512           
1513            cbax = self.subplot.figure.add_axes([0.84,0.2,0.02,0.7])
1514        else:
1515            # clear the previous 2D from memory
1516            # mpl is not clf, so we do
1517            self.subplot.figure.clear()
1518
1519            self.subplot.figure.subplots_adjust(left=0.1, right=.8, bottom=.1)
1520
1521            X = self.x_bins[0:-1]
1522            Y = self.y_bins[0:-1]
1523            X, Y = numpy.meshgrid(X, Y)
1524           
1525            try:
1526                # mpl >= 1.0.0
1527                ax = self.subplot.figure.gca(projection='3d')
1528                #ax.disable_mouse_rotation()
1529                cbax = self.subplot.figure.add_axes([0.84,0.1,0.02,0.8])
1530                if len(X) > 60:
1531                    ax.disable_mouse_rotation()
1532            except:
1533                # mpl < 1.0.0
1534                try:
1535                    from mpl_toolkits.mplot3d import Axes3D
1536                except:
1537                    logging.error("PlotPanel could not import Axes3D")
1538                self.subplot.figure.clear()
1539                ax = Axes3D(self.subplot.figure)
1540                if len(X) > 60:
1541                    ax.cla()
1542                cbax = None
1543            self.subplot.figure.canvas.resizing = False
1544            im = ax.plot_surface(X, Y, output, rstride=1, cstride=1, cmap=cmap,
1545                                   linewidth=0, antialiased=False)
1546            self.subplot.set_axis_off()
1547           
1548        if cbax == None:
1549            ax.set_frame_on(False)
1550            cb = self.subplot.figure.colorbar(im, shrink=0.8, aspect=20)
1551        else:
1552            cb = self.subplot.figure.colorbar(im, cax=cbax)
1553        cb.update_bruteforce(im)
1554        cb.set_label('$' + self.scale + '$')
1555        if self.dimension != 3:
1556            self.figure.canvas.draw_idle()
1557        else:
1558            self.figure.canvas.draw()
1559   
1560    def _build_matrix(self):
1561        """
1562        Build a matrix for 2d plot from a vector
1563        Returns a matrix (image) with ~ square binning
1564        Requirement: need 1d array formats of
1565        self.data, self.qx_data, and self.qy_data
1566        where each one corresponds to z, x, or y axis values
1567       
1568        """
1569        # No qx or qy given in a vector format
1570        if self.qx_data == None or self.qy_data == None \
1571                or self.qx_data.ndim != 1 or self.qy_data.ndim != 1:
1572            # do we need deepcopy here?
1573            return copy.deepcopy(self.data)
1574     
1575        # maximum # of loops to fillup_pixels
1576        # otherwise, loop could never stop depending on data
1577        max_loop = 1
1578        # get the x and y_bin arrays.
1579        self._get_bins()
1580        # set zero to None
1581       
1582        #Note: Can not use scipy.interpolate.Rbf:
1583        # 'cause too many data points (>10000)<=JHC.
1584        # 1d array to use for weighting the data point averaging
1585        #when they fall into a same bin.
1586        weights_data = numpy.ones([self.data.size])
1587        # get histogram of ones w/len(data); this will provide
1588        #the weights of data on each bins
1589        weights, xedges, yedges = numpy.histogram2d(x=self.qy_data,
1590                                                    y=self.qx_data,
1591                                            bins=[self.y_bins, self.x_bins],
1592                                            weights=weights_data)
1593        # get histogram of data, all points into a bin in a way of summing
1594        image, xedges, yedges = numpy.histogram2d(x=self.qy_data,
1595                                                  y=self.qx_data,
1596                                            bins=[self.y_bins, self.x_bins],
1597                                            weights=self.data)
1598        # Now, normalize the image by weights only for weights>1:
1599        # If weight == 1, there is only one data point in the bin so
1600        # that no normalization is required.
1601        image[weights > 1] = image[weights>1]/weights[weights>1]
1602        # Set image bins w/o a data point (weight==0) as None (was set to zero
1603        # by histogram2d.)
1604        image[weights == 0] = None
1605
1606        # Fill empty bins with 8 nearest neighbors only when at least
1607        #one None point exists
1608        loop = 0
1609       
1610        # do while loop until all vacant bins are filled up up
1611        #to loop = max_loop
1612        while(not(numpy.isfinite(image[weights == 0])).all()):
1613            if loop >= max_loop:  # this protects never-ending loop
1614                break
1615            image = self._fillup_pixels(image=image, weights=weights)
1616            loop += 1
1617               
1618        return image
1619   
1620    def _get_bins(self):
1621        """
1622        get bins
1623        set x_bins and y_bins into self, 1d arrays of the index with
1624        ~ square binning
1625        Requirement: need 1d array formats of
1626        self.qx_data, and self.qy_data
1627        where each one corresponds to  x, or y axis values
1628        """
1629        # No qx or qy given in a vector format
1630        if self.qx_data == None or self.qy_data == None \
1631                or self.qx_data.ndim != 1 or self.qy_data.ndim != 1:
1632            # do we need deepcopy here?
1633            return copy.deepcopy(self.data)
1634       
1635        # find max and min values of qx and qy
1636        xmax = self.qx_data.max()
1637        xmin = self.qx_data.min()
1638        ymax = self.qy_data.max()
1639        ymin = self.qy_data.min()
1640       
1641        # calculate the range of qx and qy: this way, it is a little
1642        # more independent
1643        x_size = xmax - xmin
1644        y_size = ymax - ymin
1645       
1646        # estimate the # of pixels on each axes
1647        npix_y = int(math.floor(math.sqrt(len(self.qy_data))))
1648        npix_x = int(math.floor(len(self.qy_data) / npix_y))
1649
1650        # bin size: x- & y-directions
1651        xstep = x_size / (npix_x - 1)
1652        ystep = y_size / (npix_y - 1)
1653
1654        # max and min taking account of the bin sizes
1655        xmax = xmax + xstep / 2.0
1656        xmin = xmin - xstep / 2.0
1657        ymax = ymax + ystep / 2.0
1658        ymin = ymin - ystep / 2.0
1659       
1660        # store x and y bin centers in q space
1661        x_bins = numpy.linspace(xmin, xmax, npix_x)
1662        y_bins = numpy.linspace(ymin, ymax, npix_y)
1663        #x_bins = numpy.arange(xmin, xmax + xstep / 10.0, xstep)
1664        #y_bins = numpy.arange(ymin, ymax + ystep / 10.0, ystep)
1665     
1666        #set x_bins and y_bins
1667        self.x_bins = x_bins
1668        self.y_bins = y_bins
1669
1670    def _fillup_pixels(self, image=None, weights=None):
1671        """
1672        Fill z values of the empty cells of 2d image matrix
1673        with the average over up-to next nearest neighbor points
1674       
1675        :param image: (2d matrix with some zi = None)
1676       
1677        :return: image (2d array )
1678       
1679        :TODO: Find better way to do for-loop below
1680       
1681        """
1682        # No image matrix given
1683        if image == None or numpy.ndim(image) != 2 \
1684                or numpy.isfinite(image).all() \
1685                or weights == None:
1686            return image
1687        # Get bin size in y and x directions
1688        len_y = len(image)
1689        len_x = len(image[1])
1690        temp_image = numpy.zeros([len_y, len_x])
1691        weit = numpy.zeros([len_y, len_x])
1692        # do for-loop for all pixels
1693        for n_y in range(len(image)):
1694            for n_x in range(len(image[1])):
1695                # find only null pixels
1696                if weights[n_y][n_x] > 0 or numpy.isfinite(image[n_y][n_x]):
1697                    continue
1698                else:
1699                    # find 4 nearest neighbors
1700                    # check where or not it is at the corner
1701                    if n_y != 0 and numpy.isfinite(image[n_y-1][n_x]):
1702                        temp_image[n_y][n_x] += image[n_y-1][n_x]
1703                        weit[n_y][n_x] += 1
1704                    if n_x != 0 and numpy.isfinite(image[n_y][n_x-1]):
1705                        temp_image[n_y][n_x] += image[n_y][n_x-1]
1706                        weit[n_y][n_x] += 1
1707                    if n_y != len_y -1 and numpy.isfinite(image[n_y+1][n_x]):
1708                        temp_image[n_y][n_x] += image[n_y+1][n_x] 
1709                        weit[n_y][n_x] += 1
1710                    if n_x != len_x -1 and numpy.isfinite(image[n_y][n_x+1]):
1711                        temp_image[n_y][n_x] += image[n_y][n_x+1]
1712                        weit[n_y][n_x] += 1
1713                    # go 4 next nearest neighbors when no non-zero
1714                    # neighbor exists
1715                    if n_y != 0 and n_x != 0 and\
1716                         numpy.isfinite(image[n_y-1][n_x-1]):
1717                        temp_image[n_y][n_x] += image[n_y-1][n_x-1]
1718                        weit[n_y][n_x] += 1
1719                    if n_y != len_y -1 and n_x != 0 and \
1720                        numpy.isfinite(image[n_y+1][n_x-1]):
1721                        temp_image[n_y][n_x] += image[n_y+1][n_x-1]
1722                        weit[n_y][n_x] += 1
1723                    if n_y != len_y and n_x != len_x -1 and \
1724                        numpy.isfinite(image[n_y-1][n_x+1]):
1725                        temp_image[n_y][n_x] += image[n_y-1][n_x+1] 
1726                        weit[n_y][n_x] += 1
1727                    if n_y != len_y -1 and n_x != len_x -1 and \
1728                        numpy.isfinite(image[n_y+1][n_x+1]):
1729                        temp_image[n_y][n_x] += image[n_y+1][n_x+1]
1730                        weit[n_y][n_x] += 1
1731
1732        # get it normalized
1733        ind = (weit > 0)
1734        image[ind] = temp_image[ind] / weit[ind]
1735       
1736        return image
1737         
1738    def curve(self, x, y, dy=None, color=0, symbol=0, label=None):
1739        """Draw a line on a graph, possibly with confidence intervals."""
1740        c = self._color(color)
1741        self.subplot.set_yscale('linear')
1742        self.subplot.set_xscale('linear')
1743       
1744        self.subplot.plot(x, y, color=c, marker='',
1745                          linestyle='-', label=label)
1746        self.subplot.set_yscale(self.yscale)
1747        self.subplot.set_xscale(self.xscale)
1748
1749    def _color(self, c):
1750        """Return a particular colour"""
1751        return self.colorlist[c % len(self.colorlist)]
1752
1753    def _symbol(self, s):
1754        """Return a particular symbol"""
1755        return self.symbollist[s % len(self.symbollist)]
1756   
1757    def _replot(self, remove_fit=False):
1758        """
1759        Rescale the plottables according to the latest
1760        user selection and update the plot
1761       
1762        :param remove_fit: Fit line will be removed if True
1763       
1764        """
1765        self.graph.reset_scale()
1766        self._onEVT_FUNC_PROPERTY(remove_fit=remove_fit)
1767        #TODO: Why do we have to have the following line?
1768        self.fit_result.reset_view()
1769        self.graph.render(self)
1770        self.subplot.figure.canvas.draw_idle()
1771   
1772    def _onEVT_FUNC_PROPERTY(self, remove_fit=True, show=True):
1773        """
1774        Receive the x and y transformation from myDialog,
1775        Transforms x and y in View
1776        and set the scale
1777        """
1778        # The logic should be in the right order
1779        # Delete first, and then get the whole list...
1780        if remove_fit:
1781            self.graph.delete(self.fit_result)
1782        self.ly = None 
1783        self.q_ctrl = None   
1784        list = []
1785        list = self.graph.returnPlottable()
1786        # Changing the scale might be incompatible with
1787        # currently displayed data (for instance, going
1788        # from ln to log when all plotted values have
1789        # negative natural logs).
1790        # Go linear and only change the scale at the end.
1791        self.set_xscale("linear")
1792        self.set_yscale("linear")
1793        _xscale = 'linear'
1794        _yscale = 'linear'
1795        for item in list:
1796            item.setLabel(self.xLabel, self.yLabel)
1797           
1798            # control axis labels from the panel itself
1799            yname, yunits = item.get_yaxis()
1800            if self.yaxis_label != None:
1801                yname = self.yaxis_label
1802                yunits = self.yaxis_unit
1803            else:
1804                self.yaxis_label = yname
1805                self.yaxis_unit = yunits
1806            xname, xunits = item.get_xaxis()
1807            if self.xaxis_label != None:
1808                xname = self.xaxis_label
1809                xunits = self.xaxis_unit
1810            else:
1811                self.xaxis_label = xname
1812                self.xaxis_unit = xunits
1813            # Goes through all possible scales
1814            if(self.xLabel == "x"):
1815                item.transformX(transform.toX, transform.errToX)
1816                self.graph._xaxis_transformed("%s" % xname, "%s" % xunits)
1817            if(self.xLabel == "x^(2)"):
1818                item.transformX(transform.toX2, transform.errToX2)
1819                xunits = convertUnit(2, xunits)
1820                self.graph._xaxis_transformed("%s^{2}" % xname, "%s" % xunits)
1821            if(self.xLabel == "x^(4)"):
1822                item.transformX(transform.toX4, transform.errToX4)
1823                xunits = convertUnit(4, xunits)
1824                self.graph._xaxis_transformed("%s^{4}" % xname, "%s" % xunits)
1825            if(self.xLabel == "ln(x)"):
1826                item.transformX(transform.toLogX, transform.errToLogX)
1827                self.graph._xaxis_transformed("\ln\\ %s" % xname, "%s" % xunits)
1828            if(self.xLabel == "log10(x)"):
1829                item.transformX(transform.toX_pos, transform.errToX_pos)
1830                _xscale = 'log'
1831                self.graph._xaxis_transformed("%s" % xname, "%s" % xunits)
1832            if(self.xLabel == "log10(x^(4))"):
1833                item.transformX(transform.toX4, transform.errToX4)
1834                xunits = convertUnit(4, xunits)
1835                self.graph._xaxis_transformed("%s^{4}" % xname, "%s" % xunits)
1836                _xscale = 'log'
1837            if(self.yLabel == "ln(y)"):
1838                item.transformY(transform.toLogX, transform.errToLogX)
1839                self.graph._yaxis_transformed("\ln\\ %s" % yname, "%s" % yunits)
1840            if(self.yLabel == "y"):
1841                item.transformY(transform.toX, transform.errToX)
1842                self.graph._yaxis_transformed("%s" % yname, "%s" % yunits)
1843            if(self.yLabel == "log10(y)"):
1844                item.transformY(transform.toX_pos, transform.errToX_pos)
1845                _yscale = 'log'
1846                self.graph._yaxis_transformed("%s" % yname, "%s" % yunits)
1847            if(self.yLabel == "y^(2)"):
1848                item.transformY(transform.toX2, transform.errToX2)
1849                yunits = convertUnit(2, yunits)
1850                self.graph._yaxis_transformed("%s^{2}" % yname, "%s" % yunits)
1851            if(self.yLabel == "1/y"):
1852                item.transformY(transform.toOneOverX, transform.errOneOverX)
1853                yunits = convertUnit(-1, yunits)
1854                self.graph._yaxis_transformed("1/%s" % yname, "%s" % yunits)
1855            if(self.yLabel == "y*x^(4)"):
1856                item.transformY(transform.toYX4, transform.errToYX4)
1857                xunits = convertUnit(4, self.xaxis_unit)
1858                self.graph._yaxis_transformed("%s \ \ %s^{4}" % (yname, xname),
1859                                               "%s%s" % (yunits, xunits))
1860            if(self.yLabel == "1/sqrt(y)"):
1861                item.transformY(transform.toOneOverSqrtX,
1862                                transform.errOneOverSqrtX)
1863                yunits = convertUnit(-0.5, yunits)
1864                self.graph._yaxis_transformed("1/\sqrt{%s}" % yname,
1865                                              "%s" % yunits)
1866            if(self.yLabel == "ln(y*x)"):
1867                item.transformY(transform.toLogXY, transform.errToLogXY)
1868                self.graph._yaxis_transformed("\ln (%s \ \ %s)" % (yname, xname),
1869                                            "%s%s" % (yunits, self.xaxis_unit))
1870            if(self.yLabel == "ln(y*x^(2))"):
1871                item.transformY( transform.toLogYX2, transform.errToLogYX2) 
1872                xunits = convertUnit(2, self.xaxis_unit)
1873                self.graph._yaxis_transformed("\ln (%s \ \ %s^{2})" % (yname, xname),
1874                                               "%s%s" % (yunits, xunits))
1875            if(self.yLabel == "ln(y*x^(4))"):
1876                item.transformY(transform.toLogYX4, transform.errToLogYX4)
1877                xunits = convertUnit(4, self.xaxis_unit)
1878                self.graph._yaxis_transformed("\ln (%s \ \ %s^{4})" % (yname, xname),
1879                                               "%s%s" % (yunits, xunits))
1880            if(self.yLabel == "log10(y*x^(4))"):
1881                item.transformY(transform.toYX4, transform.errToYX4)
1882                xunits = convertUnit(4, self.xaxis_unit)
1883                _yscale = 'log'
1884                self.graph._yaxis_transformed("%s \ \ %s^{4}" % (yname, xname),
1885                                               "%s%s" % (yunits, xunits))
1886            if(self.viewModel == "Guinier lny vs x^(2)"):
1887                item.transformX(transform.toX2, transform.errToX2)
1888                xunits = convertUnit(2, xunits)
1889                self.graph._xaxis_transformed("%s^{2}" % xname, "%s" % xunits)
1890                item.transformY(transform.toLogX,transform.errToLogX)
1891                self.graph._yaxis_transformed("\ln\ \ %s" % yname, "%s" % yunits)
1892            if(self.viewModel == "Porod y*x^(4) vs x^(4)"):
1893                item.transformX(transform.toX4, transform.errToX4)
1894                xunits = convertUnit(4, self.xaxis_unit)
1895                self.graph._xaxis_transformed("%s^{4}" % xname, "%s" % xunits)
1896                item.transformY(transform.toYX4, transform.errToYX4)
1897                self.graph._yaxis_transformed("%s \ \ %s^{4}" % (yname, xname),
1898                                               "%s%s" % (yunits, xunits))
1899            item.transformView()
1900 
1901        # set new label and units
1902        yname = self.graph.prop["ylabel"]
1903        yunits = ''
1904        xname = self.graph.prop["xlabel"]
1905        xunits = ''
1906               
1907        self.resetFitView()
1908        self.prevXtrans = self.xLabel
1909        self.prevYtrans = self.yLabel
1910        self.graph.render(self)
1911        self.set_xscale(_xscale)
1912        self.set_yscale(_yscale)
1913       
1914        self.xaxis(xname, xunits, self.xaxis_font,
1915                   self.xaxis_color, self.xaxis_tick)
1916        self.yaxis(yname, yunits, self.yaxis_font,
1917                   self.yaxis_color, self.yaxis_tick)
1918        self.subplot.texts = self.textList
1919        if show:
1920            self.subplot.figure.canvas.draw_idle()
1921       
1922    def onFitDisplay(self, tempx, tempy, xminView,
1923                     xmaxView, xmin, xmax, func):
1924        """
1925        Add a new plottable into the graph .In this case this plottable
1926        will be used to fit some data
1927       
1928        :param tempx: The x data of fit line
1929        :param tempy: The y data of fit line
1930        :param xminView: the lower bound of fitting range
1931        :param xminView: the upper bound of  fitting range
1932        :param xmin: the lowest value of data to fit to the line
1933        :param xmax: the highest value of data to fit to the line
1934       
1935        """
1936        # Saving value to redisplay in Fit Dialog when it is opened again
1937        self.Avalue, self.Bvalue, self.ErrAvalue, \
1938                      self.ErrBvalue, self.Chivalue = func
1939        self.xminView = xminView
1940        self.xmaxView = xmaxView
1941        self.xmin = xmin
1942        self.xmax = xmax
1943        #In case need to change the range of data plotted
1944        list = []
1945        list = self.graph.returnPlottable()
1946        for item in list:
1947            #item.onFitRange(xminView,xmaxView)
1948            item.onFitRange(None, None)
1949        # Create new data plottable with result
1950        self.fit_result.x = []
1951        self.fit_result.y = []
1952        self.fit_result.x = tempx
1953        self.fit_result.y = tempy
1954        self.fit_result.dx = None
1955        self.fit_result.dy = None
1956        #Load the view with the new values
1957        self.fit_result.reset_view()
1958        # Add the new plottable to the graph
1959        self.graph.add(self.fit_result)
1960        self.graph.render(self)
1961        self._offset_graph()
1962        self.subplot.figure.canvas.draw_idle()
1963
1964    def onChangeCaption(self, event):
1965        """
1966        """
1967        if self.parent == None:
1968            return
1969        # get current caption
1970        old_caption = self.window_caption
1971        # Get new caption dialog
1972        dial = LabelDialog(None, -1, 'Modify Window Title', old_caption)
1973        if dial.ShowModal() == wx.ID_OK:
1974            new_caption = dial.getText()
1975         
1976            # send to guiframe to change the panel caption
1977            caption = self.parent.on_change_caption(self.window_name,
1978                                                    old_caption, new_caption)
1979           
1980            # also set new caption in plot_panels list
1981            self.parent.plot_panels[self.uid].window_caption = caption
1982            # set new caption
1983            self.window_caption = caption
1984           
1985        dial.Destroy()
1986         
1987    def onResetGraph(self, event):
1988        """
1989        Reset the graph by plotting the full range of data
1990        """
1991        list = []
1992        list = self.graph.returnPlottable()
1993        for item in list:
1994            item.onReset()
1995        self.graph.render(self)
1996        self._onEVT_FUNC_PROPERTY(False)
1997        if self.is_zoomed:
1998                self.is_zoomed = False
1999        self.toolbar.update()
2000       
2001    def onPrinterSetup(self, event=None):
2002        """
2003        """
2004        self.canvas.Printer_Setup(event=event)
2005        self.Update()
2006
2007    def onPrinterPreview(self, event=None):
2008        """
2009        """
2010        try:
2011            self.canvas.Printer_Preview(event=event)
2012            self.Update()
2013        except:
2014            pass
2015       
2016    def onPrint(self, event=None):
2017        """
2018        """
2019        try:
2020            self.canvas.Printer_Print(event=event)
2021            self.Update()
2022        except:
2023            pass
2024     
2025    def OnCopyFigureMenu(self, evt):
2026        """
2027        Copy the current figure to clipboard
2028        """
2029        try:
2030            CopyImage(self.canvas)
2031        except:
2032            print "Error in copy Image"
2033
2034 
2035#---------------------------------------------------------------
2036class NoRepaintCanvas(FigureCanvasWxAgg):
2037    """
2038    We subclass FigureCanvasWxAgg, overriding the _onPaint method, so that
2039    the draw method is only called for the first two paint events. After that,
2040    the canvas will only be redrawn when it is resized.
2041   
2042    """
2043    def __init__(self, *args, **kwargs):
2044        """
2045        """
2046        FigureCanvasWxAgg.__init__(self, *args, **kwargs)
2047        self._drawn = 0
2048
2049    def _onPaint(self, evt):
2050        """
2051        Called when wxPaintEvt is generated
2052       
2053        """
2054        if not self._isRealized:
2055            self.realize()
2056        if self._drawn < 2:
2057            self.draw(repaint=False)
2058            self._drawn += 1
2059        self.gui_repaint(drawDC=wx.PaintDC(self))
Note: See TracBrowser for help on using the repository browser.