diff --git a/GradientWidget.py b/GradientWidget.py
deleted file mode 100644
index 033c62dbe5bb6753085c372e5154a65cd0bf3673..0000000000000000000000000000000000000000
--- a/GradientWidget.py
+++ /dev/null
@@ -1,452 +0,0 @@
-# -*- coding: utf-8 -*-
-from PyQt4 import QtGui, QtCore
-import weakref
-
-class TickSlider(QtGui.QGraphicsView):
-    def __init__(self, parent=None, orientation='bottom', allowAdd=True, **kargs):
-        QtGui.QGraphicsView.__init__(self, parent)
-        #self.orientation = orientation
-        self.allowAdd = allowAdd
-        self.setVerticalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOff)
-        self.setHorizontalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOff)
-        self.setTransformationAnchor(QtGui.QGraphicsView.NoAnchor)
-        self.setResizeAnchor(QtGui.QGraphicsView.AnchorViewCenter)
-        self.setRenderHints(QtGui.QPainter.Antialiasing | QtGui.QPainter.TextAntialiasing)
-        self.length = 100
-        self.tickSize = 15
-        self.orientations = {
-            'left': (270, 1, -1), 
-            'right': (270, 1, 1), 
-            'top': (0, 1, -1), 
-            'bottom': (0, 1, 1)
-        }
-            
-        self.scene = QtGui.QGraphicsScene()
-        self.setScene(self.scene)
-        
-        self.ticks = {}
-        self.maxDim = 20
-        self.setOrientation(orientation)
-        self.setFrameStyle(QtGui.QFrame.NoFrame | QtGui.QFrame.Plain)
-        self.setBackgroundRole(QtGui.QPalette.NoRole)
-        self.setMouseTracking(True)
-        
-    def keyPressEvent(self, ev):
-        ev.ignore()
-     
-    def setMaxDim(self, mx=None):
-        if mx is None:
-            mx = self.maxDim
-        else:
-            self.maxDim = mx
-            
-        if self.orientation in ['bottom', 'top']:
-            self.setFixedHeight(mx)
-            self.setMaximumWidth(16777215)
-        else:
-            self.setFixedWidth(mx)
-            self.setMaximumHeight(16777215)
-        
-    def setOrientation(self, ort):
-        self.orientation = ort
-        self.resetTransform()
-        self.rotate(self.orientations[ort][0])
-        self.scale(*self.orientations[ort][1:])
-        self.setMaxDim()
-        
-    def addTick(self, x, color=None, movable=True):
-        if color is None:
-            color = QtGui.QColor(255,255,255)
-        tick = Tick(self, [x*self.length, 0], color, movable, self.tickSize)
-        self.ticks[tick] = x
-        self.scene.addItem(tick)
-        return tick
-                
-    def removeTick(self, tick):
-        del self.ticks[tick]
-        self.scene.removeItem(tick)
-                
-    def tickMoved(self, tick, pos):
-        #print "tick changed"
-        ## Correct position of tick if it has left bounds.
-        newX = min(max(0, pos.x()), self.length)
-        pos.setX(newX)
-        tick.setPos(pos)
-        self.ticks[tick] = float(newX) / self.length
-    
-    def tickClicked(self, tick, ev):
-        if ev.button() == QtCore.Qt.RightButton:
-            self.removeTick(tick)
-    
-    def widgetLength(self):
-        if self.orientation in ['bottom', 'top']:
-            return self.width()
-        else:
-            return self.height()
-    
-    def resizeEvent(self, ev):
-        wlen = max(40, self.widgetLength())
-        self.setLength(wlen-self.tickSize)
-        bounds = self.scene.itemsBoundingRect()
-        bounds.setLeft(min(-self.tickSize*0.5, bounds.left()))
-        bounds.setRight(max(self.length + self.tickSize, bounds.right()))
-        #bounds.setTop(min(bounds.top(), self.tickSize))
-        #bounds.setBottom(max(0, bounds.bottom()))
-        self.setSceneRect(bounds)
-        self.fitInView(bounds, QtCore.Qt.KeepAspectRatio)
-        
-    def setLength(self, newLen):
-        for t, x in self.ticks.items():
-            t.setPos(x * newLen, t.pos().y())
-        self.length = float(newLen)
-        
-    def mousePressEvent(self, ev):
-        QtGui.QGraphicsView.mousePressEvent(self, ev)
-        self.ignoreRelease = False
-        if len(self.items(ev.pos())) > 0:  ## Let items handle their own clicks
-            self.ignoreRelease = True
-        
-    def mouseReleaseEvent(self, ev):
-        QtGui.QGraphicsView.mouseReleaseEvent(self, ev)
-        if self.ignoreRelease:
-            return
-            
-        pos = self.mapToScene(ev.pos())
-        if pos.x() < 0 or pos.x() > self.length:
-            return
-        if pos.y() < 0 or pos.y() > self.tickSize:
-            return
-            
-        if ev.button() == QtCore.Qt.LeftButton and self.allowAdd:
-            pos.setX(min(max(pos.x(), 0), self.length))
-            self.addTick(pos.x()/self.length)
-        elif ev.button() == QtCore.Qt.RightButton:
-            self.showMenu(ev)
-            
-        
-    def showMenu(self, ev):
-        pass
-
-    def setTickColor(self, tick, color):
-        tick = self.getTick(tick)
-        tick.color = color
-        tick.setBrush(QtGui.QBrush(QtGui.QColor(tick.color)))
-
-    def setTickValue(self, tick, val):
-        tick = self.getTick(tick)
-        val = min(max(0.0, val), 1.0)
-        x = val * self.length
-        pos = tick.pos()
-        pos.setX(x)
-        tick.setPos(pos)
-        self.ticks[tick] = val
-        
-    def tickValue(self, tick):
-        tick = self.getTick(tick)
-        return self.ticks[tick]
-        
-    def getTick(self, tick):
-        if type(tick) is int:
-            tick = self.listTicks()[tick][0]
-        return tick
-
-    def mouseMoveEvent(self, ev):
-        QtGui.QGraphicsView.mouseMoveEvent(self, ev)
-        #print ev.pos(), ev.buttons()
-
-    def listTicks(self):
-        ticks = self.ticks.items()
-        ticks.sort(lambda a,b: cmp(a[1], b[1]))
-        return ticks
-
-
-class GradientWidget(TickSlider):
-    
-    sigGradientChanged = QtCore.Signal(object)
-    
-    def __init__(self, *args, **kargs):
-        TickSlider.__init__(self, *args, **kargs)
-        self.currentTick = None
-        self.currentTickColor = None
-        self.rectSize = 15
-        self.gradRect = QtGui.QGraphicsRectItem(QtCore.QRectF(0, -self.rectSize, 100, self.rectSize))
-        self.colorMode = 'rgb'
-        self.colorDialog = QtGui.QColorDialog()
-        self.colorDialog.setOption(QtGui.QColorDialog.ShowAlphaChannel, True)
-        self.colorDialog.setOption(QtGui.QColorDialog.DontUseNativeDialog, True)
-        #QtCore.QObject.connect(self.colorDialog, QtCore.SIGNAL('currentColorChanged(const QColor&)'), self.currentColorChanged)
-        self.colorDialog.currentColorChanged.connect(self.currentColorChanged)
-        #QtCore.QObject.connect(self.colorDialog, QtCore.SIGNAL('rejected()'), self.currentColorRejected)
-        self.colorDialog.rejected.connect(self.currentColorRejected)
-        
-        #self.gradient = QtGui.QLinearGradient(QtCore.QPointF(0,0), QtCore.QPointF(100,0))
-        self.scene.addItem(self.gradRect)
-        self.addTick(0, QtGui.QColor(0,0,0), True)
-        self.addTick(1, QtGui.QColor(255,0,0), True)
-        
-        self.setMaxDim(self.rectSize + self.tickSize)
-        self.updateGradient()
-            
-        #self.btn = QtGui.QPushButton('RGB')
-        #self.btnProxy = self.scene.addWidget(self.btn)
-        #self.btnProxy.setFlag(self.btnProxy.ItemIgnoresTransformations)
-        #self.btnProxy.scale(0.7, 0.7)
-        #self.btnProxy.translate(-self.btnProxy.sceneBoundingRect().width()+self.tickSize/2., 0)
-        #if self.orientation == 'bottom':
-            #self.btnProxy.translate(0, -self.rectSize)
-            
-    def setColorMode(self, cm):
-        if cm not in ['rgb', 'hsv']:
-            raise Exception("Unknown color mode %s" % str(cm))
-        self.colorMode = cm
-        self.updateGradient()
-        
-    def updateGradient(self):
-        self.gradient = self.getGradient()
-        self.gradRect.setBrush(QtGui.QBrush(self.gradient))
-        #self.emit(QtCore.SIGNAL('gradientChanged'), self)
-        self.sigGradientChanged.emit(self)
-        
-    def setLength(self, newLen):
-        TickSlider.setLength(self, newLen)
-        self.gradRect.setRect(0, -self.rectSize, newLen, self.rectSize)
-        self.updateGradient()
-        
-    def currentColorChanged(self, color):
-        if color.isValid() and self.currentTick is not None:
-            self.setTickColor(self.currentTick, color)
-            self.updateGradient()
-            
-    def currentColorRejected(self):
-        self.setTickColor(self.currentTick, self.currentTickColor)
-        self.updateGradient()
-        
-    def tickClicked(self, tick, ev):
-        if ev.button() == QtCore.Qt.LeftButton:
-            if not tick.colorChangeAllowed:
-                return
-            self.currentTick = tick
-            self.currentTickColor = tick.color
-            self.colorDialog.setCurrentColor(tick.color)
-            self.colorDialog.open()
-            #color = QtGui.QColorDialog.getColor(tick.color, self, "Select Color", QtGui.QColorDialog.ShowAlphaChannel)
-            #if color.isValid():
-                #self.setTickColor(tick, color)
-                #self.updateGradient()
-        elif ev.button() == QtCore.Qt.RightButton:
-            if not tick.removeAllowed:
-                return
-            if len(self.ticks) > 2:
-                self.removeTick(tick)
-                self.updateGradient()
-                
-    def tickMoved(self, tick, pos):
-        TickSlider.tickMoved(self, tick, pos)
-        self.updateGradient()
-
-
-    def getGradient(self):
-        g = QtGui.QLinearGradient(QtCore.QPointF(0,0), QtCore.QPointF(self.length,0))
-        if self.colorMode == 'rgb':
-            ticks = self.listTicks()
-            g.setStops([(x, QtGui.QColor(t.color)) for t,x in ticks])
-        elif self.colorMode == 'hsv':  ## HSV mode is approximated for display by interpolating 10 points between each stop
-            ticks = self.listTicks()
-            stops = []
-            stops.append((ticks[0][1], ticks[0][0].color))
-            for i in range(1,len(ticks)):
-                x1 = ticks[i-1][1]
-                x2 = ticks[i][1]
-                dx = (x2-x1) / 10.
-                for j in range(1,10):
-                    x = x1 + dx*j
-                    stops.append((x, self.getColor(x)))
-                stops.append((x2, self.getColor(x2)))
-            g.setStops(stops)
-        return g
-        
-    def getColor(self, x):
-        ticks = self.listTicks()
-        if x <= ticks[0][1]:
-            return QtGui.QColor(ticks[0][0].color)  # always copy colors before handing them out
-        if x >= ticks[-1][1]:
-            return QtGui.QColor(ticks[-1][0].color)
-            
-        x2 = ticks[0][1]
-        for i in range(1,len(ticks)):
-            x1 = x2
-            x2 = ticks[i][1]
-            if x1 <= x and x2 >= x:
-                break
-                
-        dx = (x2-x1)
-        if dx == 0:
-            f = 0.
-        else:
-            f = (x-x1) / dx
-        c1 = ticks[i-1][0].color
-        c2 = ticks[i][0].color
-        if self.colorMode == 'rgb':
-            r = c1.red() * (1.-f) + c2.red() * f
-            g = c1.green() * (1.-f) + c2.green() * f
-            b = c1.blue() * (1.-f) + c2.blue() * f
-            a = c1.alpha() * (1.-f) + c2.alpha() * f
-            return QtGui.QColor(r, g, b,a)
-        elif self.colorMode == 'hsv':
-            h1,s1,v1,_ = c1.getHsv()
-            h2,s2,v2,_ = c2.getHsv()
-            h = h1 * (1.-f) + h2 * f
-            s = s1 * (1.-f) + s2 * f
-            v = v1 * (1.-f) + v2 * f
-            c = QtGui.QColor()
-            c.setHsv(h,s,v)
-            return c
-                    
-                    
-
-    def mouseReleaseEvent(self, ev):
-        TickSlider.mouseReleaseEvent(self, ev)
-        self.updateGradient()
-        
-    def addTick(self, x, color=None, movable=True):
-        if color is None:
-            color = self.getColor(x)
-        t = TickSlider.addTick(self, x, color=color, movable=movable)
-        t.colorChangeAllowed = True
-        t.removeAllowed = True
-        return t
-        
-    def saveState(self):
-        ticks = []
-        for t in self.ticks:
-            c = t.color
-            ticks.append((self.ticks[t], (c.red(), c.green(), c.blue(), c.alpha())))
-        state = {'mode': self.colorMode, 'ticks': ticks}
-        return state
-        
-    def restoreState(self, state):
-        self.setColorMode(state['mode'])
-        for t in self.ticks.keys():
-            self.removeTick(t)
-        for t in state['ticks']:
-            c = QtGui.QColor(*t[1])
-            self.addTick(t[0], c)
-        self.updateGradient()
-
-
-
-class BlackWhiteSlider(GradientWidget):
-    def __init__(self, parent):
-        GradientWidget.__init__(self, parent)
-        self.getTick(0).colorChangeAllowed = False
-        self.getTick(1).colorChangeAllowed = False
-        self.allowAdd = False
-        self.setTickColor(self.getTick(1), QtGui.QColor(255,255,255))
-        self.setOrientation('right')
-
-    def getLevels(self):
-        return (self.tickValue(0), self.tickValue(1))
-
-    def setLevels(self, black, white):
-        self.setTickValue(0, black)
-        self.setTickValue(1, white)
-
-
-
-
-class GammaWidget(TickSlider):
-    pass
-    
-        
-class Tick(QtGui.QGraphicsPolygonItem):
-    def __init__(self, view, pos, color, movable=True, scale=10):
-        #QObjectWorkaround.__init__(self)
-        self.movable = movable
-        self.view = weakref.ref(view)
-        self.scale = scale
-        self.color = color
-        #self.endTick = endTick
-        self.pg = QtGui.QPolygonF([QtCore.QPointF(0,0), QtCore.QPointF(-scale/3**0.5,scale), QtCore.QPointF(scale/3**0.5,scale)])
-        QtGui.QGraphicsPolygonItem.__init__(self, self.pg)
-        self.setPos(pos[0], pos[1])
-        self.setFlags(QtGui.QGraphicsItem.ItemIsMovable | QtGui.QGraphicsItem.ItemIsSelectable)
-        self.setBrush(QtGui.QBrush(QtGui.QColor(self.color)))
-        if self.movable:
-            self.setZValue(1)
-        else:
-            self.setZValue(0)
-
-    #def x(self):
-        #return self.pos().x()/100.
-
-    def mouseMoveEvent(self, ev):
-        #print self, "move", ev.scenePos()
-        if not self.movable:
-            return
-        if not ev.buttons() & QtCore.Qt.LeftButton:
-            return
-            
-            
-        newPos = ev.scenePos() + self.mouseOffset
-        newPos.setY(self.pos().y())
-        #newPos.setX(min(max(newPos.x(), 0), 100))
-        self.setPos(newPos)
-        self.view().tickMoved(self, newPos)
-        self.movedSincePress = True
-        #self.emit(QtCore.SIGNAL('tickChanged'), self)
-        ev.accept()
-
-    def mousePressEvent(self, ev):
-        self.movedSincePress = False
-        if ev.button() == QtCore.Qt.LeftButton:
-            ev.accept()
-            self.mouseOffset = self.pos() - ev.scenePos()
-            self.pressPos = ev.scenePos()
-        elif ev.button() == QtCore.Qt.RightButton:
-            ev.accept()
-            #if self.endTick:
-                #return
-            #self.view.tickChanged(self, delete=True)
-            
-    def mouseReleaseEvent(self, ev):
-        #print self, "release", ev.scenePos()
-        if not self.movedSincePress:
-            self.view().tickClicked(self, ev)
-        
-        #if ev.button() == QtCore.Qt.LeftButton and ev.scenePos() == self.pressPos:
-            #color = QtGui.QColorDialog.getColor(self.color, None, "Select Color", QtGui.QColorDialog.ShowAlphaChannel)
-            #if color.isValid():
-                #self.color = color
-                #self.setBrush(QtGui.QBrush(QtGui.QColor(self.color)))
-                ##self.emit(QtCore.SIGNAL('tickChanged'), self)
-                #self.view.tickChanged(self)
-        
-        
-    
-    
-    
-if __name__ == '__main__':
-    app = QtGui.QApplication([])
-    w = QtGui.QMainWindow()
-    w.show()
-    w.resize(400,400)
-    cw = QtGui.QWidget()
-    w.setCentralWidget(cw)
-
-    l = QtGui.QGridLayout()
-    l.setSpacing(0)
-    cw.setLayout(l)
-
-    w1 = GradientWidget(orientation='top')
-    w2 = GradientWidget(orientation='right', allowAdd=False)
-    w2.setTickColor(1, QtGui.QColor(255,255,255))
-    w3 = GradientWidget(orientation='bottom')
-    w4 = TickSlider(orientation='left')
-
-    l.addWidget(w1, 0, 1)
-    l.addWidget(w2, 1, 2)
-    l.addWidget(w3, 2, 1)
-    l.addWidget(w4, 1, 0)
-    
-    
-    
\ No newline at end of file
diff --git a/GraphicsScene.py b/GraphicsScene.py
new file mode 100644
index 0000000000000000000000000000000000000000..e9316796980a4dd765b42c3a70b3f55774a19f01
--- /dev/null
+++ b/GraphicsScene.py
@@ -0,0 +1,747 @@
+from pyqtgraph.Qt import QtCore, QtGui, QtOpenGL, QtSvg
+import weakref
+from pyqtgraph.Point import Point
+import pyqtgraph.functions as fn
+import pyqtgraph.ptime as ptime
+import debug
+
+try:
+    import sip
+    HAVE_SIP = True
+except:
+    HAVE_SIP = False
+
+
+__all__ = ['GraphicsScene']
+
+class GraphicsScene(QtGui.QGraphicsScene):
+    """
+    Extension of QGraphicsScene that implements a complete, parallel mouse event system.
+    (It would have been preferred to just alter the way QGraphicsScene creates and delivers 
+    events, but this turned out to be impossible because the constructor for QGraphicsMouseEvent
+    is private)
+    
+    -  Generates MouseClicked events in addition to the usual press/move/release events. 
+       (This works around a problem where it is impossible to have one item respond to a 
+       drag if another is watching for a click.)
+    -  Adjustable radius around click that will catch objects so you don't have to click *exactly* over small/thin objects
+    -  Global context menu--if an item implements a context menu, then its parent(s) may also add items to the menu.
+    -  Allows items to decide _before_ a mouse click which item will be the recipient of mouse events.
+       This lets us indicate unambiguously to the user which item they are about to click/drag on
+    -  Eats mouseMove events that occur too soon after a mouse press.
+    -  Reimplements items() and itemAt() to circumvent PyQt bug
+    
+    Mouse interaction is as follows:
+    1) Every time the mouse moves, the scene delivers both the standard hoverEnter/Move/LeaveEvents 
+       as well as custom HoverEvents. 
+    2) Items are sent HoverEvents in Z-order and each item may optionally call event.acceptClicks(button), 
+       acceptDrags(button) or both. If this method call returns True, this informs the item that _if_ 
+       the user clicks/drags the specified mouse button, the item is guaranteed to be the 
+       recipient of click/drag events (the item may wish to change its appearance to indicate this).
+       If the call to acceptClicks/Drags returns False, then the item is guaranteed to NOT receive
+       the requested event (because another item has already accepted it). 
+    3) If the mouse is clicked, a mousePressEvent is generated as usual. If any items accept this press event, then
+       No click/drag events will be generated and mouse interaction proceeds as defined by Qt. This allows
+       items to function properly if they are expecting the usual press/move/release sequence of events.
+       (It is recommended that items do NOT accept press events, and instead use click/drag events)
+       Note: The default implementation of QGraphicsItem.mousePressEvent will ACCEPT the event if the 
+       item is has its Selectable or Movable flags enabled. You may need to override this behavior.
+    3) If no item accepts the mousePressEvent, then the scene will begin delivering mouseDrag and/or mouseClick events.
+       If the mouse is moved a sufficient distance (or moved slowly enough) before the button is released, 
+       then a mouseDragEvent is generated.
+       If no drag events are generated before the button is released, then a mouseClickEvent is generated. 
+    4) Click/drag events are delivered to the item that called acceptClicks/acceptDrags on the HoverEvent
+       in step 1. If no such items exist, then the scene attempts to deliver the events to items near the event. 
+       ClickEvents may be delivered in this way even if no
+       item originally claimed it could accept the click. DragEvents may only be delivered this way if it is the initial
+       move in a drag.
+    """
+    
+    
+    _addressCache = weakref.WeakValueDictionary()
+    sigMouseHover = QtCore.Signal(object)   ## emits a list of objects hovered over
+    sigMouseMoved = QtCore.Signal(object)   ## emits position of mouse on every move
+    sigMouseClicked = QtCore.Signal(object)   ## emitted when MouseClickEvent is not accepted by any items under the click.
+    
+    @classmethod
+    def registerObject(cls, obj):
+        """
+        Workaround for PyQt bug in qgraphicsscene.items()
+        All subclasses of QGraphicsObject must register themselves with this function.
+        (otherwise, mouse interaction with those objects will likely fail)
+        """
+        if HAVE_SIP and isinstance(obj, sip.wrapper):
+            cls._addressCache[sip.unwrapinstance(sip.cast(obj, QtGui.QGraphicsItem))] = obj
+            
+            
+    def __init__(self, clickRadius=2, moveDistance=5):
+        QtGui.QGraphicsScene.__init__(self)
+        self.setClickRadius(clickRadius)
+        self.setMoveDistance(moveDistance)
+        self.clickEvents = []
+        self.dragButtons = []
+        self.mouseGrabber = None
+        self.dragItem = None
+        self.lastDrag = None
+        self.hoverItems = weakref.WeakKeyDictionary()
+        self.lastHoverEvent = None
+        #self.searchRect = QtGui.QGraphicsRectItem()
+        #self.searchRect.setPen(fn.mkPen(200,0,0))
+        #self.addItem(self.searchRect)
+        
+
+    def setClickRadius(self, r):
+        """
+        Set the distance away from mouse clicks to search for interacting items.
+        When clicking, the scene searches first for items that directly intersect the click position
+        followed by any other items that are within a rectangle that extends r pixels away from the 
+        click position. 
+        """
+        self._clickRadius = r
+        
+    def setMoveDistance(self, d):
+        """
+        Set the distance the mouse must move after a press before mouseMoveEvents will be delivered.
+        This ensures that clicks with a small amount of movement are recognized as clicks instead of
+        drags.
+        """
+        self._moveDistance = d
+
+    def mousePressEvent(self, ev):
+        #print 'scenePress'
+        QtGui.QGraphicsScene.mousePressEvent(self, ev)
+        #print "mouseGrabberItem: ", self.mouseGrabberItem()
+        if self.mouseGrabberItem() is None:  ## nobody claimed press; we are free to generate drag/click events
+            self.clickEvents.append(MouseClickEvent(ev))
+        #else:
+            #addr = sip.unwrapinstance(sip.cast(self.mouseGrabberItem(), QtGui.QGraphicsItem))
+            #item = GraphicsScene._addressCache.get(addr, self.mouseGrabberItem())            
+            #print "click grabbed by:", item
+        
+    def mouseMoveEvent(self, ev):
+        self.sigMouseMoved.emit(ev.scenePos())
+        
+        ## First allow QGraphicsScene to deliver hoverEnter/Move/ExitEvents
+        QtGui.QGraphicsScene.mouseMoveEvent(self, ev)
+
+    
+        ## Next deliver our own HoverEvents
+        self.sendHoverEvents(ev)
+        
+        
+        if int(ev.buttons()) != 0:  ## button is pressed; send mouseMoveEvents and mouseDragEvents
+            QtGui.QGraphicsScene.mouseMoveEvent(self, ev)
+            if self.mouseGrabberItem() is None:
+                now = ptime.time()
+                init = False
+                ## keep track of which buttons are involved in dragging
+                for btn in [QtCore.Qt.LeftButton, QtCore.Qt.MidButton, QtCore.Qt.RightButton]:
+                    if int(ev.buttons() & btn) == 0:
+                        continue
+                    if int(btn) not in self.dragButtons:  ## see if we've dragged far enough yet
+                        cev = [e for e in self.clickEvents if int(e.button()) == int(btn)][0]
+                        dist = Point(ev.screenPos() - cev.screenPos())
+                        if dist.length() < self._moveDistance and now - cev.time() < 0.5:
+                            continue
+                        init = init or (len(self.dragButtons) == 0)  ## If this is the first button to be dragged, then init=True
+                        self.dragButtons.append(int(btn))
+                        
+                ## If we have dragged buttons, deliver a drag event
+                if len(self.dragButtons) > 0:
+                    if self.sendDragEvent(ev, init=init):
+                        ev.accept()
+                
+    def leaveEvent(self, ev):  ## inform items that mouse is gone
+        if len(self.dragButtons) == 0:
+            self.sendHoverEvents(ev, exitOnly=True)
+        
+                
+    def mouseReleaseEvent(self, ev):
+        #print 'sceneRelease'
+        if self.mouseGrabberItem() is None:
+            #print "sending click/drag event"
+            if ev.button() in self.dragButtons:
+                if self.sendDragEvent(ev, final=True):
+                    #print "sent drag event"
+                    ev.accept()
+                self.dragButtons.remove(ev.button())
+            else:
+                cev = [e for e in self.clickEvents if int(e.button()) == int(ev.button())]
+                if self.sendClickEvent(cev[0]):
+                    #print "sent click event"
+                    ev.accept()
+                self.clickEvents.remove(cev[0])
+                
+        if int(ev.buttons()) == 0:
+            self.dragItem = None
+            self.dragButtons = []
+            self.clickEvents = []
+            self.lastDrag = None
+        QtGui.QGraphicsScene.mouseReleaseEvent(self, ev)
+        
+        self.sendHoverEvents(ev)  ## let items prepare for next click/drag
+
+    def mouseDoubleClickEvent(self, ev):
+        QtGui.QGraphicsScene.mouseDoubleClickEvent(self, ev)
+        if self.mouseGrabberItem() is None:  ## nobody claimed press; we are free to generate drag/click events
+            self.clickEvents.append(MouseClickEvent(ev, double=True))
+        
+    def sendHoverEvents(self, ev, exitOnly=False):
+        ## if exitOnly, then just inform all previously hovered items that the mouse has left.
+        
+        if exitOnly:
+            acceptable=False
+            items = []
+            event = HoverEvent(None, acceptable)
+        else:
+            acceptable = int(ev.buttons()) == 0  ## if we are in mid-drag, do not allow items to accept the hover event.
+            event = HoverEvent(ev, acceptable)
+            items = self.itemsNearEvent(event)
+            self.sigMouseHover.emit(items)
+            
+        prevItems = self.hoverItems.keys()
+            
+        for item in items:
+            if hasattr(item, 'hoverEvent'):
+                event.currentItem = item
+                if item not in self.hoverItems:
+                    self.hoverItems[item] = None
+                    event.enter = True
+                else:
+                    prevItems.remove(item)
+                    event.enter = False
+                    
+                try:
+                    item.hoverEvent(event)
+                except:
+                    debug.printExc("Error sending hover event:")
+                    
+        event.enter = False
+        event.exit = True
+        for item in prevItems:
+            event.currentItem = item
+            try:
+                item.hoverEvent(event)
+            except:
+                debug.printExc("Error sending hover exit event:")
+            finally:
+                del self.hoverItems[item]
+        
+        if hasattr(ev, 'buttons') and int(ev.buttons()) == 0:
+            self.lastHoverEvent = event  ## save this so we can ask about accepted events later.
+            
+
+    def sendDragEvent(self, ev, init=False, final=False):
+        ## Send a MouseDragEvent to the current dragItem or to 
+        ## items near the beginning of the drag
+        event = MouseDragEvent(ev, self.clickEvents[0], self.lastDrag, start=init, finish=final)
+        #print "dragEvent: init=", init, 'final=', final, 'self.dragItem=', self.dragItem
+        if init and self.dragItem is None:
+            if self.lastHoverEvent is not None:
+                acceptedItem = self.lastHoverEvent.dragItems().get(event.button(), None)
+            else:
+                acceptedItem = None
+                
+            if acceptedItem is not None:
+                #print "Drag -> pre-selected item:", acceptedItem
+                self.dragItem = acceptedItem
+                event.currentItem = self.dragItem
+                try:
+                    self.dragItem.mouseDragEvent(event)
+                except:
+                    debug.printExc("Error sending drag event:")
+                    
+            else:
+                #print "drag -> new item"
+                for item in self.itemsNearEvent(event):
+                    #print "check item:", item
+                    if hasattr(item, 'mouseDragEvent'):
+                        event.currentItem = item
+                        try:
+                            item.mouseDragEvent(event)
+                        except:
+                            debug.printExc("Error sending drag event:")
+                        if event.isAccepted():
+                            #print "   --> accepted"
+                            self.dragItem = item
+                            break
+        elif self.dragItem is not None:
+            event.currentItem = self.dragItem
+            try:
+                self.dragItem.mouseDragEvent(event)
+            except:
+                debug.printExc("Error sending hover exit event:")
+            
+        self.lastDrag = event
+        
+        return event.isAccepted()
+            
+        
+    def sendClickEvent(self, ev):
+        ## if we are in mid-drag, click events may only go to the dragged item.
+        if self.dragItem is not None and hasattr(self.dragItem, 'mouseClickEvent'):
+            ev.currentItem = self.dragItem
+            self.dragItem.mouseClickEvent(ev)
+            
+        ## otherwise, search near the cursor
+        else:
+            if self.lastHoverEvent is not None:
+                acceptedItem = self.lastHoverEvent.clickItems().get(ev.button(), None)
+            else:
+                acceptedItem = None
+                
+            if acceptedItem is not None:
+                ev.currentItem = acceptedItem
+                try:
+                    acceptedItem.mouseClickEvent(ev)
+                except:
+                    debug.printExc("Error sending click event:")
+            else:
+                for item in self.itemsNearEvent(ev):
+                    if hasattr(item, 'mouseClickEvent'):
+                        ev.currentItem = item
+                        try:
+                            item.mouseClickEvent(ev)
+                        except:
+                            debug.printExc("Error sending click event:")
+                            
+                        if ev.isAccepted():
+                            break
+                if not ev.isAccepted() and ev.button() is QtCore.Qt.RightButton:
+                    #print "GraphicsScene emitting sigSceneContextMenu"
+                    self.sigMouseClicked.emit(ev)
+                    ev.accept()
+        return ev.isAccepted()
+        
+    #def claimEvent(self, item, button, eventType):
+        #key = (button, eventType)
+        #if key in self.claimedEvents:
+            #return False
+        #self.claimedEvents[key] = item
+        #print "event", key, "claimed by", item
+        #return True
+        
+        
+    def items(self, *args):
+        #print 'args:', args
+        items = QtGui.QGraphicsScene.items(self, *args)
+        ## PyQt bug: items() returns a list of QGraphicsItem instances. If the item is subclassed from QGraphicsObject,
+        ## then the object returned will be different than the actual item that was originally added to the scene
+        items2 = map(self.translateGraphicsItem, items)
+        #if HAVE_SIP and isinstance(self, sip.wrapper):
+            #items2 = []
+            #for i in items:
+                #addr = sip.unwrapinstance(sip.cast(i, QtGui.QGraphicsItem))
+                #i2 = GraphicsScene._addressCache.get(addr, i)
+                ##print i, "==>", i2
+                #items2.append(i2)
+        #print 'items:', items
+        return items2
+    
+    def selectedItems(self, *args):
+        items = QtGui.QGraphicsScene.selectedItems(self, *args)
+        ## PyQt bug: items() returns a list of QGraphicsItem instances. If the item is subclassed from QGraphicsObject,
+        ## then the object returned will be different than the actual item that was originally added to the scene
+        #if HAVE_SIP and isinstance(self, sip.wrapper):
+            #items2 = []
+            #for i in items:
+                #addr = sip.unwrapinstance(sip.cast(i, QtGui.QGraphicsItem))
+                #i2 = GraphicsScene._addressCache.get(addr, i)
+                ##print i, "==>", i2
+                #items2.append(i2)
+        items2 = map(self.translateGraphicsItem, items)
+
+        #print 'items:', items
+        return items2
+
+    def itemAt(self, *args):
+        item = QtGui.QGraphicsScene.itemAt(self, *args)
+        
+        ## PyQt bug: items() returns a list of QGraphicsItem instances. If the item is subclassed from QGraphicsObject,
+        ## then the object returned will be different than the actual item that was originally added to the scene
+        #if HAVE_SIP and isinstance(self, sip.wrapper):
+            #addr = sip.unwrapinstance(sip.cast(item, QtGui.QGraphicsItem))
+            #item = GraphicsScene._addressCache.get(addr, item)
+        #return item
+        return self.translateGraphicsItem(item)
+
+    def itemsNearEvent(self, event, selMode=QtCore.Qt.IntersectsItemShape, sortOrder=QtCore.Qt.DescendingOrder):
+        """
+        Return an iterator that iterates first through the items that directly intersect point (in Z order)
+        followed by any other items that are within the scene's click radius.
+        """
+        #tr = self.getViewWidget(event.widget()).transform()
+        view = self.views()[0]
+        tr = view.viewportTransform()
+        r = self._clickRadius
+        rect = view.mapToScene(QtCore.QRect(0, 0, 2*r, 2*r)).boundingRect()
+        
+        seen = set()
+        if hasattr(event, 'buttonDownScenePos'):
+            point = event.buttonDownScenePos()
+        else:
+            point = event.scenePos()
+        w = rect.width()
+        h = rect.height()
+        rgn = QtCore.QRectF(point.x()-w, point.y()-h, 2*w, 2*h)
+        #self.searchRect.setRect(rgn)
+
+
+        items = self.items(point, selMode, sortOrder, tr)
+        
+        ## remove items whose shape does not contain point (scene.items() apparently sucks at this)
+        items2 = []
+        for item in items:
+            shape = item.shape()
+            if shape is None:
+                continue
+            if item.mapToScene(shape).contains(point):
+                items2.append(item)
+        
+        ## Sort by descending Z-order (don't trust scene.itms() to do this either)
+        ## use 'absolute' z value, which is the sum of all item/parent ZValues
+        def absZValue(item):
+            if item is None:
+                return 0
+            return item.zValue() + absZValue(item.parentItem())
+        
+        items2.sort(lambda a,b: cmp(absZValue(b), absZValue(a)))
+        
+        return items2
+        
+        #for item in items:
+            ##seen.add(item)
+
+            #shape = item.mapToScene(item.shape())
+            #if not shape.contains(point):
+                #continue
+            #yield item
+        #for item in self.items(rgn, selMode, sortOrder, tr):
+            ##if item not in seen:
+            #yield item
+        
+    def getViewWidget(self, widget):
+        ## same pyqt bug -- mouseEvent.widget() doesn't give us the original python object.
+        ## [[doesn't seem to work correctly]]
+        if HAVE_SIP and isinstance(self, sip.wrapper):
+            addr = sip.unwrapinstance(sip.cast(widget, QtGui.QWidget))
+            #print "convert", widget, addr
+            for v in self.views():
+                addr2 = sip.unwrapinstance(sip.cast(v, QtGui.QWidget))
+                #print "   check:", v, addr2
+                if addr2 == addr:
+                    return v
+        else:
+            return widget
+        
+    def addParentContextMenus(self, item, menu, event):
+        """
+        Can be called by any item in the scene to expand its context menu to include parent context menus.
+        Parents may implement getContextMenus to add new menus / actions to the existing menu.
+        getContextMenus must accept 1 argument (the event that generated the original menu) and
+        return a single QMenu or a list of QMenus.
+        
+        The final menu will look like:
+        
+            Original Item 1
+            Original Item 2
+            ...
+            Original Item N
+            ------------------
+            Parent Item 1
+            Parent Item 2
+            ...
+            Grandparent Item 1
+            ...
+            
+        
+        Arguments:
+            item   - The item that initially created the context menu 
+                     (This is probably the item making the call to this function)
+            menu   - The context menu being shown by the item
+            event  - The original event that triggered the menu to appear.
+        """
+        
+        #items = self.itemsNearEvent(ev)
+        menusToAdd = []
+        while item.parentItem() is not None:
+            item = item.parentItem()
+        #for item in items:
+            #if item is sender:
+                #continue
+            if not hasattr(item, "getContextMenus"):
+                continue
+
+            
+            subMenus = item.getContextMenus(event)
+            if type(subMenus) is not list: ## so that some items (like FlowchartViewBox) can return multiple menus
+                subMenus = [subMenus]
+
+            for sm in subMenus:
+                menusToAdd.append(sm)
+        
+        if len(menusToAdd) > 0:
+            menu.addSeparator()
+            
+        for m in menusToAdd:
+            menu.addMenu(m)
+            
+        return menu
+
+    @staticmethod
+    def translateGraphicsItem(item):
+        ## for fixing pyqt bugs where the wrong item is returned
+        if HAVE_SIP and isinstance(item, sip.wrapper):
+            addr = sip.unwrapinstance(sip.cast(item, QtGui.QGraphicsItem))
+            item = GraphicsScene._addressCache.get(addr, item)
+        return item
+
+    @staticmethod
+    def translateGraphicsItems(items):
+        return map(GraphicsScene.translateGraphicsItem, items)
+
+
+class MouseDragEvent:
+    def __init__(self, moveEvent, pressEvent, lastEvent, start=False, finish=False):
+        self.start = start
+        self.finish = finish
+        self.accepted = False
+        self.currentItem = None
+        self._buttonDownScenePos = {}
+        self._buttonDownScreenPos = {}
+        for btn in [QtCore.Qt.LeftButton, QtCore.Qt.MidButton, QtCore.Qt.RightButton]:
+            self._buttonDownScenePos[int(btn)] = moveEvent.buttonDownScenePos(btn)
+            self._buttonDownScreenPos[int(btn)] = moveEvent.buttonDownScreenPos(btn)
+        self._scenePos = moveEvent.scenePos()
+        self._screenPos = moveEvent.screenPos()
+        if lastEvent is None:
+            self._lastScenePos = pressEvent.scenePos()
+            self._lastScreenPos = pressEvent.screenPos()
+        else:
+            self._lastScenePos = lastEvent.scenePos()
+            self._lastScreenPos = lastEvent.screenPos()
+        self._buttons = moveEvent.buttons()
+        self._button = pressEvent.button()
+        self._modifiers = moveEvent.modifiers()
+        
+    def accept(self):
+        self.accepted = True
+        self.acceptedItem = self.currentItem
+        
+    def ignore(self):
+        self.accepted = False
+    
+    def isAccepted(self):
+        return self.accepted
+    
+    def scenePos(self):
+        return Point(self._scenePos)
+    
+    def screenPos(self):
+        return Point(self._screenPos)
+    
+    def buttonDownScenePos(self, btn=None):
+        if btn is None:
+            btn = self.button()
+        return Point(self._buttonDownScenePos[int(btn)])
+    
+    def buttonDownScreenPos(self, btn=None):
+        if btn is None:
+            btn = self.button()
+        return Point(self._buttonDownScreenPos[int(btn)])
+    
+    def lastScenePos(self):
+        return Point(self._lastScenePos)
+    
+    def lastScreenPos(self):
+        return Point(self._lastScreenPos)
+    
+    def buttons(self):
+        return self._buttons
+        
+    def button(self):
+        """Return the button that initiated the drag (may be different from the buttons currently pressed)"""
+        return self._button
+        
+    def pos(self):
+        return Point(self.currentItem.mapFromScene(self._scenePos))
+    
+    def lastPos(self):
+        return Point(self.currentItem.mapFromScene(self._lastScenePos))
+        
+    def buttonDownPos(self, btn=None):
+        if btn is None:
+            btn = self.button()
+        return Point(self.currentItem.mapFromScene(self._buttonDownScenePos[int(btn)]))
+    
+    def isStart(self):
+        return self.start
+        
+    def isFinish(self):
+        return self.finish
+
+    def __repr__(self):
+        lp = self.lastPos()
+        p = self.pos()
+        return "<MouseDragEvent (%g,%g)->(%g,%g) buttons=%d start=%s finish=%s>" % (lp.x(), lp.y(), p.x(), p.y(), int(self.buttons()), str(self.isStart()), str(self.isFinish()))
+        
+    def modifiers(self):
+        return self._modifiers
+
+
+
+class MouseClickEvent:
+    def __init__(self, pressEvent, double=False):
+        self.accepted = False
+        self.currentItem = None
+        self._double = double
+        self._scenePos = pressEvent.scenePos()
+        self._screenPos = pressEvent.screenPos()
+        self._button = pressEvent.button()
+        self._buttons = pressEvent.buttons()
+        self._modifiers = pressEvent.modifiers()
+        self._time = ptime.time()
+        
+        
+    def accept(self):
+        self.accepted = True
+        self.acceptedItem = self.currentItem
+        
+    def ignore(self):
+        self.accepted = False
+    
+    def isAccepted(self):
+        return self.accepted
+    
+    def scenePos(self):
+        return Point(self._scenePos)
+    
+    def screenPos(self):
+        return Point(self._screenPos)
+    
+    def buttons(self):
+        return self._buttons
+    
+    def button(self):
+        return self._button
+    
+    def double(self):
+        return self._double
+
+    def pos(self):
+        return Point(self.currentItem.mapFromScene(self._scenePos))
+    
+    def lastPos(self):
+        return Point(self.currentItem.mapFromScene(self._lastScenePos))
+        
+    def modifiers(self):
+        return self._modifiers
+
+    def __repr__(self):
+        p = self.pos()
+        return "<MouseClickEvent (%g,%g) button=%d>" % (p.x(), p.y(), int(self.button()))
+        
+    def time(self):
+        return self._time
+
+
+
+class HoverEvent:
+    """
+    This event class both informs items that the mouse cursor is nearby and allows items to 
+    communicate with one another about whether each item will accept _potential_ mouse events. 
+    
+    It is common for multiple overlapping items to receive hover events and respond by changing 
+    their appearance. This can be misleading to the user since, in general, only one item will
+    respond to mouse events. To avoid this, items make calls to event.acceptClicks(button) 
+    and/or acceptDrags(button).
+    
+    Each item may make multiple calls to acceptClicks/Drags, each time for a different button. 
+    If the method returns True, then the item is guaranteed to be
+    the recipient of the claimed event IF the user presses the specified mouse button before
+    moving. If claimEvent returns False, then this item is guaranteed NOT to get the specified
+    event (because another has already claimed it) and the item should change its appearance 
+    accordingly.
+    
+    event.isEnter() returns True if the mouse has just entered the item's shape;
+    event.isExit() returns True if the mouse has just left.
+    """
+    def __init__(self, moveEvent, acceptable):
+        self.enter = False
+        self.acceptable = acceptable
+        self.exit = False
+        self.__clickItems = weakref.WeakValueDictionary()
+        self.__dragItems = weakref.WeakValueDictionary()
+        self.currentItem = None
+        if moveEvent is not None:
+            self._scenePos = moveEvent.scenePos()
+            self._screenPos = moveEvent.screenPos()
+            self._lastScenePos = moveEvent.lastScenePos()
+            self._lastScreenPos = moveEvent.lastScreenPos()
+            self._buttons = moveEvent.buttons()
+            self._modifiers = moveEvent.modifiers()
+        else:
+            self.exit = True
+            
+        
+        
+    def isEnter(self):
+        return self.enter
+        
+    def isExit(self):
+        return self.exit
+        
+    def acceptClicks(self, button):
+        """"""
+        if not self.acceptable:
+            return False
+        if button not in self.__clickItems:
+            self.__clickItems[button] = self.currentItem
+            return True
+        return False
+        
+    def acceptDrags(self, button):
+        if not self.acceptable:
+            return False
+        if button not in self.__dragItems:
+            self.__dragItems[button] = self.currentItem
+            return True
+        return False
+        
+    def scenePos(self):
+        return Point(self._scenePos)
+    
+    def screenPos(self):
+        return Point(self._screenPos)
+    
+    def lastScenePos(self):
+        return Point(self._lastScenePos)
+    
+    def lastScreenPos(self):
+        return Point(self._lastScreenPos)
+    
+    def buttons(self):
+        return self._buttons
+        
+    def pos(self):
+        return Point(self.currentItem.mapFromScene(self._scenePos))
+    
+    def lastPos(self):
+        return Point(self.currentItem.mapFromScene(self._lastScenePos))
+
+    def __repr__(self):
+        lp = self.lastPos()
+        p = self.pos()
+        return "<HoverEvent (%g,%g)->(%g,%g) buttons=%d enter=%s exit=%s>" % (lp.x(), lp.y(), p.x(), p.y(), int(self.buttons()), str(self.isEnter()), str(self.isExit()))
+        
+    def modifiers(self):
+        return self._modifiers
+    
+    def clickItems(self):
+        return self.__clickItems
+        
+    def dragItems(self):
+        return self.__dragItems
+        
+    
+    
\ No newline at end of file
diff --git a/GraphicsScene.pyc b/GraphicsScene.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..35431aa08b042fbceb3feb069a506181b5f0638b
Binary files /dev/null and b/GraphicsScene.pyc differ
diff --git a/ImageViewTemplate.ui b/ImageViewTemplate.ui
deleted file mode 100644
index 98d58a1f06cd0c5c96cfafe0e54facfa6e2434c6..0000000000000000000000000000000000000000
--- a/ImageViewTemplate.ui
+++ /dev/null
@@ -1,283 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<ui version="4.0">
- <class>Form</class>
- <widget class="QWidget" name="Form">
-  <property name="geometry">
-   <rect>
-    <x>0</x>
-    <y>0</y>
-    <width>726</width>
-    <height>588</height>
-   </rect>
-  </property>
-  <property name="windowTitle">
-   <string>Form</string>
-  </property>
-  <layout class="QVBoxLayout" name="verticalLayout">
-   <property name="spacing">
-    <number>0</number>
-   </property>
-   <property name="margin">
-    <number>0</number>
-   </property>
-   <item>
-    <widget class="QSplitter" name="splitter">
-     <property name="orientation">
-      <enum>Qt::Vertical</enum>
-     </property>
-     <widget class="QWidget" name="layoutWidget">
-      <layout class="QGridLayout" name="gridLayout">
-       <property name="margin">
-        <number>0</number>
-       </property>
-       <property name="spacing">
-        <number>0</number>
-       </property>
-       <item row="1" column="0" rowspan="3">
-        <widget class="GraphicsView" name="graphicsView" native="true">
-         <property name="sizePolicy">
-          <sizepolicy hsizetype="Expanding" vsizetype="Expanding">
-           <horstretch>10</horstretch>
-           <verstretch>10</verstretch>
-          </sizepolicy>
-         </property>
-        </widget>
-       </item>
-       <item row="3" column="3">
-        <widget class="QPushButton" name="roiBtn">
-         <property name="sizePolicy">
-          <sizepolicy hsizetype="Minimum" vsizetype="Fixed">
-           <horstretch>0</horstretch>
-           <verstretch>1</verstretch>
-          </sizepolicy>
-         </property>
-         <property name="maximumSize">
-          <size>
-           <width>30</width>
-           <height>16777215</height>
-          </size>
-         </property>
-         <property name="text">
-          <string>R</string>
-         </property>
-         <property name="checkable">
-          <bool>true</bool>
-         </property>
-        </widget>
-       </item>
-       <item row="1" column="3">
-        <widget class="GradientWidget" name="gradientWidget" native="true">
-         <property name="sizePolicy">
-          <sizepolicy hsizetype="Preferred" vsizetype="Expanding">
-           <horstretch>0</horstretch>
-           <verstretch>100</verstretch>
-          </sizepolicy>
-         </property>
-        </widget>
-       </item>
-       <item row="2" column="3">
-        <widget class="QPushButton" name="normBtn">
-         <property name="sizePolicy">
-          <sizepolicy hsizetype="Minimum" vsizetype="Fixed">
-           <horstretch>0</horstretch>
-           <verstretch>1</verstretch>
-          </sizepolicy>
-         </property>
-         <property name="maximumSize">
-          <size>
-           <width>30</width>
-           <height>16777215</height>
-          </size>
-         </property>
-         <property name="text">
-          <string>N</string>
-         </property>
-         <property name="checkable">
-          <bool>true</bool>
-         </property>
-        </widget>
-       </item>
-       <item row="0" column="0" colspan="4">
-        <widget class="QGroupBox" name="normGroup">
-         <property name="title">
-          <string>Normalization</string>
-         </property>
-         <layout class="QGridLayout" name="gridLayout_2">
-          <property name="margin">
-           <number>0</number>
-          </property>
-          <property name="spacing">
-           <number>0</number>
-          </property>
-          <item row="0" column="2">
-           <widget class="QRadioButton" name="normSubtractRadio">
-            <property name="text">
-             <string>Subtract</string>
-            </property>
-           </widget>
-          </item>
-          <item row="0" column="1">
-           <widget class="QRadioButton" name="normDivideRadio">
-            <property name="text">
-             <string>Divide</string>
-            </property>
-            <property name="checked">
-             <bool>false</bool>
-            </property>
-           </widget>
-          </item>
-          <item row="0" column="0">
-           <widget class="QLabel" name="label_5">
-            <property name="font">
-             <font>
-              <weight>75</weight>
-              <bold>true</bold>
-             </font>
-            </property>
-            <property name="text">
-             <string>Operation:</string>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="0">
-           <widget class="QLabel" name="label_3">
-            <property name="font">
-             <font>
-              <weight>75</weight>
-              <bold>true</bold>
-             </font>
-            </property>
-            <property name="text">
-             <string>Mean:</string>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="0">
-           <widget class="QLabel" name="label_4">
-            <property name="font">
-             <font>
-              <weight>75</weight>
-              <bold>true</bold>
-             </font>
-            </property>
-            <property name="text">
-             <string>Blur:</string>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="1">
-           <widget class="QCheckBox" name="normROICheck">
-            <property name="text">
-             <string>ROI</string>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="2">
-           <widget class="QDoubleSpinBox" name="normXBlurSpin"/>
-          </item>
-          <item row="2" column="1">
-           <widget class="QLabel" name="label_8">
-            <property name="text">
-             <string>X</string>
-            </property>
-            <property name="alignment">
-             <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="3">
-           <widget class="QLabel" name="label_9">
-            <property name="text">
-             <string>Y</string>
-            </property>
-            <property name="alignment">
-             <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="4">
-           <widget class="QDoubleSpinBox" name="normYBlurSpin"/>
-          </item>
-          <item row="2" column="5">
-           <widget class="QLabel" name="label_10">
-            <property name="text">
-             <string>T</string>
-            </property>
-            <property name="alignment">
-             <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set>
-            </property>
-           </widget>
-          </item>
-          <item row="0" column="3">
-           <widget class="QRadioButton" name="normOffRadio">
-            <property name="text">
-             <string>Off</string>
-            </property>
-            <property name="checked">
-             <bool>true</bool>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="3">
-           <widget class="QCheckBox" name="normTimeRangeCheck">
-            <property name="text">
-             <string>Time range</string>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="2">
-           <widget class="QCheckBox" name="normFrameCheck">
-            <property name="text">
-             <string>Frame</string>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="6">
-           <widget class="QDoubleSpinBox" name="normTBlurSpin"/>
-          </item>
-         </layout>
-        </widget>
-       </item>
-      </layout>
-     </widget>
-     <widget class="PlotWidget" name="roiPlot" native="true">
-      <property name="sizePolicy">
-       <sizepolicy hsizetype="Preferred" vsizetype="Preferred">
-        <horstretch>0</horstretch>
-        <verstretch>0</verstretch>
-       </sizepolicy>
-      </property>
-      <property name="minimumSize">
-       <size>
-        <width>0</width>
-        <height>40</height>
-       </size>
-      </property>
-     </widget>
-    </widget>
-   </item>
-  </layout>
- </widget>
- <customwidgets>
-  <customwidget>
-   <class>GradientWidget</class>
-   <extends>QWidget</extends>
-   <header>pyqtgraph.GradientWidget</header>
-   <container>1</container>
-  </customwidget>
-  <customwidget>
-   <class>GraphicsView</class>
-   <extends>QWidget</extends>
-   <header>GraphicsView</header>
-   <container>1</container>
-  </customwidget>
-  <customwidget>
-   <class>PlotWidget</class>
-   <extends>QWidget</extends>
-   <header>PlotWidget</header>
-   <container>1</container>
-  </customwidget>
- </customwidgets>
- <resources/>
- <connections/>
-</ui>
diff --git a/PlotItem.py b/PlotItem.py
deleted file mode 100644
index d53d2bfc1a02e584f971c501ba119042984122bc..0000000000000000000000000000000000000000
--- a/PlotItem.py
+++ /dev/null
@@ -1,1284 +0,0 @@
-# -*- coding: utf-8 -*-
-"""
-PlotItem.py -  Graphics item implementing a scalable ViewBox with plotting powers.
-Copyright 2010  Luke Campagnola
-Distributed under MIT/X11 license. See license.txt for more infomation.
-
-This class is one of the workhorses of pyqtgraph. It implements a graphics item with 
-plots, labels, and scales which can be viewed inside a QGraphicsScene. If you want
-a widget that can be added to your GUI, see PlotWidget instead.
-
-This class is very heavily featured:
-  - Automatically creates and manages PlotCurveItems
-  - Fast display and update of plots
-  - Manages zoom/pan ViewBox, scale, and label elements
-  - Automatic scaling when data changes
-  - Control panel with a huge feature set including averaging, decimation,
-    display, power spectrum, svg/png export, plot linking, and more.
-"""
-
-from graphicsItems import *
-from plotConfigTemplate import *
-from PyQt4 import QtGui, QtCore, QtSvg
-from functions import *
-#from ObjectWorkaround import *
-#tryWorkaround(QtCore, QtGui)
-import weakref
-import numpy as np
-#import debug
-
-try:
-    from WidgetGroup import *
-    HAVE_WIDGETGROUP = True
-except:
-    HAVE_WIDGETGROUP = False
-    
-try:
-    from metaarray import *
-    HAVE_METAARRAY = True
-except:
-    HAVE_METAARRAY = False
-
-
-class PlotItem(QtGui.QGraphicsWidget):
-    
-    sigYRangeChanged = QtCore.Signal(object, object)
-    sigXRangeChanged = QtCore.Signal(object, object)
-    sigRangeChanged = QtCore.Signal(object, object)
-    
-    """Plot graphics item that can be added to any graphics scene. Implements axis titles, scales, interactive viewbox."""
-    lastFileDir = None
-    managers = {}
-    
-    def __init__(self, parent=None, name=None, labels=None, **kargs):
-        QtGui.QGraphicsWidget.__init__(self, parent)
-        
-        ## Set up control buttons
-        
-        self.ctrlBtn = QtGui.QToolButton()
-        self.ctrlBtn.setText('?')
-        self.autoBtn = QtGui.QToolButton()
-        self.autoBtn.setText('A')
-        self.autoBtn.hide()
-        self.proxies = []
-        for b in [self.ctrlBtn, self.autoBtn]:
-            proxy = QtGui.QGraphicsProxyWidget(self)
-            proxy.setWidget(b)
-            proxy.setAcceptHoverEvents(False)
-            b.setStyleSheet("background-color: #000000; color: #888; font-size: 6pt")
-            self.proxies.append(proxy)
-        #QtCore.QObject.connect(self.ctrlBtn, QtCore.SIGNAL('clicked()'), self.ctrlBtnClicked)
-        self.ctrlBtn.clicked.connect(self.ctrlBtnClicked)
-        #QtCore.QObject.connect(self.autoBtn, QtCore.SIGNAL('clicked()'), self.enableAutoScale)
-        self.autoBtn.clicked.connect(self.enableAutoScale)
-        
-        
-        self.layout = QtGui.QGraphicsGridLayout()
-        self.layout.setContentsMargins(1,1,1,1)
-        self.setLayout(self.layout)
-        self.layout.setHorizontalSpacing(0)
-        self.layout.setVerticalSpacing(0)
-        
-        self.vb = ViewBox()
-        #QtCore.QObject.connect(self.vb, QtCore.SIGNAL('xRangeChanged'), self.xRangeChanged)
-        self.vb.sigXRangeChanged.connect(self.xRangeChanged)
-        #QtCore.QObject.connect(self.vb, QtCore.SIGNAL('yRangeChanged'), self.yRangeChanged)
-        self.vb.sigYRangeChanged.connect(self.yRangeChanged)
-        #QtCore.QObject.connect(self.vb, QtCore.SIGNAL('rangeChangedManually'), self.enableManualScale)
-        self.vb.sigRangeChangedManually.connect(self.enableManualScale)
-        
-        #QtCore.QObject.connect(self.vb, QtCore.SIGNAL('viewChanged'), self.viewChanged)
-        self.vb.sigRangeChanged.connect(self.viewRangeChanged)
-        
-        self.layout.addItem(self.vb, 2, 1)
-        self.alpha = 1.0
-        self.autoAlpha = True
-        self.spectrumMode = False
-         
-        self.autoScale = [True, True]
-         
-        ## Create and place scale items
-        self.scales = {
-            'top':    {'item': ScaleItem(orientation='top',    linkView=self.vb), 'pos': (1, 1)}, 
-            'bottom': {'item': ScaleItem(orientation='bottom', linkView=self.vb), 'pos': (3, 1)}, 
-            'left':   {'item': ScaleItem(orientation='left',   linkView=self.vb), 'pos': (2, 0)}, 
-            'right':  {'item': ScaleItem(orientation='right',  linkView=self.vb), 'pos': (2, 2)}
-        }
-        for k in self.scales:
-            self.layout.addItem(self.scales[k]['item'], *self.scales[k]['pos'])
-            
-        ## Create and place label items
-        #self.labels = {
-            #'title':  {'item': LabelItem('title', size='11pt'),  'pos': (0, 2), 'text': ''},
-            #'top':    {'item': LabelItem('top'),    'pos': (1, 2), 'text': '', 'units': '', 'unitPrefix': ''},
-            #'bottom': {'item': LabelItem('bottom'), 'pos': (5, 2), 'text': '', 'units': '', 'unitPrefix': ''},
-            #'left':   {'item': LabelItem('left'),   'pos': (3, 0), 'text': '', 'units': '', 'unitPrefix': ''},
-            #'right':  {'item': LabelItem('right'),  'pos': (3, 4), 'text': '', 'units': '', 'unitPrefix': ''}
-        #}
-        #self.labels['left']['item'].setAngle(-90)
-        #self.labels['right']['item'].setAngle(-90)
-        #for k in self.labels:
-            #self.layout.addItem(self.labels[k]['item'], *self.labels[k]['pos'])
-        self.titleLabel = LabelItem('', size='11pt')
-        self.layout.addItem(self.titleLabel, 0, 1)
-        self.setTitle(None)  ## hide
-
-
-        for i in range(4):
-            self.layout.setRowPreferredHeight(i, 0)
-            self.layout.setRowMinimumHeight(i, 0)
-            self.layout.setRowSpacing(i, 0)
-            self.layout.setRowStretchFactor(i, 1)
-            
-        for i in range(3):
-            self.layout.setColumnPreferredWidth(i, 0)
-            self.layout.setColumnMinimumWidth(i, 0)
-            self.layout.setColumnSpacing(i, 0)
-            self.layout.setColumnStretchFactor(i, 1)
-        self.layout.setRowStretchFactor(2, 100)
-        self.layout.setColumnStretchFactor(1, 100)
-        
-
-        ## Wrap a few methods from viewBox
-        for m in ['setXRange', 'setYRange', 'setRange', 'autoRange', 'viewRect', 'setMouseEnabled']:
-            setattr(self, m, getattr(self.vb, m))
-            
-        self.items = []
-        self.curves = []
-        self.dataItems = []
-        self.paramList = {}
-        self.avgCurves = {}
-        
-        ### Set up context menu
-        
-        w = QtGui.QWidget()
-        self.ctrl = c = Ui_Form()
-        c.setupUi(w)
-        dv = QtGui.QDoubleValidator(self)
-        self.ctrlMenu = QtGui.QMenu()
-        self.menuAction = QtGui.QWidgetAction(self)
-        self.menuAction.setDefaultWidget(w)
-        self.ctrlMenu.addAction(self.menuAction)
-        
-        if HAVE_WIDGETGROUP:
-            self.stateGroup = WidgetGroup(self.ctrlMenu)
-        
-        self.fileDialog = None
-        
-        self.xLinkPlot = None
-        self.yLinkPlot = None
-        self.linksBlocked = False
-
-        
-        #self.ctrlBtn.setFixedWidth(60)
-        self.setAcceptHoverEvents(True)
-        
-        ## Connect control widgets
-        #QtCore.QObject.connect(c.xMinText, QtCore.SIGNAL('editingFinished()'), self.setManualXScale)
-        c.xMinText.editingFinished.connect(self.setManualXScale)
-        #QtCore.QObject.connect(c.xMaxText, QtCore.SIGNAL('editingFinished()'), self.setManualXScale)
-        c.xMaxText.editingFinished.connect(self.setManualXScale)
-        #QtCore.QObject.connect(c.yMinText, QtCore.SIGNAL('editingFinished()'), self.setManualYScale)
-        c.yMinText.editingFinished.connect(self.setManualYScale)
-        #QtCore.QObject.connect(c.yMaxText, QtCore.SIGNAL('editingFinished()'), self.setManualYScale)
-        c.yMaxText.editingFinished.connect(self.setManualYScale)
-        
-        #QtCore.QObject.connect(c.xManualRadio, QtCore.SIGNAL('clicked()'), self.updateXScale)
-        c.xManualRadio.clicked.connect(lambda: self.updateXScale())
-        #QtCore.QObject.connect(c.yManualRadio, QtCore.SIGNAL('clicked()'), self.updateYScale)
-        c.yManualRadio.clicked.connect(lambda: self.updateYScale())
-        
-        #QtCore.QObject.connect(c.xAutoRadio, QtCore.SIGNAL('clicked()'), self.updateXScale)
-        c.xAutoRadio.clicked.connect(self.updateXScale)
-        #QtCore.QObject.connect(c.yAutoRadio, QtCore.SIGNAL('clicked()'), self.updateYScale)
-        c.yAutoRadio.clicked.connect(self.updateYScale)
-
-        #QtCore.QObject.connect(c.xAutoPercentSpin, QtCore.SIGNAL('valueChanged(int)'), self.replot)
-        c.xAutoPercentSpin.valueChanged.connect(self.replot)
-        #QtCore.QObject.connect(c.yAutoPercentSpin, QtCore.SIGNAL('valueChanged(int)'), self.replot)
-        c.yAutoPercentSpin.valueChanged.connect(self.replot)
-        
-        #QtCore.QObject.connect(c.xLogCheck, QtCore.SIGNAL('toggled(bool)'), self.setXLog)
-        #QtCore.QObject.connect(c.yLogCheck, QtCore.SIGNAL('toggled(bool)'), self.setYLog)
-
-        #QtCore.QObject.connect(c.alphaGroup, QtCore.SIGNAL('toggled(bool)'), self.updateAlpha)
-        c.alphaGroup.toggled.connect(self.updateAlpha)
-        #QtCore.QObject.connect(c.alphaSlider, QtCore.SIGNAL('valueChanged(int)'), self.updateAlpha)
-        c.alphaSlider.valueChanged.connect(self.updateAlpha)
-        #QtCore.QObject.connect(c.autoAlphaCheck, QtCore.SIGNAL('toggled(bool)'), self.updateAlpha)
-        c.autoAlphaCheck.toggled.connect(self.updateAlpha)
-
-        #QtCore.QObject.connect(c.gridGroup, QtCore.SIGNAL('toggled(bool)'), self.updateGrid)
-        c.gridGroup.toggled.connect(self.updateGrid)
-        #QtCore.QObject.connect(c.gridAlphaSlider, QtCore.SIGNAL('valueChanged(int)'), self.updateGrid)
-        c.gridAlphaSlider.valueChanged.connect(self.updateGrid)
-
-        #QtCore.QObject.connect(c.powerSpectrumGroup, QtCore.SIGNAL('toggled(bool)'), self.updateSpectrumMode)
-        c.powerSpectrumGroup.toggled.connect(self.updateSpectrumMode)
-        #QtCore.QObject.connect(c.saveSvgBtn, QtCore.SIGNAL('clicked()'), self.saveSvgClicked)
-        c.saveSvgBtn.clicked.connect(self.saveSvgClicked)
-        #QtCore.QObject.connect(c.saveImgBtn, QtCore.SIGNAL('clicked()'), self.saveImgClicked)
-        c.saveImgBtn.clicked.connect(self.saveImgClicked)
-        #QtCore.QObject.connect(c.saveCsvBtn, QtCore.SIGNAL('clicked()'), self.saveCsvClicked)
-        c.saveCsvBtn.clicked.connect(self.saveCsvClicked)
-        
-        #QtCore.QObject.connect(c.gridGroup, QtCore.SIGNAL('toggled(bool)'), self.updateGrid)
-        #QtCore.QObject.connect(c.gridAlphaSlider, QtCore.SIGNAL('valueChanged(int)'), self.updateGrid)
-        
-        #QtCore.QObject.connect(self.ctrl.xLinkCombo, QtCore.SIGNAL('currentIndexChanged(int)'), self.xLinkComboChanged)
-        self.ctrl.xLinkCombo.currentIndexChanged.connect(self.xLinkComboChanged)
-        #QtCore.QObject.connect(self.ctrl.yLinkCombo, QtCore.SIGNAL('currentIndexChanged(int)'), self.yLinkComboChanged)
-        self.ctrl.yLinkCombo.currentIndexChanged.connect(self.yLinkComboChanged)
-
-        #QtCore.QObject.connect(c.downsampleSpin, QtCore.SIGNAL('valueChanged(int)'), self.updateDownsampling)
-        c.downsampleSpin.valueChanged.connect(self.updateDownsampling)
-
-        #QtCore.QObject.connect(self.ctrl.avgParamList, QtCore.SIGNAL('itemClicked(QListWidgetItem*)'), self.avgParamListClicked)
-        self.ctrl.avgParamList.itemClicked.connect(self.avgParamListClicked)
-        #QtCore.QObject.connect(self.ctrl.averageGroup, QtCore.SIGNAL('toggled(bool)'), self.avgToggled)
-        self.ctrl.averageGroup.toggled.connect(self.avgToggled)
-        
-        #QtCore.QObject.connect(self.ctrl.pointsGroup, QtCore.SIGNAL('toggled(bool)'), self.updatePointMode)
-        #QtCore.QObject.connect(self.ctrl.autoPointsCheck, QtCore.SIGNAL('toggled(bool)'), self.updatePointMode)
-        
-        #QtCore.QObject.connect(self.ctrl.maxTracesCheck, QtCore.SIGNAL('toggled(bool)'), self.updateDecimation)
-        self.ctrl.maxTracesCheck.toggled.connect(self.updateDecimation)
-        #QtCore.QObject.connect(self.ctrl.maxTracesSpin, QtCore.SIGNAL('valueChanged(int)'), self.updateDecimation)
-        self.ctrl.maxTracesSpin.valueChanged.connect(self.updateDecimation)
-        #QtCore.QObject.connect(c.xMouseCheck, QtCore.SIGNAL('toggled(bool)'), self.mouseCheckChanged)
-        c.xMouseCheck.toggled.connect(self.mouseCheckChanged)
-        #QtCore.QObject.connect(c.yMouseCheck, QtCore.SIGNAL('toggled(bool)'), self.mouseCheckChanged)
-        c.yMouseCheck.toggled.connect(self.mouseCheckChanged)
-
-        self.xLinkPlot = None
-        self.yLinkPlot = None
-        self.linksBlocked = False
-        self.manager = None
-        
-        #self.showLabel('right', False)
-        #self.showLabel('top', False)
-        #self.showLabel('title', False)
-        #self.showLabel('left', False)
-        #self.showLabel('bottom', False)
-        self.showScale('right', False)
-        self.showScale('top', False)
-        self.showScale('left', True)
-        self.showScale('bottom', True)
-        
-        if name is not None:
-            self.registerPlot(name)
-        
-        if labels is not None:
-            for k in labels:
-                if isinstance(labels[k], basestring):
-                    labels[k] = (labels[k],)
-                self.setLabel(k, *labels[k])
-        
-        if len(kargs) > 0:
-            self.plot(**kargs)
-        
-    #def paint(self, *args):
-        #prof = debug.Profiler('PlotItem.paint', disabled=True)
-        #QtGui.QGraphicsWidget.paint(self, *args)
-        #prof.finish()
-        
-        
-    def close(self):
-        #print "delete", self
-        ## Most of this crap is needed to avoid PySide trouble. 
-        ## The problem seems to be whenever scene.clear() leads to deletion of widgets (either through proxies or qgraphicswidgets)
-        ## the solution is to manually remove all widgets before scene.clear() is called
-        if self.ctrlMenu is None: ## already shut down
-            return
-        self.ctrlMenu.setParent(None)
-        self.ctrlMenu = None
-        
-        self.ctrlBtn.setParent(None)
-        self.ctrlBtn = None
-        self.autoBtn.setParent(None)
-        self.autoBtn = None
-        
-        for k in self.scales:
-            i = self.scales[k]['item']
-            i.close()
-            
-        self.scales = None
-        self.scene().removeItem(self.vb)
-        self.vb = None
-        
-        ## causes invalid index errors:
-        #for i in range(self.layout.count()):
-            #self.layout.removeAt(i)
-            
-        for p in self.proxies:
-            try:
-                p.setWidget(None)
-            except RuntimeError:
-                break
-            self.scene().removeItem(p)
-        self.proxies = []
-        
-        self.menuAction.releaseWidget(self.menuAction.defaultWidget())
-        self.menuAction.setParent(None)
-        self.menuAction = None
-        
-        if self.manager is not None:
-            self.manager.sigWidgetListChanged.disconnect(self.updatePlotList)
-            self.manager.removeWidget(self.name)
-        #else:
-            #print "no manager"
-
-    def registerPlot(self, name):
-        self.name = name
-        win = str(self.window())
-        #print "register", name, win
-        if win not in PlotItem.managers:
-            PlotItem.managers[win] = PlotWidgetManager()
-        self.manager = PlotItem.managers[win]
-        self.manager.addWidget(self, name)
-        #QtCore.QObject.connect(self.manager, QtCore.SIGNAL('widgetListChanged'), self.updatePlotList)
-        self.manager.sigWidgetListChanged.connect(self.updatePlotList)
-        self.updatePlotList()
-
-    def updatePlotList(self):
-        """Update the list of all plotWidgets in the "link" combos"""
-        #print "update plot list", self
-        try:
-            for sc in [self.ctrl.xLinkCombo, self.ctrl.yLinkCombo]:
-                current = str(sc.currentText())
-                sc.clear()
-                sc.addItem("")
-                if self.manager is not None:
-                    for w in self.manager.listWidgets():
-                        #print w
-                        if w == self.name:
-                            continue
-                        sc.addItem(w)
-        except:
-            import gc
-            refs= gc.get_referrers(self)
-            print "  error during update of", self
-            print "  Referrers are:", refs
-            raise
-        
-    def updateGrid(self, *args):
-        g = self.ctrl.gridGroup.isChecked()
-        if g:
-            g = self.ctrl.gridAlphaSlider.value()
-        for k in self.scales:
-            self.scales[k]['item'].setGrid(g)
-
-    def viewGeometry(self):
-        """return the screen geometry of the viewbox"""
-        v = self.scene().views()[0]
-        b = self.vb.mapRectToScene(self.vb.boundingRect())
-        wr = v.mapFromScene(b).boundingRect()
-        pos = v.mapToGlobal(v.pos())
-        wr.adjust(pos.x(), pos.y(), pos.x(), pos.y())
-        return wr
-
-
-
-
-    def viewRangeChanged(self, vb, range):
-        #self.emit(QtCore.SIGNAL('viewChanged'), *args)
-        self.sigRangeChanged.emit(self, range)
-
-    def blockLink(self, b):
-        self.linksBlocked = b
-
-    def xLinkComboChanged(self):
-        self.setXLink(str(self.ctrl.xLinkCombo.currentText()))
-
-    def yLinkComboChanged(self):
-        self.setYLink(str(self.ctrl.yLinkCombo.currentText()))
-
-    def setXLink(self, plot=None):
-        """Link this plot's X axis to another plot (pass either the PlotItem/PlotWidget or the registered name of the plot)"""
-        if isinstance(plot, basestring):
-            if self.manager is None:
-                return
-            if self.xLinkPlot is not None:
-                self.manager.unlinkX(self, self.xLinkPlot)
-            plot = self.manager.getWidget(plot)
-        if not isinstance(plot, PlotItem) and hasattr(plot, 'getPlotItem'):
-            plot = plot.getPlotItem()
-        self.xLinkPlot = plot
-        if plot is not None:
-            self.setManualXScale()
-            self.manager.linkX(self, plot)
-            
-    def setYLink(self, plot=None):
-        """Link this plot's Y axis to another plot (pass either the PlotItem/PlotWidget or the registered name of the plot)"""
-        if isinstance(plot, basestring):
-            if self.manager is None:
-                return
-            if self.yLinkPlot is not None:
-                self.manager.unlinkY(self, self.yLinkPlot)
-            plot = self.manager.getWidget(plot)
-        if not isinstance(plot, PlotItem) and hasattr(plot, 'getPlotItem'):
-            plot = plot.getPlotItem()
-        self.yLinkPlot = plot
-        if plot is not None:
-            self.setManualYScale()
-            self.manager.linkY(self, plot)
-        
-    def linkXChanged(self, plot):
-        """Called when a linked plot has changed its X scale"""
-        #print "update from", plot
-        if self.linksBlocked:
-            return
-        pr = plot.vb.viewRect()
-        pg = plot.viewGeometry()
-        if pg is None:
-            #print "   return early"
-            return
-        sg = self.viewGeometry()
-        upp = float(pr.width()) / pg.width()
-        x1 = pr.left() + (sg.x()-pg.x()) * upp
-        x2 = x1 + sg.width() * upp
-        plot.blockLink(True)
-        self.setManualXScale()
-        self.setXRange(x1, x2, padding=0)
-        plot.blockLink(False)
-        self.replot()
-        
-    def linkYChanged(self, plot):
-        """Called when a linked plot has changed its Y scale"""
-        if self.linksBlocked:
-            return
-        pr = plot.vb.viewRect()
-        pg = plot.vb.boundingRect()
-        sg = self.vb.boundingRect()
-        upp = float(pr.height()) / pg.height()
-        y1 = pr.bottom() + (sg.y()-pg.y()) * upp
-        y2 = y1 + sg.height() * upp
-        plot.blockLink(True)
-        self.setManualYScale()
-        self.setYRange(y1, y2, padding=0)
-        plot.blockLink(False)
-        self.replot()
-
-    def avgToggled(self, b):
-        if b:
-            self.recomputeAverages()
-        for k in self.avgCurves:
-            self.avgCurves[k][1].setVisible(b)
-        
-    def avgParamListClicked(self, item):
-        name = str(item.text())
-        self.paramList[name] = (item.checkState() == QtCore.Qt.Checked)
-        self.recomputeAverages()
-        
-    def recomputeAverages(self):
-        if not self.ctrl.averageGroup.isChecked():
-            return
-        for k in self.avgCurves:
-            self.removeItem(self.avgCurves[k][1])
-            #Qwt.QwtPlotCurve.detach(self.avgCurves[k][1])
-        self.avgCurves = {}
-        for c in self.curves:
-            self.addAvgCurve(c)
-        self.replot()
-        
-    def addAvgCurve(self, curve):
-        """Add a single curve into the pool of curves averaged together"""
-        
-        ## If there are plot parameters, then we need to determine which to average together.
-        remKeys = []
-        addKeys = []
-        if self.ctrl.avgParamList.count() > 0:
-        
-            ### First determine the key of the curve to which this new data should be averaged
-            for i in range(self.ctrl.avgParamList.count()):
-                item = self.ctrl.avgParamList.item(i)
-                if item.checkState() == QtCore.Qt.Checked:
-                    remKeys.append(str(item.text()))
-                else:
-                    addKeys.append(str(item.text()))
-                    
-            if len(remKeys) < 1:  ## In this case, there would be 1 average plot for each data plot; not useful.
-                return
-                
-        p = curve.meta().copy()
-        for k in p:
-            if type(k) is tuple:
-                p['.'.join(k)] = p[k]
-                del p[k]
-        for rk in remKeys:
-            if rk in p:
-                del p[rk]
-        for ak in addKeys:
-            if ak not in p:
-                p[ak] = None
-        key = tuple(p.items())
-        
-        ### Create a new curve if needed
-        if key not in self.avgCurves:
-            plot = PlotCurveItem()
-            plot.setPen(mkPen([0, 200, 0]))
-            plot.setShadowPen(mkPen([0, 0, 0, 100], 3))
-            plot.setAlpha(1.0, False)
-            plot.setZValue(100)
-            self.addItem(plot)
-            #Qwt.QwtPlotCurve.attach(plot, self)
-            self.avgCurves[key] = [0, plot]
-        self.avgCurves[key][0] += 1
-        (n, plot) = self.avgCurves[key]
-        
-        ### Average data together
-        (x, y) = curve.getData()
-        if plot.yData is not None:
-            newData = plot.yData * (n-1) / float(n) + y * 1.0 / float(n)
-            plot.setData(plot.xData, newData)
-        else:
-            plot.setData(x, y)
-        
-        
-    def mouseCheckChanged(self):
-        state = [self.ctrl.xMouseCheck.isChecked(), self.ctrl.yMouseCheck.isChecked()]
-        self.vb.setMouseEnabled(*state)
-        
-    def xRangeChanged(self, _, range):
-        if any(np.isnan(range)) or any(np.isinf(range)):
-            raise Exception("yRange invalid: %s. Signal came from %s" % (str(range), str(self.sender())))
-        self.ctrl.xMinText.setText('%0.5g' % range[0])
-        self.ctrl.xMaxText.setText('%0.5g' % range[1])
-        
-        ## automatically change unit scale
-        maxVal = max(abs(range[0]), abs(range[1]))
-        (scale, prefix) = siScale(maxVal)
-        #for l in ['top', 'bottom']:
-            #if self.getLabel(l).isVisible():
-                #self.setLabel(l, unitPrefix=prefix)
-                #self.getScale(l).setScale(scale)
-            #else:
-                #self.setLabel(l, unitPrefix='')
-                #self.getScale(l).setScale(1.0)
-        
-        #self.emit(QtCore.SIGNAL('xRangeChanged'), self, range)
-        self.sigXRangeChanged.emit(self, range)
-
-    def yRangeChanged(self, _, range):
-        if any(np.isnan(range)) or any(np.isinf(range)):
-            raise Exception("yRange invalid: %s. Signal came from %s" % (str(range), str(self.sender())))
-        self.ctrl.yMinText.setText('%0.5g' % range[0])
-        self.ctrl.yMaxText.setText('%0.5g' % range[1])
-        
-        ## automatically change unit scale
-        maxVal = max(abs(range[0]), abs(range[1]))
-        (scale, prefix) = siScale(maxVal)
-        #for l in ['left', 'right']:
-            #if self.getLabel(l).isVisible():
-                #self.setLabel(l, unitPrefix=prefix)
-                #self.getScale(l).setScale(scale)
-            #else:
-                #self.setLabel(l, unitPrefix='')
-                #self.getScale(l).setScale(1.0)
-        #self.emit(QtCore.SIGNAL('yRangeChanged'), self, range)
-        self.sigYRangeChanged.emit(self, range)
-
-
-    def enableAutoScale(self):
-        self.ctrl.xAutoRadio.setChecked(True)
-        self.ctrl.yAutoRadio.setChecked(True)
-        self.autoBtn.hide()
-        self.updateXScale()
-        self.updateYScale()
-        self.replot()
-      
-    def updateXScale(self):
-        """Set plot to autoscale or not depending on state of radio buttons"""
-        if self.ctrl.xManualRadio.isChecked():
-            self.setManualXScale()
-        else:
-            self.setAutoXScale()
-        self.replot()
-        
-    def updateYScale(self, b=False):
-        """Set plot to autoscale or not depending on state of radio buttons"""
-        if self.ctrl.yManualRadio.isChecked():
-            self.setManualYScale()
-        else:
-            self.setAutoYScale()
-        self.replot()
-
-    def enableManualScale(self, v=[True, True]):
-        if v[0]:
-            self.autoScale[0] = False
-            self.ctrl.xManualRadio.setChecked(True)
-            #self.setManualXScale()
-        if v[1]:
-            self.autoScale[1] = False
-            self.ctrl.yManualRadio.setChecked(True)
-            #self.setManualYScale()
-        self.autoBtn.show()
-        #self.replot()
-        
-    def setManualXScale(self):
-        self.autoScale[0] = False
-        x1 = float(self.ctrl.xMinText.text())
-        x2 = float(self.ctrl.xMaxText.text())
-        self.ctrl.xManualRadio.setChecked(True)
-        self.setXRange(x1, x2, padding=0)
-        self.autoBtn.show()
-        #self.replot()
-        
-    def setManualYScale(self):
-        self.autoScale[1] = False
-        y1 = float(self.ctrl.yMinText.text())
-        y2 = float(self.ctrl.yMaxText.text())
-        self.ctrl.yManualRadio.setChecked(True)
-        self.setYRange(y1, y2, padding=0)
-        self.autoBtn.show()
-        #self.replot()
-
-    def setAutoXScale(self):
-        self.autoScale[0] = True
-        self.ctrl.xAutoRadio.setChecked(True)
-        #self.replot()
-        
-    def setAutoYScale(self):
-        self.autoScale[1] = True
-        self.ctrl.yAutoRadio.setChecked(True)
-        #self.replot()
-
-    def addItem(self, item, *args):
-        self.items.append(item)
-        self.vb.addItem(item, *args)
-        
-    def removeItem(self, item):
-        if not item in self.items:
-            return
-        self.items.remove(item)
-        if item in self.dataItems:
-            self.dataItems.remove(item)
-            
-        if item.scene() is not None:
-            self.vb.removeItem(item)
-        if item in self.curves:
-            self.curves.remove(item)
-            self.updateDecimation()
-            self.updateParamList()
-            #item.connect(item, QtCore.SIGNAL('plotChanged'), self.plotChanged)
-            item.sigPlotChanged.connect(self.plotChanged)
-
-    def clear(self):
-        for i in self.items[:]:
-            self.removeItem(i)
-        self.avgCurves = {}
-    
-    def clearPlots(self):
-        for i in self.curves[:]:
-            self.removeItem(i)
-        self.avgCurves = {}
-        
-    
-    def plot(self, data=None, data2=None, x=None, y=None, clear=False, params=None, pen=None):
-        """Add a new plot curve. Data may be specified a few ways:
-        plot(yVals)   # x vals will be integers
-        plot(xVals, yVals)
-        plot(y=yVals, x=xVals)
-        """
-        if y is not None:
-            data = y
-        if data2 is not None:
-            x = data
-            data = data2
-        
-        if clear:
-            self.clear()
-        if params is None:
-            params = {}
-        if HAVE_METAARRAY and isinstance(data, MetaArray):
-            curve = self._plotMetaArray(data, x=x)
-        elif isinstance(data, np.ndarray):
-            curve = self._plotArray(data, x=x)
-        elif isinstance(data, list):
-            if x is not None:
-                x = np.array(x)
-            curve = self._plotArray(np.array(data), x=x)
-        elif data is None:
-            curve = PlotCurveItem()
-        else:
-            raise Exception('Not sure how to plot object of type %s' % type(data))
-            
-        #print data, curve
-        self.addCurve(curve, params)
-        if pen is not None:
-            curve.setPen(mkPen(pen))
-        
-        return curve
-
-    def scatterPlot(self, *args, **kargs):
-        sp = ScatterPlotItem(*args, **kargs)
-        self.addDataItem(sp)
-        return sp
-
-    def addDataItem(self, item):
-        self.addItem(item)
-        self.dataItems.append(item)
-    
-    def addCurve(self, c, params=None):
-        if params is None:
-            params = {}
-        c.setMeta(params)
-        self.curves.append(c)
-        #Qwt.QwtPlotCurve.attach(c, self)
-        self.addItem(c)
-        
-        ## configure curve for this plot
-        (alpha, auto) = self.alphaState()
-        c.setAlpha(alpha, auto)
-        c.setSpectrumMode(self.ctrl.powerSpectrumGroup.isChecked())
-        c.setDownsampling(self.downsampleMode())
-        c.setPointMode(self.pointMode())
-        
-        ## Hide older plots if needed
-        self.updateDecimation()
-        
-        ## Add to average if needed
-        self.updateParamList()
-        if self.ctrl.averageGroup.isChecked():
-            self.addAvgCurve(c)
-            
-        #c.connect(c, QtCore.SIGNAL('plotChanged'), self.plotChanged)
-        c.sigPlotChanged.connect(self.plotChanged)
-        self.plotChanged()
-
-    def plotChanged(self, curve=None):
-        ## Recompute auto range if needed
-        for ax in [0, 1]:
-            if self.autoScale[ax]:
-                percentScale = [self.ctrl.xAutoPercentSpin.value(), self.ctrl.yAutoPercentSpin.value()][ax] * 0.01
-                mn = None
-                mx = None
-                for c in self.curves + [c[1] for c in self.avgCurves.values()] + self.dataItems:
-                    if not c.isVisible():
-                        continue
-                    cmn, cmx = c.getRange(ax, percentScale)
-                    if mn is None or cmn < mn:
-                        mn = cmn
-                    if mx is None or cmx > mx:
-                        mx = cmx
-                if mn is None or mx is None or any(np.isnan([mn, mx])) or any(np.isinf([mn, mx])):
-                    continue
-                if mn == mx:
-                    mn -= 1
-                    mx += 1
-                self.setRange(ax, mn, mx)
-                #print "Auto range:", ax, mn, mx
-                
-    def replot(self):
-        self.plotChanged()
-        self.update()
-
-    def updateParamList(self):
-        self.ctrl.avgParamList.clear()
-        ## Check to see that each parameter for each curve is present in the list
-        #print "\nUpdate param list", self
-        #print "paramList:", self.paramList
-        for c in self.curves:
-            #print "  curve:", c
-            for p in c.meta().keys():
-                #print "    param:", p
-                if type(p) is tuple:
-                    p = '.'.join(p)
-                    
-                ## If the parameter is not in the list, add it.
-                matches = self.ctrl.avgParamList.findItems(p, QtCore.Qt.MatchExactly)
-                #print "      matches:", matches
-                if len(matches) == 0:
-                    i = QtGui.QListWidgetItem(p)
-                    if p in self.paramList and self.paramList[p] is True:
-                        #print "      set checked"
-                        i.setCheckState(QtCore.Qt.Checked)
-                    else:
-                        #print "      set unchecked"
-                        i.setCheckState(QtCore.Qt.Unchecked)
-                    self.ctrl.avgParamList.addItem(i)
-                else:
-                    i = matches[0]
-                    
-                self.paramList[p] = (i.checkState() == QtCore.Qt.Checked)
-        #print "paramList:", self.paramList
-
-
-    ## This is bullshit.
-    def writeSvg(self, fileName=None):
-        if fileName is None:
-            fileName = QtGui.QFileDialog.getSaveFileName()
-            if isinstance(fileName, tuple):
-                raise Exception("Not implemented yet..")
-        fileName = str(fileName)
-        PlotItem.lastFileDir = os.path.dirname(fileName)
-        
-        rect = self.vb.viewRect()
-        xRange = rect.left(), rect.right() 
-        
-        svg = ""
-        fh = open(fileName, 'w')
-
-        dx = max(rect.right(),0) - min(rect.left(),0)
-        ymn = min(rect.top(), rect.bottom())
-        ymx = max(rect.top(), rect.bottom())
-        dy = max(ymx,0) - min(ymn,0)
-        sx = 1.
-        sy = 1.
-        while dx*sx < 10:
-            sx *= 1000
-        while dy*sy < 10:
-            sy *= 1000
-        sy *= -1
-
-        #fh.write('<svg viewBox="%f %f %f %f">\n' % (rect.left()*sx, rect.top()*sx, rect.width()*sy, rect.height()*sy))
-        fh.write('<svg>\n')
-        fh.write('<path fill="none" stroke="#000000" stroke-opacity="0.5" stroke-width="1" d="M%f,0 L%f,0"/>\n' % (rect.left()*sx, rect.right()*sx))
-        fh.write('<path fill="none" stroke="#000000" stroke-opacity="0.5" stroke-width="1" d="M0,%f L0,%f"/>\n' % (rect.top()*sy, rect.bottom()*sy))
-
-
-        for item in self.curves:
-            if isinstance(item, PlotCurveItem):
-                color = colorStr(item.pen.color())
-                opacity = item.pen.color().alpha() / 255.
-                color = color[:6]
-                x, y = item.getData()
-                mask = (x > xRange[0]) * (x < xRange[1])
-                mask[:-1] += mask[1:]
-                m2 = mask.copy()
-                mask[1:] += m2[:-1]
-                x = x[mask]
-                y = y[mask]
-                
-                x *= sx
-                y *= sy
-                
-                #fh.write('<g fill="none" stroke="#%s" stroke-opacity="1" stroke-width="1">\n' % color)
-                fh.write('<path fill="none" stroke="#%s" stroke-opacity="%f" stroke-width="1" d="M%f,%f ' % (color, opacity, x[0], y[0]))
-                for i in xrange(1, len(x)):
-                    fh.write('L%f,%f ' % (x[i], y[i]))
-                
-                fh.write('"/>')
-                #fh.write("</g>")
-        for item in self.dataItems:
-            if isinstance(item, ScatterPlotItem):
-                
-                pRect = item.boundingRect()
-                vRect = pRect.intersected(rect)
-                
-                for point in item.points():
-                    pos = point.pos()
-                    if not rect.contains(pos):
-                        continue
-                    color = colorStr(point.brush.color())
-                    opacity = point.brush.color().alpha() / 255.
-                    color = color[:6]
-                    x = pos.x() * sx
-                    y = pos.y() * sy
-                    
-                    fh.write('<circle cx="%f" cy="%f" r="1" fill="#%s" stroke="none" fill-opacity="%f"/>\n' % (x, y, color, opacity))
-                    #fh.write('<path fill="none" stroke="#%s" stroke-opacity="%f" stroke-width="1" d="M%f,%f ' % (color, opacity, x[0], y[0]))
-                    #for i in xrange(1, len(x)):
-                        #fh.write('L%f,%f ' % (x[i], y[i]))
-                    
-                    #fh.write('"/>')
-            
-        ## get list of curves, scatter plots
-        
-        
-        fh.write("</svg>\n")
-        
-        
-    
-    #def writeSvg(self, fileName=None):
-        #if fileName is None:
-            #fileName = QtGui.QFileDialog.getSaveFileName()
-        #fileName = str(fileName)
-        #PlotItem.lastFileDir = os.path.dirname(fileName)
-        
-        #self.svg = QtSvg.QSvgGenerator()
-        #self.svg.setFileName(fileName)
-        #res = 120.
-        #view = self.scene().views()[0]
-        #bounds = view.viewport().rect()
-        #bounds = QtCore.QRectF(0, 0, bounds.width(), bounds.height())
-        
-        #self.svg.setResolution(res)
-        #self.svg.setViewBox(bounds)
-        
-        #self.svg.setSize(QtCore.QSize(bounds.width(), bounds.height()))
-        
-        #painter = QtGui.QPainter(self.svg)
-        #view.render(painter, bounds)
-        
-        #painter.end()
-        
-        ### Workaround to set pen widths correctly
-        #import re
-        #data = open(fileName).readlines()
-        #for i in range(len(data)):
-            #line = data[i]
-            #m = re.match(r'(<g .*)stroke-width="1"(.*transform="matrix\(([^\)]+)\)".*)', line)
-            #if m is not None:
-                ##print "Matched group:", line
-                #g = m.groups()
-                #matrix = map(float, g[2].split(','))
-                ##print "matrix:", matrix
-                #scale = max(abs(matrix[0]), abs(matrix[3]))
-                #if scale == 0 or scale == 1.0:
-                    #continue
-                #data[i] = g[0] + ' stroke-width="%0.2g" ' % (1.0/scale) + g[1] + '\n'
-                ##print "old line:", line
-                ##print "new line:", data[i]
-        #open(fileName, 'w').write(''.join(data))
-        
-        
-    def writeImage(self, fileName=None):
-        if fileName is None:
-            fileName = QtGui.QFileDialog.getSaveFileName()
-            if isinstance(fileName, tuple):
-                raise Exception("Not implemented yet..")
-        fileName = str(fileName)
-        PlotItem.lastFileDir = os.path.dirname(fileName)
-        self.png = QtGui.QImage(int(self.size().width()), int(self.size().height()), QtGui.QImage.Format_ARGB32)
-        painter = QtGui.QPainter(self.png)
-        painter.setRenderHints(painter.Antialiasing | painter.TextAntialiasing)
-        self.scene().render(painter, QtCore.QRectF(), self.mapRectToScene(self.boundingRect()))
-        painter.end()
-        self.png.save(fileName)
-        
-    def writeCsv(self, fileName=None):
-        if fileName is None:
-            fileName = QtGui.QFileDialog.getSaveFileName()
-        fileName = str(fileName)
-        PlotItem.lastFileDir = os.path.dirname(fileName)
-        
-        fd = open(fileName, 'w')
-        data = [c.getData() for c in self.curves]
-        i = 0
-        while True:
-            done = True
-            for d in data:
-                if i < len(d[0]):
-                    fd.write('%g,%g,'%(d[0][i], d[1][i]))
-                    done = False
-                else:
-                    fd.write(' , ,')
-            fd.write('\n')
-            if done:
-                break
-            i += 1
-        fd.close()
-
-
-    def saveState(self):
-        if not HAVE_WIDGETGROUP:
-            raise Exception("State save/restore requires WidgetGroup class.")
-        state = self.stateGroup.state()
-        state['paramList'] = self.paramList.copy()
-        #print "\nSAVE %s:\n" % str(self.name), state
-        #print "Saving state. averageGroup.isChecked(): %s  state: %s" % (str(self.ctrl.averageGroup.isChecked()), str(state['averageGroup']))
-        return state
-        
-    def restoreState(self, state):
-        if not HAVE_WIDGETGROUP:
-            raise Exception("State save/restore requires WidgetGroup class.")
-        if 'paramList' in state:
-            self.paramList = state['paramList'].copy()
-            
-        self.stateGroup.setState(state)
-        self.updateSpectrumMode()
-        self.updateDownsampling()
-        self.updateAlpha()
-        self.updateDecimation()
-        
-        self.stateGroup.setState(state)
-        self.updateXScale()
-        self.updateYScale()
-        self.updateParamList()
-        
-        #print "\nRESTORE %s:\n" % str(self.name), state
-        #print "Restoring state. averageGroup.isChecked(): %s  state: %s" % (str(self.ctrl.averageGroup.isChecked()), str(state['averageGroup']))
-        #avg = self.ctrl.averageGroup.isChecked()
-        #if avg != state['averageGroup']:
-            #print "  WARNING: avgGroup is %s, should be %s" % (str(avg), str(state['averageGroup']))
-
-
-    def widgetGroupInterface(self):
-        return (None, PlotItem.saveState, PlotItem.restoreState)
-      
-    def updateSpectrumMode(self, b=None):
-        if b is None:
-            b = self.ctrl.powerSpectrumGroup.isChecked()
-        for c in self.curves:
-            c.setSpectrumMode(b)
-        self.enableAutoScale()
-        self.recomputeAverages()
-            
-        
-    def updateDownsampling(self):
-        ds = self.downsampleMode()
-        for c in self.curves:
-            c.setDownsampling(ds)
-        self.recomputeAverages()
-        #for c in self.avgCurves.values():
-            #c[1].setDownsampling(ds)
-        
-        
-    def downsampleMode(self):
-        if self.ctrl.decimateGroup.isChecked():
-            if self.ctrl.manualDecimateRadio.isChecked():
-                ds = self.ctrl.downsampleSpin.value()
-            else:
-                ds = True
-        else:
-            ds = False
-        return ds
-        
-    def updateDecimation(self):
-        if self.ctrl.maxTracesCheck.isChecked():
-            numCurves = self.ctrl.maxTracesSpin.value()
-        else:
-            numCurves = -1
-            
-        curves = self.curves[:]
-        split = len(curves) - numCurves
-        for i in range(len(curves)):
-            if numCurves == -1 or i >= split:
-                curves[i].show()
-            else:
-                if self.ctrl.forgetTracesCheck.isChecked():
-                    curves[i].free()
-                    self.removeItem(curves[i])
-                else:
-                    curves[i].hide()
-        
-      
-    def updateAlpha(self, *args):
-        (alpha, auto) = self.alphaState()
-        for c in self.curves:
-            c.setAlpha(alpha**2, auto)
-                
-        #self.replot(autoRange=False)
-     
-    def alphaState(self):
-        enabled = self.ctrl.alphaGroup.isChecked()
-        auto = self.ctrl.autoAlphaCheck.isChecked()
-        alpha = float(self.ctrl.alphaSlider.value()) / self.ctrl.alphaSlider.maximum()
-        if auto:
-            alpha = 1.0  ## should be 1/number of overlapping plots
-        if not enabled:
-            auto = False
-            alpha = 1.0
-        return (alpha, auto)
-
-    def pointMode(self):
-        if self.ctrl.pointsGroup.isChecked():
-            if self.ctrl.autoPointsCheck.isChecked():
-                mode = None
-            else:
-                mode = True
-        else:
-            mode = False
-        return mode
-        
-    def wheelEvent(self, ev):
-        # disables default panning the whole scene by mousewheel
-        ev.accept()
-
-    def resizeEvent(self, ev):
-        if self.ctrlBtn is None:  ## already closed down
-            return
-        self.ctrlBtn.move(0, self.size().height() - self.ctrlBtn.size().height())
-        self.autoBtn.move(self.ctrlBtn.width(), self.size().height() - self.autoBtn.size().height())
-        
-    def hoverMoveEvent(self, ev):
-        self.mousePos = ev.pos()
-        self.mouseScreenPos = ev.screenPos()
-        
-    def ctrlBtnClicked(self):
-        self.ctrlMenu.popup(self.mouseScreenPos)
-
-    def getLabel(self, key):
-        pass
-        
-    def _checkScaleKey(self, key):
-        if key not in self.scales:
-            raise Exception("Scale '%s' not found. Scales are: %s" % (key, str(self.scales.keys())))
-        
-    def getScale(self, key):
-        self._checkScaleKey(key)
-        return self.scales[key]['item']
-        
-    def setLabel(self, key, text=None, units=None, unitPrefix=None, **args):
-        self.getScale(key).setLabel(text=text, units=units, unitPrefix=unitPrefix, **args)
-        
-    def showLabel(self, key, show=True):
-        self.getScale(key).showLabel(show)
-
-    def setTitle(self, title=None, **args):
-        if title is None:
-            self.titleLabel.setVisible(False)
-            self.layout.setRowFixedHeight(0, 0)
-            self.titleLabel.setMaximumHeight(0)
-        else:
-            self.titleLabel.setMaximumHeight(30)
-            self.layout.setRowFixedHeight(0, 30)
-            self.titleLabel.setVisible(True)
-            self.titleLabel.setText(title, **args)
-
-    def showScale(self, key, show=True):
-        s = self.getScale(key)
-        p = self.scales[key]['pos']
-        if show:
-            s.show()
-        else:
-            s.hide()
-
-    def _plotArray(self, arr, x=None):
-        if arr.ndim != 1:
-            raise Exception("Array must be 1D to plot (shape is %s)" % arr.shape)
-        if x is None:
-            x = np.arange(arr.shape[0])
-        if x.ndim != 1:
-            raise Exception("X array must be 1D to plot (shape is %s)" % x.shape)
-        c = PlotCurveItem(arr, x=x)
-        return c
-            
-        
-        
-    def _plotMetaArray(self, arr, x=None, autoLabel=True):
-        inf = arr.infoCopy()
-        if arr.ndim != 1:
-            raise Exception('can only automatically plot 1 dimensional arrays.')
-        ## create curve
-        try:
-            xv = arr.xvals(0)
-            #print 'xvals:', xv
-        except:
-            if x is None:
-                xv = arange(arr.shape[0])
-            else:
-                xv = x
-        c = PlotCurveItem()
-        c.setData(x=xv, y=arr.view(np.ndarray))
-        
-        if autoLabel:
-            name = arr._info[0].get('name', None)
-            units = arr._info[0].get('units', None)
-            self.setLabel('bottom', text=name, units=units)
-            
-            name = arr._info[1].get('name', None)
-            units = arr._info[1].get('units', None)
-            self.setLabel('left', text=name, units=units)
-            
-        return c
-
-    def saveSvgClicked(self):
-        fileName = QtGui.QFileDialog.getSaveFileName()        
-        self.writeSvg(fileName)
-
-        ## QFileDialog seems to be broken under OSX
-        #self.fileDialog = QtGui.QFileDialog()
-        ##if PlotItem.lastFileDir is not None:
-            ##self.fileDialog.setDirectory(PlotItem.lastFileDir)
-        #self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
-        #self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave)
-        #if PlotItem.lastFileDir is not None:
-            #self.fileDialog.setDirectory(PlotItem.lastFileDir)
-        
-        #self.fileDialog.show()
-        ##QtCore.QObject.connect(self.fileDialog, QtCore.SIGNAL('fileSelected(const QString)'), self.writeSvg)
-        #self.fileDialog.fileSelected.connect(self.writeSvg)
-            
-    #def svgFileSelected(self, fileName):
-        ##PlotWidget.lastFileDir = os.path.split(fileName)[0]
-        #self.writeSvg(str(fileName))
-
-    def saveImgClicked(self):
-        self.fileDialog = QtGui.QFileDialog()
-        #if PlotItem.lastFileDir is not None:
-            #self.fileDialog.setDirectory(PlotItem.lastFileDir)
-        if PlotItem.lastFileDir is not None:
-            self.fileDialog.setDirectory(PlotItem.lastFileDir)
-        self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
-        self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave)
-        self.fileDialog.show()
-        #QtCore.QObject.connect(self.fileDialog, QtCore.SIGNAL('fileSelected(const QString)'), self.writeImage)
-        self.fileDialog.fileSelected.connect(self.writeImage)
-            
-    def saveCsvClicked(self):
-        self.fileDialog = QtGui.QFileDialog()
-        #if PlotItem.lastFileDir is not None:
-            #self.fileDialog.setDirectory(PlotItem.lastFileDir)
-        if PlotItem.lastFileDir is not None:
-            self.fileDialog.setDirectory(PlotItem.lastFileDir)
-        self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
-        self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave)
-        self.fileDialog.show()
-        #QtCore.QObject.connect(self.fileDialog, QtCore.SIGNAL('fileSelected(const QString)'), self.writeCsv)
-        self.fileDialog.fileSelected.connect(self.writeCsv)
-    #def imgFileSelected(self, fileName):
-        ##PlotWidget.lastFileDir = os.path.split(fileName)[0]
-        #self.writeImage(str(fileName))
-      
-
-class PlotWidgetManager(QtCore.QObject):
-    
-    sigWidgetListChanged = QtCore.Signal(object)
-    
-    """Used for managing communication between PlotWidgets"""
-    def __init__(self):
-        QtCore.QObject.__init__(self)
-        self.widgets = weakref.WeakValueDictionary() # Don't keep PlotWidgets around just because they are listed here
-    
-    def addWidget(self, w, name):
-        self.widgets[name] = w
-        #self.emit(QtCore.SIGNAL('widgetListChanged'), self.widgets.keys())
-        self.sigWidgetListChanged.emit(self.widgets.keys())
-        
-    def removeWidget(self, name):
-        if name in self.widgets:
-            del self.widgets[name]
-            #self.emit(QtCore.SIGNAL('widgetListChanged'), self.widgets.keys())
-            self.sigWidgetListChanged.emit(self.widgets.keys())
-        else:
-            print "plot %s not managed" % name
-        
-        
-    def listWidgets(self):
-        return self.widgets.keys()
-        
-    def getWidget(self, name):
-        if name not in self.widgets:
-            return None
-        else:
-            return self.widgets[name]
-            
-    def linkX(self, p1, p2):
-        #QtCore.QObject.connect(p1, QtCore.SIGNAL('xRangeChanged'), p2.linkXChanged)
-        p1.sigXRangeChanged.connect(p2.linkXChanged)
-        #QtCore.QObject.connect(p2, QtCore.SIGNAL('xRangeChanged'), p1.linkXChanged)
-        p2.sigXRangeChanged.connect(p1.linkXChanged)
-        p1.linkXChanged(p2)
-        #p2.setManualXScale()
-
-    def unlinkX(self, p1, p2):
-        #QtCore.QObject.disconnect(p1, QtCore.SIGNAL('xRangeChanged'), p2.linkXChanged)
-        p1.sigXRangeChanged.disconnect(p2.linkXChanged)
-        #QtCore.QObject.disconnect(p2, QtCore.SIGNAL('xRangeChanged'), p1.linkXChanged)
-        p2.sigXRangeChanged.disconnect(p1.linkXChanged)
-        
-    def linkY(self, p1, p2):
-        #QtCore.QObject.connect(p1, QtCore.SIGNAL('yRangeChanged'), p2.linkYChanged)
-        p1.sigYRangeChanged.connect(p2.linkYChanged)
-        #QtCore.QObject.connect(p2, QtCore.SIGNAL('yRangeChanged'), p1.linkYChanged)
-        p2.sigYRangeChanged.connect(p1.linkYChanged)
-        p1.linkYChanged(p2)
-        #p2.setManualYScale()
-
-    def unlinkY(self, p1, p2):
-        #QtCore.QObject.disconnect(p1, QtCore.SIGNAL('yRangeChanged'), p2.linkYChanged)
-        p1.sigYRangeChanged.disconnect(p2.linkYChanged)
-        #QtCore.QObject.disconnect(p2, QtCore.SIGNAL('yRangeChanged'), p1.linkYChanged)
-        p2.sigYRangeChanged.disconnect(p1.linkYChanged)
diff --git a/Point.py b/Point.py
index b98dfad05dbc79843d415fd756fa88a1a7afc77f..c16d4df6a3598d7b1188ff5c0ea87ca46e47ac3f 100644
--- a/Point.py
+++ b/Point.py
@@ -5,7 +5,7 @@ Copyright 2010  Luke Campagnola
 Distributed under MIT/X11 license. See license.txt for more infomation.
 """
 
-from PyQt4 import QtCore
+from Qt import QtCore
 import numpy as np
 
 def clip(x, mn, mx):
@@ -23,12 +23,12 @@ class Point(QtCore.QPointF):
             if isinstance(args[0], QtCore.QSizeF):
                 QtCore.QPointF.__init__(self, float(args[0].width()), float(args[0].height()))
                 return
+            elif isinstance(args[0], float) or isinstance(args[0], int):
+                QtCore.QPointF.__init__(self, float(args[0]), float(args[0]))
+                return
             elif hasattr(args[0], '__getitem__'):
                 QtCore.QPointF.__init__(self, float(args[0][0]), float(args[0][1]))
                 return
-            elif type(args[0]) in [float, int]:
-                QtCore.QPointF.__init__(self, float(args[0]), float(args[0]))
-                return
         elif len(args) == 2:
             QtCore.QPointF.__init__(self, args[0], args[1])
             return
@@ -101,6 +101,10 @@ class Point(QtCore.QPointF):
         """Returns the vector length of this Point."""
         return (self[0]**2 + self[1]**2) ** 0.5
     
+    def norm(self):
+        """Returns a vector in the same direction with unit length."""
+        return self / self.length()
+    
     def angle(self, a):
         """Returns the angle in degrees between this vector and the vector a."""
         n1 = self.length()
@@ -139,4 +143,7 @@ class Point(QtCore.QPointF):
         return max(self[0], self[1])
         
     def copy(self):
-        return Point(self)
\ No newline at end of file
+        return Point(self)
+        
+    def toQPoint(self):
+        return QtCore.QPoint(*self)
\ No newline at end of file
diff --git a/Point.pyc b/Point.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..47869a3a385e284b53b7514a215d11f5d5c94b26
Binary files /dev/null and b/Point.pyc differ
diff --git a/Qt.py b/Qt.py
new file mode 100644
index 0000000000000000000000000000000000000000..e1d4b28aeb0976b6b99709fe8d16bc418f70f295
--- /dev/null
+++ b/Qt.py
@@ -0,0 +1,5 @@
+## Do all Qt imports from here to allow easier PyQt / PySide compatibility
+
+from PyQt4 import QtGui, QtCore, QtOpenGL, QtSvg
+if not hasattr(QtCore, 'Signal'):
+    QtCore.Signal = QtCore.pyqtSignal
diff --git a/Qt.pyc b/Qt.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..0a46429d8504f92f1ef55df29f6c149de83342e4
Binary files /dev/null and b/Qt.pyc differ
diff --git a/SignalProxy.py b/SignalProxy.py
index 6ac25193b3cbd362b8649d83c472afcfcbbb5f99..95d94ba8747935715f25560e49ca4c66c7b400b9 100644
--- a/SignalProxy.py
+++ b/SignalProxy.py
@@ -1,31 +1,38 @@
 # -*- coding: utf-8 -*-
-from PyQt4 import QtCore
+from Qt import QtCore
 from ptime import time
 
+__all__ = ['SignalProxy']
+
 class SignalProxy(QtCore.QObject):
     """Object which collects rapid-fire signals and condenses them
     into a single signal. Used, for example, to prevent a SpinBox
     from generating multiple signals when the mouse wheel is rolled
-    over it."""
+    over it.
+    
+    Emits sigDelayed after input signals have stopped for a certain period of time.
+    """
+    
+    sigDelayed = QtCore.Signal(object)
     
-    def __init__(self, source, signal, delay=0.3):
+    def __init__(self, signal, delay=0.3, slot=None):
         """Initialization arguments:
-        source - Any QObject that will emit signal, or None if signal is new style
-        signal - Output of QtCore.SIGNAL(...), or obj.signal for new style
-        delay - Time (in seconds) to wait for signals to stop before emitting (default 0.3s)"""
+        signal - a bound Signal or pyqtSignal instance
+        delay - Time (in seconds) to wait for signals to stop before emitting (default 0.3s)
+        slot - Optional function to connect sigDelayed to.
+        """
         
         QtCore.QObject.__init__(self)
-        if source is None:
-            signal.connect(self.signalReceived)
-            self.signal = QtCore.SIGNAL('signal')
-        else:
-            source.connect(source, signal, self.signalReceived)
-            self.signal = signal
+        signal.connect(self.signalReceived)
+        self.signal = signal
         self.delay = delay
         self.args = None
         self.timer = QtCore.QTimer()
         self.timer.timeout.connect(self.flush)
         self.block = False
+        self.slot = slot
+        if slot is not None:
+            self.sigDelayed.connect(slot)
         
     def setDelay(self, delay):
         self.delay = delay
@@ -42,28 +49,39 @@ class SignalProxy(QtCore.QObject):
         """If there is a signal queued up, send it now."""
         if self.args is None or self.block:
             return False
-        self.emit(self.signal, *self.args)
+        #self.emit(self.signal, *self.args)
+        self.sigDelayed.emit(self.args)
         self.args = None
+        self.timer.stop()
         return True
         
     def disconnect(self):
         self.block = True
-    
+        try:
+            self.signal.disconnect(self.signalReceived)
+        except:
+            pass
+        try:
+            self.sigDelayed.disconnect(self.slot)
+        except:
+            pass
+   
+   
 
-def proxyConnect(source, signal, slot, delay=0.3):
-    """Connect a signal to a slot with delay. Returns the SignalProxy
-    object that was created. Be sure to store this object so it is not
-    garbage-collected immediately."""
-    sp = SignalProxy(source, signal, delay)
-    if source is None:
-        sp.connect(sp, QtCore.SIGNAL('signal'), slot)
-    else:
-        sp.connect(sp, signal, slot)
-    return sp
+#def proxyConnect(source, signal, slot, delay=0.3):
+    #"""Connect a signal to a slot with delay. Returns the SignalProxy
+    #object that was created. Be sure to store this object so it is not
+    #garbage-collected immediately."""
+    #sp = SignalProxy(source, signal, delay)
+    #if source is None:
+        #sp.connect(sp, QtCore.SIGNAL('signal'), slot)
+    #else:
+        #sp.connect(sp, signal, slot)
+    #return sp
     
     
 if __name__ == '__main__':
-    from PyQt4 import QtGui
+    from Qt import QtGui
     app = QtGui.QApplication([])
     win = QtGui.QMainWindow()
     spin = QtGui.QSpinBox()
@@ -71,8 +89,12 @@ if __name__ == '__main__':
     win.show()
     
     def fn(*args):
-        print "Got signal:", args
+        print "Raw signal:", args
+    def fn2(*args):
+        print "Delayed signal:", args
     
-    proxy = proxyConnect(spin, QtCore.SIGNAL('valueChanged(int)'), fn)
     
+    spin.valueChanged.connect(fn)
+    #proxy = proxyConnect(spin, QtCore.SIGNAL('valueChanged(int)'), fn)
+    proxy = SignalProxy(spin.valueChanged, delay=0.5, slot=fn2)
         
\ No newline at end of file
diff --git a/SignalProxy.pyc b/SignalProxy.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..42390dfa615e249f5f33e7c89c8d75fd048061e9
Binary files /dev/null and b/SignalProxy.pyc differ
diff --git a/Transform.py b/Transform.py
index 9938a190ba1097574e46b87b933a7c443640f877..91614f1dbca3c55b3805e3f859f69160f3c9e6e1 100644
--- a/Transform.py
+++ b/Transform.py
@@ -1,5 +1,5 @@
 # -*- coding: utf-8 -*-
-from PyQt4 import QtCore, QtGui
+from Qt import QtCore, QtGui
 from Point import Point
 import numpy as np
 
@@ -108,8 +108,8 @@ class Transform(QtGui.QTransform):
     def saveState(self):
         p = self._state['pos']
         s = self._state['scale']
-        if s[0] == 0:
-            raise Exception('Invalid scale')
+        #if s[0] == 0:
+            #raise Exception('Invalid scale: %s' % str(s))
         return {'pos': (p[0], p[1]), 'scale': (s[0], s[1]), 'angle': self._state['angle']}
 
     def restoreState(self, state):
diff --git a/Transform.pyc b/Transform.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..2bb1ce46bb5ab0d7334093a3c975e466b7cab671
Binary files /dev/null and b/Transform.pyc differ
diff --git a/WidgetGroup.py b/WidgetGroup.py
new file mode 100644
index 0000000000000000000000000000000000000000..32b952e6f94c968d865a52bfd7228066f8ab5633
--- /dev/null
+++ b/WidgetGroup.py
@@ -0,0 +1,282 @@
+# -*- coding: utf-8 -*-
+"""
+WidgetGroup.py -  WidgetGroup class for easily managing lots of Qt widgets
+Copyright 2010  Luke Campagnola
+Distributed under MIT/X11 license. See license.txt for more infomation.
+
+This class addresses the problem of having to save and restore the state
+of a large group of widgets. 
+"""
+
+from Qt import QtCore, QtGui
+import weakref, inspect
+
+
+__all__ = ['WidgetGroup']
+
+def splitterState(w):
+    s = str(w.saveState().toPercentEncoding())
+    return s
+    
+def restoreSplitter(w, s):
+    if type(s) is list:
+        w.setSizes(s)
+    elif type(s) is str:
+        w.restoreState(QtCore.QByteArray.fromPercentEncoding(s))
+    else:
+        print "Can't configure QSplitter using object of type", type(s)
+    if w.count() > 0:   ## make sure at least one item is not collapsed
+        for i in w.sizes():
+            if i > 0:
+                return
+        w.setSizes([50] * w.count())
+        
+def comboState(w):
+    ind = w.currentIndex()
+    data = w.itemData(ind)
+    #if not data.isValid():
+    if data is not None:
+        try:
+            if not data.isValid():
+                data = None
+            else:
+                data = data.toInt()[0]
+        except AttributeError:
+            pass
+    if data is None:
+        return unicode(w.itemText(ind))
+    else:
+        return data
+    
+def setComboState(w, v):
+    if type(v) is int:
+        #ind = w.findData(QtCore.QVariant(v))
+        ind = w.findData(v)
+        if ind > -1:
+            w.setCurrentIndex(ind)
+            return
+    w.setCurrentIndex(w.findText(str(v)))
+        
+
+class WidgetGroup(QtCore.QObject):
+    """This class takes a list of widgets and keeps an internal record of their state which is always up to date. Allows reading and writing from groups of widgets simultaneously."""
+    
+    ## List of widget types which can be handled by WidgetGroup.
+    ## The value for each type is a tuple (change signal function, get function, set function, [auto-add children])
+    ## The change signal function that takes an object and returns a signal that is emitted any time the state of the widget changes, not just 
+    ##   when it is changed by user interaction. (for example, 'clicked' is not a valid signal here)
+    ## If the change signal is None, the value of the widget is not cached.
+    ## Custom widgets not in this list can be made to work with WidgetGroup by giving them a 'widgetGroupInterface' method
+    ##   which returns the tuple.
+    classes = {
+        QtGui.QSpinBox: 
+            (lambda w: w.valueChanged, 
+            QtGui.QSpinBox.value, 
+            QtGui.QSpinBox.setValue),
+        QtGui.QDoubleSpinBox: 
+            (lambda w: w.valueChanged, 
+            QtGui.QDoubleSpinBox.value, 
+            QtGui.QDoubleSpinBox.setValue),
+        QtGui.QSplitter: 
+            (None, 
+            splitterState,
+            restoreSplitter,
+            True),
+        QtGui.QCheckBox: 
+            (lambda w: w.stateChanged,
+            QtGui.QCheckBox.isChecked,
+            QtGui.QCheckBox.setChecked),
+        QtGui.QComboBox:
+            (lambda w: w.currentIndexChanged,
+            comboState,
+            setComboState),
+        QtGui.QGroupBox:
+            (lambda w: w.toggled,
+            QtGui.QGroupBox.isChecked,
+            QtGui.QGroupBox.setChecked,
+            True),
+        QtGui.QLineEdit:
+            (lambda w: w.editingFinished,
+            lambda w: str(w.text()),
+            QtGui.QLineEdit.setText),
+        QtGui.QRadioButton:
+            (lambda w: w.toggled,
+            QtGui.QRadioButton.isChecked,
+            QtGui.QRadioButton.setChecked),
+        QtGui.QSlider:
+            (lambda w: w.valueChanged,
+            QtGui.QSlider.value,
+            QtGui.QSlider.setValue),
+    }
+    
+    sigChanged = QtCore.Signal(str, object)
+    
+    
+    def __init__(self, widgetList=None):
+        """Initialize WidgetGroup, adding specified widgets into this group.
+        widgetList can be: 
+         - a list of widget specifications (widget, [name], [scale])
+         - a dict of name: widget pairs
+         - any QObject, and all compatible child widgets will be added recursively.
+        
+        The 'scale' parameter for each widget allows QSpinBox to display a different value than the value recorded
+        in the group state (for example, the program may set a spin box value to 100e-6 and have it displayed as 100 to the user)
+        """
+        QtCore.QObject.__init__(self)
+        self.widgetList = weakref.WeakKeyDictionary() # Make sure widgets don't stick around just because they are listed here
+        self.scales = weakref.WeakKeyDictionary()
+        self.cache = {}  ## name:value pairs
+        self.uncachedWidgets = weakref.WeakKeyDictionary()
+        if isinstance(widgetList, QtCore.QObject):
+            self.autoAdd(widgetList)
+        elif isinstance(widgetList, list):
+            for w in widgetList:
+                self.addWidget(*w)
+        elif isinstance(widgetList, dict):
+            for name, w in widgetList.iteritems():
+                self.addWidget(w, name)
+        elif widgetList is None:
+            return
+        else:
+            raise Exception("Wrong argument type %s" % type(widgetList))
+        
+    def addWidget(self, w, name=None, scale=None):
+        if not self.acceptsType(w):
+            raise Exception("Widget type %s not supported by WidgetGroup" % type(w))
+        if name is None:
+            name = str(w.objectName())
+        if name == '':
+            raise Exception("Cannot add widget '%s' without a name." % str(w))
+        self.widgetList[w] = name
+        self.scales[w] = scale
+        self.readWidget(w)
+            
+        if type(w) in WidgetGroup.classes:
+            signal = WidgetGroup.classes[type(w)][0]
+        else:
+            signal = w.widgetGroupInterface()[0]
+            
+        if signal is not None:
+            if inspect.isfunction(signal) or inspect.ismethod(signal):
+                signal = signal(w)
+            signal.connect(self.mkChangeCallback(w))
+        else:
+            self.uncachedWidgets[w] = None
+       
+    def findWidget(self, name):
+        for w in self.widgetList:
+            if self.widgetList[w] == name:
+                return w
+        return None
+       
+    def interface(self, obj):
+        t = type(obj)
+        if t in WidgetGroup.classes:
+            return WidgetGroup.classes[t]
+        else:
+            return obj.widgetGroupInterface()
+
+    def checkForChildren(self, obj):
+        """Return true if we should automatically search the children of this object for more."""
+        iface = self.interface(obj)
+        return (len(iface) > 3 and iface[3])
+       
+    def autoAdd(self, obj):
+        ## Find all children of this object and add them if possible.
+        accepted = self.acceptsType(obj)
+        if accepted:
+            #print "%s  auto add %s" % (self.objectName(), obj.objectName())
+            self.addWidget(obj)
+            
+        if not accepted or self.checkForChildren(obj):
+            for c in obj.children():
+                self.autoAdd(c)
+
+    def acceptsType(self, obj):
+        for c in WidgetGroup.classes:
+            if isinstance(obj, c):
+                return True
+        if hasattr(obj, 'widgetGroupInterface'):
+            return True
+        return False
+        #return (type(obj) in WidgetGroup.classes)
+
+    def setScale(self, widget, scale):
+        val = self.readWidget(widget)
+        self.scales[widget] = scale
+        self.setWidget(widget, val)
+        #print "scaling %f to %f" % (val, self.readWidget(widget))
+        
+
+    def mkChangeCallback(self, w):
+        return lambda *args: self.widgetChanged(w, *args)
+        
+    def widgetChanged(self, w, *args):
+        #print "widget changed"
+        n = self.widgetList[w]
+        v1 = self.cache[n]
+        v2 = self.readWidget(w)
+        if v1 != v2:
+            #print "widget", n, " = ", v2
+            self.emit(QtCore.SIGNAL('changed'), self.widgetList[w], v2)
+            self.sigChanged.emit(self.widgetList[w], v2)
+        
+    def state(self):
+        for w in self.uncachedWidgets:
+            self.readWidget(w)
+        
+        #cc = self.cache.copy()
+        #if 'averageGroup' in cc:
+            #val = cc['averageGroup']
+            #w = self.findWidget('averageGroup')
+            #self.readWidget(w)
+            #if val != self.cache['averageGroup']:
+                #print "  AverageGroup did not match cached value!"
+            #else:
+                #print "  AverageGroup OK"
+        return self.cache.copy()
+
+    def setState(self, s):
+        #print "SET STATE", self, s
+        for w in self.widgetList:
+            n = self.widgetList[w]
+            #print "  restore %s?" % n
+            if n not in s:
+                continue
+            #print "    restore state", w, n, s[n]
+            self.setWidget(w, s[n])
+
+    def readWidget(self, w):
+        if type(w) in WidgetGroup.classes:
+            getFunc = WidgetGroup.classes[type(w)][1]
+        else:
+            getFunc = w.widgetGroupInterface()[1]
+        
+        if getFunc is None:
+            return None
+            
+        val = getFunc(w)
+        if self.scales[w] is not None:
+            val /= self.scales[w]
+        #if isinstance(val, QtCore.QString):
+            #val = str(val)
+        n = self.widgetList[w]
+        self.cache[n] = val
+        return val
+
+    def setWidget(self, w, v):
+        v1 = v
+        if self.scales[w] is not None:
+            v *= self.scales[w]
+        
+        if type(w) in WidgetGroup.classes:
+            setFunc = WidgetGroup.classes[type(w)][2]
+        else:
+            setFunc = w.widgetGroupInterface()[2]
+        setFunc(w, v)
+        #name = self.widgetList[w]
+        #if name in self.cache and (self.cache[name] != v1):
+            #print "%s: Cached value %s != set value %s" % (name, str(self.cache[name]), str(v1))
+
+        
+        
\ No newline at end of file
diff --git a/WidgetGroup.pyc b/WidgetGroup.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..1743d3041eb7cf343cd14cd0a04c7dc72b48e741
Binary files /dev/null and b/WidgetGroup.pyc differ
diff --git a/__init__.py b/__init__.py
index 618436ac56c4e156b6ed330aca415d7ea3115c34..bf371d2fc3c2f3612822ff2eaaffa4d8320c1bb9 100644
--- a/__init__.py
+++ b/__init__.py
@@ -1,37 +1,102 @@
 # -*- coding: utf-8 -*-
 ### import all the goodies and add some helper functions for easy CLI use
 
-from functions import *
-from graphicsItems import *
-from graphicsWindows import *
-#import PlotWidget
-#import ImageView
-from PyQt4 import QtGui
+## 'Qt' is a local module; it is intended mainly to cover up the differences
+## between PyQt4 and PySide.
+from Qt import QtGui 
+
+## not really safe.
+#if QtGui.QApplication.instance() is None:
+    #app = QtGui.QApplication([])
+
+CONFIG_OPTIONS = {
+    'leftButtonPan': True  ## if false, left button drags a rubber band for zooming in viewbox
+}
+
+def setConfigOption(opt, value):
+    CONFIG_OPTIONS[opt] = value
+
+def getConfigOption(opt):
+    return CONFIG_OPTIONS[opt]
+
+## Import almost everything to make it available from a single namespace
+## don't import the more complex systems--canvas, parametertree, flowchart, dockarea
+## these must be imported separately.
+
+import os
+def importAll(path):
+    d = os.path.join(os.path.split(__file__)[0], path)
+    files = []
+    for f in os.listdir(d):
+        if os.path.isdir(os.path.join(d, f)):
+            files.append(f)
+        elif f[-3:] == '.py' and f != '__init__.py':
+            files.append(f[:-3])
+        
+    for modName in files:
+        mod = __import__(path+"."+modName, globals(), locals(), fromlist=['*'])
+        if hasattr(mod, '__all__'):
+            names = mod.__all__
+        else:
+            names = [n for n in dir(mod) if n[0] != '_']
+        for k in names:
+            if hasattr(mod, k):
+                globals()[k] = getattr(mod, k)
+
+importAll('graphicsItems')
+importAll('widgets')
+
+from imageview import *
+from WidgetGroup import *
 from Point import Point
 from Transform import Transform
+from functions import *
+from graphicsWindows import *
+from SignalProxy import *
+
+
+
+
+## Convenience functions for command-line use
+
+
 
 plots = []
 images = []
 QAPP = None
 
 def plot(*args, **kargs):
+    """
+    | Create and return a PlotWindow (this is just a window with PlotWidget inside), plot data in it.
+    | Accepts a *title* argument to set the title of the window.
+    | All other arguments are used to plot data. (see :func:`PlotItem.plot() <pyqtgraph.PlotItem.plot>`)
+    """
     mkQApp()
     if 'title' in kargs:
         w = PlotWindow(title=kargs['title'])
         del kargs['title']
     else:
         w = PlotWindow()
-    w.plot(*args, **kargs)
+    if len(args)+len(kargs) > 0:
+        w.plot(*args, **kargs)
     plots.append(w)
     w.show()
     return w
     
-def show(*args, **kargs):
+def image(*args, **kargs):
+    """
+    | Create and return an ImageWindow (this is just a window with ImageView widget inside), show image data inside.
+    | Will show 2D or 3D image data.
+    | Accepts a *title* argument to set the title of the window.
+    | All other arguments are used to show data. (see :func:`ImageView.setImage() <pyqtgraph.ImageView.setImage>`)
+    """
     mkQApp()
     w = ImageWindow(*args, **kargs)
     images.append(w)
     w.show()
     return w
+show = image  ## for backward compatibility
+    
     
 def mkQApp():
     if QtGui.QApplication.instance() is None:
diff --git a/__init__.pyc b/__init__.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..aaddcfeb79965db6e4aae3ca71070c9ab6555efd
Binary files /dev/null and b/__init__.pyc differ
diff --git a/canvas/Canvas.py b/canvas/Canvas.py
new file mode 100644
index 0000000000000000000000000000000000000000..9bd9e86330a559d3da69fb1f8d88d6efb98c1ce9
--- /dev/null
+++ b/canvas/Canvas.py
@@ -0,0 +1,554 @@
+# -*- coding: utf-8 -*-
+if __name__ == '__main__':
+    import sys, os
+    md = os.path.dirname(os.path.abspath(__file__))
+    sys.path = [os.path.dirname(md), os.path.join(md, '..', '..', '..')] + sys.path
+    #print md
+    
+from CanvasTemplate import *
+#from pyqtgraph.GraphicsView import GraphicsView
+#import pyqtgraph.graphicsItems as graphicsItems
+#from pyqtgraph.PlotWidget import PlotWidget
+from pyqtgraph.Qt import QtGui, QtCore
+from pyqtgraph.graphicsItems.ROI import ROI
+from pyqtgraph.graphicsItems.ViewBox import ViewBox
+from pyqtgraph.graphicsItems.GridItem import GridItem
+#import DataManager
+import numpy as np
+import debug
+#import pyqtgraph as pg
+import weakref
+from CanvasManager import CanvasManager
+#import items
+from CanvasItem import CanvasItem, GroupCanvasItem
+
+class Canvas(QtGui.QWidget):
+    
+    sigSelectionChanged = QtCore.Signal(object, object)
+    sigItemTransformChanged = QtCore.Signal(object, object)
+    sigItemTransformChangeFinished = QtCore.Signal(object, object)
+    
+    def __init__(self, parent=None, allowTransforms=True, hideCtrl=False, name=None):
+        QtGui.QWidget.__init__(self, parent)
+        self.ui = Ui_Form()
+        self.ui.setupUi(self)
+        #self.view = self.ui.view
+        self.view = ViewBox()
+        self.ui.view.setCentralItem(self.view)
+        self.itemList = self.ui.itemList
+        self.itemList.setSelectionMode(self.itemList.ExtendedSelection)
+        self.allowTransforms = allowTransforms
+        self.multiSelectBox = SelectBox()
+        self.view.addItem(self.multiSelectBox)
+        self.multiSelectBox.hide()
+        self.multiSelectBox.setZValue(1e6)
+        self.ui.mirrorSelectionBtn.hide()
+        self.ui.resetTransformsBtn.hide()
+        
+        self.redirect = None  ## which canvas to redirect items to
+        self.items = []
+        
+        #self.view.enableMouse()
+        self.view.setAspectLocked(True)
+        self.view.invertY()
+        
+        grid = GridItem()
+        self.grid = CanvasItem(grid, name='Grid', movable=False)
+        self.addItem(self.grid)
+        
+        self.hideBtn = QtGui.QPushButton('>', self)
+        self.hideBtn.setFixedWidth(20)
+        self.hideBtn.setFixedHeight(20)
+        self.ctrlSize = 200
+        self.sizeApplied = False
+        self.hideBtn.clicked.connect(self.hideBtnClicked)
+        self.ui.splitter.splitterMoved.connect(self.splitterMoved)
+        
+        self.ui.itemList.itemChanged.connect(self.treeItemChanged)
+        self.ui.itemList.sigItemMoved.connect(self.treeItemMoved)
+        self.ui.itemList.itemSelectionChanged.connect(self.treeItemSelected)
+        self.ui.autoRangeBtn.clicked.connect(self.autoRange)
+        self.ui.storeSvgBtn.clicked.connect(self.storeSvg)
+        self.ui.storePngBtn.clicked.connect(self.storePng)
+        self.ui.redirectCheck.toggled.connect(self.updateRedirect)
+        self.ui.redirectCombo.currentIndexChanged.connect(self.updateRedirect)
+        self.multiSelectBox.sigRegionChanged.connect(self.multiSelectBoxChanged)
+        self.multiSelectBox.sigRegionChangeFinished.connect(self.multiSelectBoxChangeFinished)
+        self.ui.mirrorSelectionBtn.clicked.connect(self.mirrorSelectionClicked)
+        self.ui.resetTransformsBtn.clicked.connect(self.resetTransformsClicked)
+        
+        self.resizeEvent()
+        if hideCtrl:
+            self.hideBtnClicked()
+            
+        if name is not None:
+            self.registeredName = CanvasManager.instance().registerCanvas(self, name)
+            self.ui.redirectCombo.setHostName(self.registeredName)
+
+    def storeSvg(self):
+        self.ui.view.writeSvg()
+
+    def storePng(self):
+        self.ui.view.writeImage()
+
+    def splitterMoved(self):
+        self.resizeEvent()
+
+    def hideBtnClicked(self):
+        ctrlSize = self.ui.splitter.sizes()[1]
+        if ctrlSize == 0:
+            cs = self.ctrlSize
+            w = self.ui.splitter.size().width()
+            if cs > w:
+                cs = w - 20
+            self.ui.splitter.setSizes([w-cs, cs])
+            self.hideBtn.setText('>')
+        else:
+            self.ctrlSize = ctrlSize
+            self.ui.splitter.setSizes([100, 0])
+            self.hideBtn.setText('<')
+        self.resizeEvent()
+
+    def autoRange(self):
+        self.view.autoRange()
+
+    def resizeEvent(self, ev=None):
+        if ev is not None:
+            QtGui.QWidget.resizeEvent(self, ev)
+        self.hideBtn.move(self.ui.view.size().width() - self.hideBtn.width(), 0)
+        
+        if not self.sizeApplied:
+            self.sizeApplied = True
+            s = min(self.width(), max(100, min(200, self.width()*0.25)))
+            s2 = self.width()-s
+            self.ui.splitter.setSizes([s2, s])
+
+    
+    def updateRedirect(self, *args):
+        ### Decide whether/where to redirect items and make it so
+        cname = str(self.ui.redirectCombo.currentText())
+        man = CanvasManager.instance()
+        if self.ui.redirectCheck.isChecked() and cname != '':
+            redirect = man.getCanvas(cname)
+        else:
+            redirect = None
+            
+        if self.redirect is redirect:
+            return
+            
+        self.redirect = redirect
+        if redirect is None:
+            self.reclaimItems()
+        else:
+            self.redirectItems(redirect)
+
+    
+    def redirectItems(self, canvas):
+        for i in self.items:
+            if i is self.grid:
+                continue
+            li = i.listItem
+            parent = li.parent()
+            if parent is None:
+                tree = li.treeWidget()
+                if tree is None:
+                    print "Skipping item", i, i.name
+                    continue
+                tree.removeTopLevelItem(li)
+            else:
+                parent.removeChild(li)
+            canvas.addItem(i)
+            
+
+    def reclaimItems(self):
+        items = self.items
+        #self.items = {'Grid': items['Grid']}
+        #del items['Grid']
+        self.items = [self.grid]
+        items.remove(self.grid)
+        
+        for i in items:
+            i.canvas.removeItem(i)
+            self.addItem(i)
+
+    def treeItemChanged(self, item, col):
+        #gi = self.items.get(item.name, None)
+        #if gi is None:
+            #return
+        try:
+            citem = item.canvasItem
+        except AttributeError:
+            return
+        if item.checkState(0) == QtCore.Qt.Checked:
+            for i in range(item.childCount()):
+                item.child(i).setCheckState(0, QtCore.Qt.Checked)
+            citem.show()
+        else:
+            for i in range(item.childCount()):
+                item.child(i).setCheckState(0, QtCore.Qt.Unchecked)
+            citem.hide()
+
+    def treeItemSelected(self):
+        sel = self.selectedItems()
+        #sel = []
+        #for listItem in self.itemList.selectedItems():
+            #if hasattr(listItem, 'canvasItem') and listItem.canvasItem is not None:
+                #sel.append(listItem.canvasItem)
+        #sel = [self.items[item.name] for item in sel]
+        
+        if len(sel) == 0:
+            #self.selectWidget.hide()
+            return
+            
+        multi = len(sel) > 1
+        for i in self.items:
+            #i.ctrlWidget().hide()
+            ## updated the selected state of every item
+            i.selectionChanged(i in sel, multi)
+            
+        if len(sel)==1:
+            #item = sel[0]
+            #item.ctrlWidget().show()
+            self.multiSelectBox.hide()
+            self.ui.mirrorSelectionBtn.hide()
+            self.ui.resetTransformsBtn.hide()
+        elif len(sel) > 1:
+            self.showMultiSelectBox()
+        
+        #if item.isMovable():
+            #self.selectBox.setPos(item.item.pos())
+            #self.selectBox.setSize(item.item.sceneBoundingRect().size())
+            #self.selectBox.show()
+        #else:
+            #self.selectBox.hide()
+        
+        #self.emit(QtCore.SIGNAL('itemSelected'), self, item)
+        self.sigSelectionChanged.emit(self, sel)
+        
+    def selectedItems(self):
+        """
+        Return list of all selected canvasItems
+        """
+        return [item.canvasItem for item in self.itemList.selectedItems() if item.canvasItem is not None]
+        
+    #def selectedItem(self):
+        #sel = self.itemList.selectedItems()
+        #if sel is None or len(sel) < 1:
+            #return
+        #return self.items.get(sel[0].name, None)
+
+    def selectItem(self, item):
+        li = item.listItem
+        #li = self.getListItem(item.name())
+        #print "select", li
+        self.itemList.setCurrentItem(li)
+
+        
+        
+    def showMultiSelectBox(self):
+        ## Get list of selected canvas items
+        items = self.selectedItems()
+        
+        rect = self.view.itemBoundingRect(items[0].graphicsItem())
+        for i in items:
+            if not i.isMovable():  ## all items in selection must be movable
+                return
+            br = self.view.itemBoundingRect(i.graphicsItem())
+            rect = rect|br
+            
+        self.multiSelectBox.blockSignals(True)
+        self.multiSelectBox.setPos([rect.x(), rect.y()])
+        self.multiSelectBox.setSize(rect.size())
+        self.multiSelectBox.setAngle(0)
+        self.multiSelectBox.blockSignals(False)
+        
+        self.multiSelectBox.show()
+        
+        self.ui.mirrorSelectionBtn.show()
+        self.ui.resetTransformsBtn.show()
+        #self.multiSelectBoxBase = self.multiSelectBox.getState().copy()
+
+    def mirrorSelectionClicked(self):
+        for ci in self.selectedItems():
+            ci.mirrorY()
+        self.showMultiSelectBox()
+            
+    def resetTransformsClicked(self):
+        for i in self.selectedItems():
+            i.resetTransformClicked()
+        self.showMultiSelectBox()
+
+    def multiSelectBoxChanged(self):
+        self.multiSelectBoxMoved()
+        
+    def multiSelectBoxChangeFinished(self):
+        for ci in self.selectedItems():
+            ci.applyTemporaryTransform()
+            ci.sigTransformChangeFinished.emit(ci)
+        
+    def multiSelectBoxMoved(self):
+        transform = self.multiSelectBox.getGlobalTransform()
+        for ci in self.selectedItems():
+            ci.setTemporaryTransform(transform)
+            ci.sigTransformChanged.emit(ci)
+        
+
+    def addGraphicsItem(self, item, **opts):
+        """Add a new GraphicsItem to the scene at pos.
+        Common options are name, pos, scale, and z
+        """
+        citem = CanvasItem(item, **opts)
+        self.addItem(citem)
+        return citem
+            
+
+    def addGroup(self, name, **kargs):
+        group = GroupCanvasItem(name=name)
+        self.addItem(group, **kargs)
+        return group
+        
+
+    def addItem(self, citem):
+        """
+        Add an item to the canvas. 
+        """
+        
+        ## Check for redirections
+        if self.redirect is not None:
+            name = self.redirect.addItem(citem)
+            self.items.append(citem)
+            return name
+
+        if not self.allowTransforms:
+            citem.setMovable(False)
+
+        citem.sigTransformChanged.connect(self.itemTransformChanged)
+        citem.sigTransformChangeFinished.connect(self.itemTransformChangeFinished)
+        citem.sigVisibilityChanged.connect(self.itemVisibilityChanged)
+
+        
+        ## Determine name to use in the item list
+        name = citem.opts['name']
+        if name is None:
+            name = 'item'
+        newname = name
+
+        ## If name already exists, append a number to the end
+        ## NAH. Let items have the same name if they really want.
+        #c=0
+        #while newname in self.items:
+            #c += 1
+            #newname = name + '_%03d' %c
+        #name = newname
+            
+        ## find parent and add item to tree
+        #currentNode = self.itemList.invisibleRootItem()
+        insertLocation = 0
+        #print "Inserting node:", name
+        
+            
+        ## determine parent list item where this item should be inserted
+        parent = citem.parentItem()
+        if parent in (None, self.view.childGroup):
+            parent = self.itemList.invisibleRootItem()
+        else:
+            parent = parent.listItem
+        
+        ## set Z value above all other siblings if none was specified
+        siblings = [parent.child(i).canvasItem for i in xrange(parent.childCount())]
+        z = citem.zValue()
+        if z is None:
+            zvals = [i.zValue() for i in siblings]
+            if len(zvals) == 0:
+                z = 0
+            else:
+                z = max(zvals)+10
+            citem.setZValue(z)
+            
+        ## determine location to insert item relative to its siblings
+        for i in range(parent.childCount()):
+            ch = parent.child(i)
+            zval = ch.canvasItem.graphicsItem().zValue()  ## should we use CanvasItem.zValue here?
+            if zval < z:
+                insertLocation = i
+                break
+            else:
+                insertLocation = i+1
+                
+        node = QtGui.QTreeWidgetItem([name])
+        flags = node.flags() | QtCore.Qt.ItemIsUserCheckable | QtCore.Qt.ItemIsDragEnabled
+        if not isinstance(citem, GroupCanvasItem):
+            flags = flags & ~QtCore.Qt.ItemIsDropEnabled
+        node.setFlags(flags)
+        if citem.opts['visible']:
+            node.setCheckState(0, QtCore.Qt.Checked)
+        else:
+            node.setCheckState(0, QtCore.Qt.Unchecked)
+        
+        node.name = name
+        #if citem.opts['parent'] != None:
+            ## insertLocation is incorrect in this case
+        parent.insertChild(insertLocation, node)
+        #else:    
+            #root.insertChild(insertLocation, node)
+        
+        citem.name = name
+        citem.listItem = node
+        node.canvasItem = citem
+        self.items.append(citem)
+
+        ctrl = citem.ctrlWidget()
+        ctrl.hide()
+        self.ui.ctrlLayout.addWidget(ctrl)
+        
+        ## inform the canvasItem that its parent canvas has changed
+        citem.setCanvas(self)
+
+        ## Autoscale to fit the first item added (not including the grid).
+        if len(self.items) == 2:
+            self.autoRange()
+            
+        
+        #for n in name:
+            #nextnode = None
+            #for x in range(currentNode.childCount()):
+                #ch = currentNode.child(x)
+                #if hasattr(ch, 'name'):    ## check Z-value of current item to determine insert location
+                    #zval = ch.canvasItem.zValue()
+                    #if zval > z:
+                        ###print "  ->", x
+                        #insertLocation = x+1
+                #if n == ch.text(0):
+                    #nextnode = ch
+                    #break
+            #if nextnode is None:  ## If name doesn't exist, create it
+                #nextnode = QtGui.QTreeWidgetItem([n])
+                #nextnode.setFlags((nextnode.flags() | QtCore.Qt.ItemIsUserCheckable) & ~QtCore.Qt.ItemIsDropEnabled)
+                #nextnode.setCheckState(0, QtCore.Qt.Checked)
+                ### Add node to correct position in list by Z-value
+                ###print "  ==>", insertLocation
+                #currentNode.insertChild(insertLocation, nextnode)
+                
+                #if n == name[-1]:   ## This is the leaf; add some extra properties.
+                    #nextnode.name = name
+                
+                #if n == name[0]:   ## This is the root; make the item movable
+                    #nextnode.setFlags(nextnode.flags() | QtCore.Qt.ItemIsDragEnabled)
+                #else:
+                    #nextnode.setFlags(nextnode.flags() & ~QtCore.Qt.ItemIsDragEnabled)
+                    
+            #currentNode = nextnode
+        return citem
+
+    def treeItemMoved(self, item, parent, index):
+        ##Item moved in tree; update Z values
+        if parent is self.itemList.invisibleRootItem():
+            item.canvasItem.setParentItem(self.view.childGroup)
+        else:
+            item.canvasItem.setParentItem(parent.canvasItem)
+        siblings = [parent.child(i).canvasItem for i in xrange(parent.childCount())]
+        
+        zvals = [i.zValue() for i in siblings]
+        zvals.sort(reverse=True)
+        
+        for i in range(len(siblings)):
+            item = siblings[i]
+            item.setZValue(zvals[i])
+            #item = self.itemList.topLevelItem(i)
+            
+            ##ci = self.items[item.name]
+            #ci = item.canvasItem
+            #if ci is None:
+                #continue
+            #if ci.zValue() != zvals[i]:
+                #ci.setZValue(zvals[i])
+        
+        #if self.itemList.topLevelItemCount() < 2:
+            #return
+        #name = item.name
+        #gi = self.items[name]
+        #if index == 0:   
+            #next = self.itemList.topLevelItem(1)
+            #z = self.items[next.name].zValue()+1
+        #else:
+            #prev = self.itemList.topLevelItem(index-1)
+            #z = self.items[prev.name].zValue()-1
+        #gi.setZValue(z)
+
+
+
+
+
+        
+    def itemVisibilityChanged(self, item):
+        listItem = item.listItem
+        checked = listItem.checkState(0) == QtCore.Qt.Checked
+        vis = item.isVisible()
+        if vis != checked:
+            if vis:
+                listItem.setCheckState(0, QtCore.Qt.Checked)
+            else:
+                listItem.setCheckState(0, QtCore.Qt.Unchecked)
+
+    def removeItem(self, item):
+        if isinstance(item, CanvasItem):
+            item.setCanvas(None)
+            #self.view.scene().removeItem(item.item)
+            self.itemList.removeTopLevelItem(item.listItem)
+            #del self.items[item.name]
+            self.items.remove(item)
+        else:
+            self.view.removeItem(item)
+        
+        ## disconnect signals, remove from list, etc..
+        
+
+    def addToScene(self, item):
+        self.view.addItem(item)
+        
+    def removeFromScene(self, item):
+        self.view.removeItem(item)
+
+    
+    def listItems(self):
+        """Return a dictionary of name:item pairs"""
+        return self.items
+        
+    def getListItem(self, name):
+        return self.items[name]
+        
+    #def scene(self):
+        #return self.view.scene()
+        
+    def itemTransformChanged(self, item):
+        #self.emit(QtCore.SIGNAL('itemTransformChanged'), self, item)
+        self.sigItemTransformChanged.emit(self, item)
+    
+    def itemTransformChangeFinished(self, item):
+        #self.emit(QtCore.SIGNAL('itemTransformChangeFinished'), self, item)
+        self.sigItemTransformChangeFinished.emit(self, item)
+        
+
+
+class SelectBox(ROI):
+    def __init__(self, scalable=False):
+        #QtGui.QGraphicsRectItem.__init__(self, 0, 0, size[0], size[1])
+        ROI.__init__(self, [0,0], [1,1])
+        center = [0.5, 0.5]
+            
+        if scalable:
+            self.addScaleHandle([1, 1], center, lockAspect=True)
+            self.addScaleHandle([0, 0], center, lockAspect=True)
+        self.addRotateHandle([0, 1], center)
+        self.addRotateHandle([1, 0], center)
+
+
+
+
+
+
+
+
+
+
+    
\ No newline at end of file
diff --git a/canvas/CanvasItem.py b/canvas/CanvasItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..3900af2de68ed70e97c28c19e4cf2b6e8d916623
--- /dev/null
+++ b/canvas/CanvasItem.py
@@ -0,0 +1,490 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtGui, QtCore, QtSvg
+from pyqtgraph.graphicsItems.ROI import ROI
+import pyqtgraph as pg
+import TransformGuiTemplate
+import debug
+
+class SelectBox(ROI):
+    def __init__(self, scalable=False):
+        #QtGui.QGraphicsRectItem.__init__(self, 0, 0, size[0], size[1])
+        ROI.__init__(self, [0,0], [1,1], invertible=True)
+        center = [0.5, 0.5]
+            
+        if scalable:
+            self.addScaleHandle([1, 1], center, lockAspect=True)
+            self.addScaleHandle([0, 0], center, lockAspect=True)
+        self.addRotateHandle([0, 1], center)
+        self.addRotateHandle([1, 0], center)
+
+class CanvasItem(QtCore.QObject):
+    
+    sigResetUserTransform = QtCore.Signal(object)
+    sigTransformChangeFinished = QtCore.Signal(object)
+    sigTransformChanged = QtCore.Signal(object)
+    
+    """CanvasItem takes care of managing an item's state--alpha, visibility, z-value, transformations, etc. and
+    provides a control widget"""
+    
+    sigVisibilityChanged = QtCore.Signal(object)
+    transformCopyBuffer = None
+    
+    def __init__(self, item, **opts):
+        defOpts = {'name': None, 'z': None, 'movable': True, 'scalable': False, 'visible': True, 'parent':None} #'pos': [0,0], 'scale': [1,1], 'angle':0,
+        defOpts.update(opts)
+        self.opts = defOpts
+        self.selectedAlone = False  ## whether this item is the only one selected
+        
+        QtCore.QObject.__init__(self)
+        self.canvas = None
+        self._graphicsItem = item
+        
+        parent = self.opts['parent']
+        if parent is not None:
+            self._graphicsItem.setParentItem(parent.graphicsItem())
+            self._parentItem = parent
+        else:
+            self._parentItem = None
+        
+        z = self.opts['z']
+        if z is not None:
+            item.setZValue(z)
+
+        self.ctrl = QtGui.QWidget()
+        self.layout = QtGui.QGridLayout()
+        self.layout.setSpacing(0)
+        self.layout.setContentsMargins(0,0,0,0)
+        self.ctrl.setLayout(self.layout)
+        
+        self.alphaLabel = QtGui.QLabel("Alpha")
+        self.alphaSlider = QtGui.QSlider()
+        self.alphaSlider.setMaximum(1023)
+        self.alphaSlider.setOrientation(QtCore.Qt.Horizontal)
+        self.alphaSlider.setValue(1023)
+        self.layout.addWidget(self.alphaLabel, 0, 0)
+        self.layout.addWidget(self.alphaSlider, 0, 1)
+        self.resetTransformBtn = QtGui.QPushButton('Reset Transform')
+        self.copyBtn = QtGui.QPushButton('Copy')
+        self.pasteBtn = QtGui.QPushButton('Paste')
+        
+        self.transformWidget = QtGui.QWidget()
+        self.transformGui = TransformGuiTemplate.Ui_Form()
+        self.transformGui.setupUi(self.transformWidget)
+        self.layout.addWidget(self.transformWidget, 3, 0, 1, 2)
+        self.transformGui.mirrorImageBtn.clicked.connect(self.mirrorY)
+        
+        self.layout.addWidget(self.resetTransformBtn, 1, 0, 1, 2)
+        self.layout.addWidget(self.copyBtn, 2, 0, 1, 1)
+        self.layout.addWidget(self.pasteBtn, 2, 1, 1, 1)
+        self.alphaSlider.valueChanged.connect(self.alphaChanged)
+        self.alphaSlider.sliderPressed.connect(self.alphaPressed)
+        self.alphaSlider.sliderReleased.connect(self.alphaReleased)
+        #self.canvas.sigSelectionChanged.connect(self.selectionChanged)
+        self.resetTransformBtn.clicked.connect(self.resetTransformClicked)
+        self.copyBtn.clicked.connect(self.copyClicked)
+        self.pasteBtn.clicked.connect(self.pasteClicked)
+        
+        self.setMovable(self.opts['movable'])  ## update gui to reflect this option
+
+
+        if 'transform' in self.opts:
+            self.baseTransform = self.opts['transform']
+        else:
+            self.baseTransform = pg.Transform()
+            if 'pos' in self.opts and self.opts['pos'] is not None:
+                self.baseTransform.translate(self.opts['pos'])
+            if 'angle' in self.opts and self.opts['angle'] is not None:
+                self.baseTransform.rotate(self.opts['angle'])
+            if 'scale' in self.opts and self.opts['scale'] is not None:
+                self.baseTransform.scale(self.opts['scale'])
+
+        ## create selection box (only visible when selected)
+        tr = self.baseTransform.saveState()
+        if 'scalable' not in opts and tr['scale'] == (1,1):
+            self.opts['scalable'] = True
+            
+        ## every CanvasItem implements its own individual selection box 
+        ## so that subclasses are free to make their own.
+        self.selectBox = SelectBox(scalable=self.opts['scalable'])
+        #self.canvas.scene().addItem(self.selectBox)
+        self.selectBox.hide()
+        self.selectBox.setZValue(1e6)
+        self.selectBox.sigRegionChanged.connect(self.selectBoxChanged)  ## calls selectBoxMoved
+        self.selectBox.sigRegionChangeFinished.connect(self.selectBoxChangeFinished)
+
+        ## set up the transformations that will be applied to the item
+        ## (It is not safe to use item.setTransform, since the item might count on that not changing)
+        self.itemRotation = QtGui.QGraphicsRotation()
+        self.itemScale = QtGui.QGraphicsScale()
+        self._graphicsItem.setTransformations([self.itemRotation, self.itemScale])
+        
+        self.tempTransform = pg.Transform() ## holds the additional transform that happens during a move - gets added to the userTransform when move is done.
+        self.userTransform = pg.Transform() ## stores the total transform of the object
+        self.resetUserTransform() 
+        
+        ## now happens inside resetUserTransform -> selectBoxToItem
+        # self.selectBoxBase = self.selectBox.getState().copy()
+        
+                
+        #print "Created canvas item", self
+        #print "  base:", self.baseTransform
+        #print "  user:", self.userTransform
+        #print "  temp:", self.tempTransform
+        #print "  bounds:", self.item.sceneBoundingRect()
+        
+    def setMovable(self, m):
+        self.opts['movable'] = m
+        
+        if m:
+            self.resetTransformBtn.show()
+            self.copyBtn.show()
+            self.pasteBtn.show()
+        else:
+            self.resetTransformBtn.hide()
+            self.copyBtn.hide()
+            self.pasteBtn.hide()
+
+    def setCanvas(self, canvas):
+        ## Called by canvas whenever the item is added.
+        ## It is our responsibility to add all graphicsItems to the canvas's scene
+        ## The canvas will automatically add our graphicsitem, 
+        ## so we just need to take care of the selectbox.
+        if canvas is self.canvas:
+            return
+            
+        if canvas is None:
+            self.canvas.removeFromScene(self._graphicsItem)
+            self.canvas.removeFromScene(self.selectBox)
+        else:
+            canvas.addToScene(self._graphicsItem)
+            canvas.addToScene(self.selectBox)
+        self.canvas = canvas
+
+    def graphicsItem(self):
+        """Return the graphicsItem for this canvasItem."""
+        return self._graphicsItem
+        
+    def parentItem(self):
+        return self._parentItem
+
+    def setParentItem(self, parent):
+        self._parentItem = parent
+        if parent is not None:
+            if isinstance(parent, CanvasItem):
+                parent = parent.graphicsItem()
+        self.graphicsItem().setParentItem(parent)
+
+    #def name(self):
+        #return self.opts['name']
+    
+    def copyClicked(self):
+        CanvasItem.transformCopyBuffer = self.saveTransform()
+        
+    def pasteClicked(self):
+        t = CanvasItem.transformCopyBuffer
+        if t is None:
+            return
+        else:
+            self.restoreTransform(t)
+            
+    def mirrorY(self):
+        if not self.isMovable():
+            return
+        
+        #flip = self.transformGui.mirrorImageCheck.isChecked()
+        #tr = self.userTransform.saveState()
+        
+        inv = pg.Transform()
+        inv.scale(-1, 1)
+        self.userTransform = self.userTransform * inv
+        self.updateTransform()
+        self.selectBoxFromUser()
+        #if flip:
+            #if tr['scale'][0] < 0 xor tr['scale'][1] < 0:
+                #return
+            #else:
+                #self.userTransform.setScale([-tr['scale'][0], tr['scale'][1]])
+                #self.userTransform.setTranslate([-tr['pos'][0], tr['pos'][1]])
+                #self.userTransform.setRotate(-tr['angle'])
+                #self.updateTransform()
+                #self.selectBoxFromUser()
+                #return
+        #elif not flip:
+            #if tr['scale'][0] > 0 and tr['scale'][1] > 0:
+                #return
+            #else:
+                #self.userTransform.setScale([-tr['scale'][0], tr['scale'][1]])
+                #self.userTransform.setTranslate([-tr['pos'][0], tr['pos'][1]])
+                #self.userTransform.setRotate(-tr['angle'])
+                #self.updateTransform()
+                #self.selectBoxFromUser()
+                #return
+
+    def hasUserTransform(self):
+        #print self.userRotate, self.userTranslate
+        return not self.userTransform.isIdentity()
+
+    def ctrlWidget(self):
+        return self.ctrl
+        
+    def alphaChanged(self, val):
+        alpha = val / 1023.
+        self._graphicsItem.setOpacity(alpha)
+        
+    def isMovable(self):
+        return self.opts['movable']
+        
+        
+    def selectBoxMoved(self):
+        """The selection box has moved; get its transformation information and pass to the graphics item"""
+        self.userTransform = self.selectBox.getGlobalTransform(relativeTo=self.selectBoxBase)
+        self.updateTransform()
+
+    def scale(self, x, y):
+        self.userTransform.scale(x, y)
+        self.selectBoxFromUser()
+        self.updateTransform()
+        
+    def rotate(self, ang):
+        self.userTransform.rotate(ang)
+        self.selectBoxFromUser()
+        self.updateTransform()
+        
+    def translate(self, x, y):
+        self.userTransform.translate(x, y)
+        self.selectBoxFromUser()
+        self.updateTransform()
+        
+    def setTranslate(self, x, y):
+        self.userTransform.setTranslate(x, y)
+        self.selectBoxFromUser()
+        self.updateTransform()
+        
+    def setRotate(self, angle):
+        self.userTransform.setRotate(angle)
+        self.selectBoxFromUser()
+        self.updateTransform()
+        
+    def setScale(self, x, y):
+        self.userTransform.setScale(x, y)
+        self.selectBoxFromUser()
+        self.updateTransform()
+        
+
+    def setTemporaryTransform(self, transform):
+        self.tempTransform = transform
+        self.updateTransform()
+    
+    def applyTemporaryTransform(self):
+        """Collapses tempTransform into UserTransform, resets tempTransform"""
+        self.userTransform = self.userTransform * self.tempTransform ## order is important!
+        self.resetTemporaryTransform()
+        self.selectBoxFromUser()  ## update the selection box to match the new userTransform
+
+        #st = self.userTransform.saveState()
+        
+        #self.userTransform = self.userTransform * self.tempTransform ## order is important!
+        
+        #### matrix multiplication affects the scale factors, need to reset
+        #if st['scale'][0] < 0 or st['scale'][1] < 0:
+            #nst = self.userTransform.saveState()
+            #self.userTransform.setScale([-nst['scale'][0], -nst['scale'][1]])
+        
+        #self.resetTemporaryTransform()
+        #self.selectBoxFromUser()
+        #self.selectBoxChangeFinished()
+
+
+
+    def resetTemporaryTransform(self):
+        self.tempTransform = pg.Transform()  ## don't use Transform.reset()--this transform might be used elsewhere.
+        self.updateTransform()
+        
+    def transform(self): 
+        return self._graphicsItem.transform()
+
+    def updateTransform(self):
+        """Regenerate the item position from the base, user, and temp transforms"""
+        transform = self.baseTransform * self.userTransform * self.tempTransform ## order is important
+        
+        s = transform.saveState()
+        self._graphicsItem.setPos(*s['pos'])
+        
+        self.itemRotation.setAngle(s['angle'])
+        self.itemScale.setXScale(s['scale'][0])
+        self.itemScale.setYScale(s['scale'][1])
+
+        self.displayTransform(transform)
+        
+    def displayTransform(self, transform):
+        """Updates transform numbers in the ctrl widget."""
+        
+        tr = transform.saveState()
+        
+        self.transformGui.translateLabel.setText("Translate: (%f, %f)" %(tr['pos'][0], tr['pos'][1]))
+        self.transformGui.rotateLabel.setText("Rotate: %f degrees" %tr['angle'])
+        self.transformGui.scaleLabel.setText("Scale: (%f, %f)" %(tr['scale'][0], tr['scale'][1]))
+        #self.transformGui.mirrorImageCheck.setChecked(False)
+        #if tr['scale'][0] < 0:
+        #    self.transformGui.mirrorImageCheck.setChecked(True)
+
+
+    def resetUserTransform(self):
+        #self.userRotate = 0
+        #self.userTranslate = pg.Point(0,0)
+        self.userTransform.reset()
+        self.updateTransform()
+        
+        self.selectBox.blockSignals(True)
+        self.selectBoxToItem()
+        self.selectBox.blockSignals(False)
+        self.sigTransformChanged.emit(self)
+        self.sigTransformChangeFinished.emit(self)
+       
+    def resetTransformClicked(self):
+        self.resetUserTransform()
+        self.sigResetUserTransform.emit(self)
+        
+    def restoreTransform(self, tr):
+        try:
+            #self.userTranslate = pg.Point(tr['trans'])
+            #self.userRotate = tr['rot']
+            self.userTransform = pg.Transform(tr)
+            self.updateTransform()
+            
+            self.selectBoxFromUser() ## move select box to match
+            self.sigTransformChanged.emit(self)
+            self.sigTransformChangeFinished.emit(self)
+        except:
+            #self.userTranslate = pg.Point([0,0])
+            #self.userRotate = 0
+            self.userTransform = pg.Transform()
+            debug.printExc("Failed to load transform:")
+        #print "set transform", self, self.userTranslate
+        
+    def saveTransform(self):
+        """Return a dict containing the current user transform"""
+        #print "save transform", self, self.userTranslate
+        #return {'trans': list(self.userTranslate), 'rot': self.userRotate}
+        return self.userTransform.saveState()
+        
+    def selectBoxFromUser(self):
+        """Move the selection box to match the current userTransform"""
+        ## user transform
+        #trans = QtGui.QTransform()
+        #trans.translate(*self.userTranslate)
+        #trans.rotate(-self.userRotate)
+        
+        #x2, y2 = trans.map(*self.selectBoxBase['pos'])
+        
+        self.selectBox.blockSignals(True)
+        self.selectBox.setState(self.selectBoxBase)
+        self.selectBox.applyGlobalTransform(self.userTransform)
+        #self.selectBox.setAngle(self.userRotate)
+        #self.selectBox.setPos([x2, y2])
+        self.selectBox.blockSignals(False)
+        
+
+    def selectBoxToItem(self):
+        """Move/scale the selection box so it fits the item's bounding rect. (assumes item is not rotated)"""
+        self.itemRect = self._graphicsItem.boundingRect()
+        rect = self._graphicsItem.mapRectToParent(self.itemRect)
+        self.selectBox.blockSignals(True)
+        self.selectBox.setPos([rect.x(), rect.y()])
+        self.selectBox.setSize(rect.size())
+        self.selectBox.setAngle(0)
+        self.selectBoxBase = self.selectBox.getState().copy()
+        self.selectBox.blockSignals(False)
+
+    def zValue(self):
+        return self.opts['z']
+        
+    def setZValue(self, z):
+        self.opts['z'] = z
+        if z is not None:
+            self._graphicsItem.setZValue(z)
+        
+    #def selectionChanged(self, canvas, items):
+        #self.selected = len(items) == 1 and (items[0] is self) 
+        #self.showSelectBox()
+           
+           
+    def selectionChanged(self, sel, multi):
+        """
+        Inform the item that its selection state has changed. 
+        Arguments:
+            sel: bool, whether the item is currently selected
+            multi: bool, whether there are multiple items currently selected
+        """
+        self.selectedAlone = sel and not multi
+        self.showSelectBox()
+        if self.selectedAlone:
+            self.ctrlWidget().show()
+        else:
+            self.ctrlWidget().hide()
+        
+    def showSelectBox(self):
+        """Display the selection box around this item if it is selected and movable"""
+        if self.selectedAlone and self.isMovable() and self.isVisible():  #and len(self.canvas.itemList.selectedItems())==1:
+            self.selectBox.show()
+        else:
+            self.selectBox.hide()
+        
+    def hideSelectBox(self):
+        self.selectBox.hide()
+        
+                
+    def selectBoxChanged(self):
+        self.selectBoxMoved()
+        #self.updateTransform(self.selectBox)
+        #self.emit(QtCore.SIGNAL('transformChanged'), self)
+        self.sigTransformChanged.emit(self)
+        
+    def selectBoxChangeFinished(self):
+        #self.emit(QtCore.SIGNAL('transformChangeFinished'), self)
+        self.sigTransformChangeFinished.emit(self)
+
+    def alphaPressed(self):
+        """Hide selection box while slider is moving"""
+        self.hideSelectBox()
+        
+    def alphaReleased(self):
+        self.showSelectBox()
+        
+    def show(self):
+        if self.opts['visible']:
+            return
+        self.opts['visible'] = True
+        self._graphicsItem.show()
+        self.showSelectBox()
+        self.sigVisibilityChanged.emit(self)
+        
+    def hide(self):
+        if not self.opts['visible']:
+            return
+        self.opts['visible'] = False
+        self._graphicsItem.hide()
+        self.hideSelectBox()
+        self.sigVisibilityChanged.emit(self)
+
+    def setVisible(self, vis):
+        if vis:
+            self.show()
+        else:
+            self.hide()
+
+    def isVisible(self):
+        return self.opts['visible']
+
+
+class GroupCanvasItem(CanvasItem):
+    """
+    Canvas item used for grouping others
+    """
+    
+    def __init__(self, **opts):
+        defOpts = {'movable': False, 'scalable': False}
+        defOpts.update(opts)
+        item = pg.ItemGroup()
+        CanvasItem.__init__(self, item, **defOpts)
+    
diff --git a/canvas/CanvasManager.py b/canvas/CanvasManager.py
new file mode 100644
index 0000000000000000000000000000000000000000..0c64e27449bb2e2004cdbff781f93b9c3b631ee0
--- /dev/null
+++ b/canvas/CanvasManager.py
@@ -0,0 +1,76 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+if not hasattr(QtCore, 'Signal'):
+    QtCore.Signal = QtCore.pyqtSignal
+import weakref
+
+class CanvasManager(QtCore.QObject):
+    SINGLETON = None
+    
+    sigCanvasListChanged = QtCore.Signal()
+    
+    def __init__(self):
+        if CanvasManager.SINGLETON is not None:
+            raise Exception("Can only create one canvas manager.")
+        CanvasManager.SINGLETON = self
+        QtCore.QObject.__init__(self)
+        self.canvases = weakref.WeakValueDictionary()
+
+    @classmethod
+    def instance(cls):
+        return CanvasManager.SINGLETON
+        
+    def registerCanvas(self, canvas, name):
+        n2 = name
+        i = 0
+        while n2 in self.canvases:
+            n2 = "%s_%03d" % (name, i)
+            i += 1
+        self.canvases[n2] = canvas
+        self.sigCanvasListChanged.emit()
+        return n2
+        
+    def unregisterCanvas(self, name):
+        c = self.canvases[name]
+        del self.canvases[name]
+        self.sigCanvasListChanged.emit()
+        
+    def listCanvases(self):
+        return self.canvases.keys()
+        
+    def getCanvas(self, name):
+        return self.canvases[name]
+        
+    
+manager = CanvasManager()
+
+
+class CanvasCombo(QtGui.QComboBox):
+    def __init__(self, parent=None):
+        QtGui.QComboBox.__init__(self, parent)
+        man = CanvasManager.instance()
+        man.sigCanvasListChanged.connect(self.updateCanvasList)
+        self.hostName = None
+        self.updateCanvasList()
+        
+    def updateCanvasList(self):
+        canvases = CanvasManager.instance().listCanvases()
+        canvases.insert(0, "")
+        if self.hostName in canvases:
+            canvases.remove(self.hostName)
+            
+        sel = self.currentText()
+        if sel in canvases:
+            self.blockSignals(True)  ## change does not affect current selection; block signals during update
+        self.clear()
+        for i in canvases:
+            self.addItem(i)
+            if i == sel:
+                self.setCurrentIndex(self.count())
+            
+        self.blockSignals(False)
+        
+    def setHostName(self, name):
+        self.hostName = name
+        self.updateCanvasList()
+
diff --git a/canvas/CanvasTemplate.py b/canvas/CanvasTemplate.py
new file mode 100644
index 0000000000000000000000000000000000000000..c525b70561c5e32322f3bba950342002b9dc74c1
--- /dev/null
+++ b/canvas/CanvasTemplate.py
@@ -0,0 +1,96 @@
+# -*- coding: utf-8 -*-
+
+# Form implementation generated from reading ui file 'CanvasTemplate.ui'
+#
+# Created: Sun Dec 18 20:04:41 2011
+#      by: PyQt4 UI code generator 4.8.3
+#
+# WARNING! All changes made in this file will be lost!
+
+from PyQt4 import QtCore, QtGui
+
+try:
+    _fromUtf8 = QtCore.QString.fromUtf8
+except AttributeError:
+    _fromUtf8 = lambda s: s
+
+class Ui_Form(object):
+    def setupUi(self, Form):
+        Form.setObjectName(_fromUtf8("Form"))
+        Form.resize(466, 422)
+        self.gridLayout = QtGui.QGridLayout(Form)
+        self.gridLayout.setMargin(0)
+        self.gridLayout.setSpacing(0)
+        self.gridLayout.setObjectName(_fromUtf8("gridLayout"))
+        self.splitter = QtGui.QSplitter(Form)
+        self.splitter.setOrientation(QtCore.Qt.Horizontal)
+        self.splitter.setObjectName(_fromUtf8("splitter"))
+        self.view = GraphicsView(self.splitter)
+        self.view.setObjectName(_fromUtf8("view"))
+        self.layoutWidget = QtGui.QWidget(self.splitter)
+        self.layoutWidget.setObjectName(_fromUtf8("layoutWidget"))
+        self.gridLayout_2 = QtGui.QGridLayout(self.layoutWidget)
+        self.gridLayout_2.setMargin(0)
+        self.gridLayout_2.setObjectName(_fromUtf8("gridLayout_2"))
+        self.autoRangeBtn = QtGui.QPushButton(self.layoutWidget)
+        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Minimum, QtGui.QSizePolicy.Fixed)
+        sizePolicy.setHorizontalStretch(0)
+        sizePolicy.setVerticalStretch(1)
+        sizePolicy.setHeightForWidth(self.autoRangeBtn.sizePolicy().hasHeightForWidth())
+        self.autoRangeBtn.setSizePolicy(sizePolicy)
+        self.autoRangeBtn.setObjectName(_fromUtf8("autoRangeBtn"))
+        self.gridLayout_2.addWidget(self.autoRangeBtn, 3, 0, 1, 2)
+        self.itemList = TreeWidget(self.layoutWidget)
+        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Expanding)
+        sizePolicy.setHorizontalStretch(0)
+        sizePolicy.setVerticalStretch(100)
+        sizePolicy.setHeightForWidth(self.itemList.sizePolicy().hasHeightForWidth())
+        self.itemList.setSizePolicy(sizePolicy)
+        self.itemList.setHeaderHidden(True)
+        self.itemList.setObjectName(_fromUtf8("itemList"))
+        self.itemList.headerItem().setText(0, _fromUtf8("1"))
+        self.gridLayout_2.addWidget(self.itemList, 7, 0, 1, 2)
+        self.ctrlLayout = QtGui.QGridLayout()
+        self.ctrlLayout.setSpacing(0)
+        self.ctrlLayout.setObjectName(_fromUtf8("ctrlLayout"))
+        self.gridLayout_2.addLayout(self.ctrlLayout, 10, 0, 1, 2)
+        self.storeSvgBtn = QtGui.QPushButton(self.layoutWidget)
+        self.storeSvgBtn.setObjectName(_fromUtf8("storeSvgBtn"))
+        self.gridLayout_2.addWidget(self.storeSvgBtn, 1, 0, 1, 1)
+        self.storePngBtn = QtGui.QPushButton(self.layoutWidget)
+        self.storePngBtn.setObjectName(_fromUtf8("storePngBtn"))
+        self.gridLayout_2.addWidget(self.storePngBtn, 1, 1, 1, 1)
+        self.horizontalLayout = QtGui.QHBoxLayout()
+        self.horizontalLayout.setSpacing(0)
+        self.horizontalLayout.setObjectName(_fromUtf8("horizontalLayout"))
+        self.redirectCheck = QtGui.QCheckBox(self.layoutWidget)
+        self.redirectCheck.setObjectName(_fromUtf8("redirectCheck"))
+        self.horizontalLayout.addWidget(self.redirectCheck)
+        self.redirectCombo = CanvasCombo(self.layoutWidget)
+        self.redirectCombo.setObjectName(_fromUtf8("redirectCombo"))
+        self.horizontalLayout.addWidget(self.redirectCombo)
+        self.gridLayout_2.addLayout(self.horizontalLayout, 6, 0, 1, 2)
+        self.mirrorSelectionBtn = QtGui.QPushButton(self.layoutWidget)
+        self.mirrorSelectionBtn.setObjectName(_fromUtf8("mirrorSelectionBtn"))
+        self.gridLayout_2.addWidget(self.mirrorSelectionBtn, 8, 0, 1, 1)
+        self.resetTransformsBtn = QtGui.QPushButton(self.layoutWidget)
+        self.resetTransformsBtn.setObjectName(_fromUtf8("resetTransformsBtn"))
+        self.gridLayout_2.addWidget(self.resetTransformsBtn, 8, 1, 1, 1)
+        self.gridLayout.addWidget(self.splitter, 0, 0, 1, 1)
+
+        self.retranslateUi(Form)
+        QtCore.QMetaObject.connectSlotsByName(Form)
+
+    def retranslateUi(self, Form):
+        Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
+        self.autoRangeBtn.setText(QtGui.QApplication.translate("Form", "Auto Range", None, QtGui.QApplication.UnicodeUTF8))
+        self.storeSvgBtn.setText(QtGui.QApplication.translate("Form", "Store SVG", None, QtGui.QApplication.UnicodeUTF8))
+        self.storePngBtn.setText(QtGui.QApplication.translate("Form", "Store PNG", None, QtGui.QApplication.UnicodeUTF8))
+        self.redirectCheck.setToolTip(QtGui.QApplication.translate("Form", "Check to display all local items in a remote canvas.", None, QtGui.QApplication.UnicodeUTF8))
+        self.redirectCheck.setText(QtGui.QApplication.translate("Form", "Redirect", None, QtGui.QApplication.UnicodeUTF8))
+        self.mirrorSelectionBtn.setText(QtGui.QApplication.translate("Form", "Mirror Selection", None, QtGui.QApplication.UnicodeUTF8))
+        self.resetTransformsBtn.setText(QtGui.QApplication.translate("Form", "Reset Transforms", None, QtGui.QApplication.UnicodeUTF8))
+
+from pyqtgraph.widgets.GraphicsView import GraphicsView
+from CanvasManager import CanvasCombo
+from pyqtgraph.widgets.TreeWidget import TreeWidget
diff --git a/canvas/CanvasTemplate.ui b/canvas/CanvasTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..b104c84cb4c5aa713b813ee713f94e3d6d514e23
--- /dev/null
+++ b/canvas/CanvasTemplate.ui
@@ -0,0 +1,142 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>Form</class>
+ <widget class="QWidget" name="Form">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>466</width>
+    <height>422</height>
+   </rect>
+  </property>
+  <property name="windowTitle">
+   <string>Form</string>
+  </property>
+  <layout class="QGridLayout" name="gridLayout">
+   <property name="margin">
+    <number>0</number>
+   </property>
+   <property name="spacing">
+    <number>0</number>
+   </property>
+   <item row="0" column="0">
+    <widget class="QSplitter" name="splitter">
+     <property name="orientation">
+      <enum>Qt::Horizontal</enum>
+     </property>
+     <widget class="GraphicsView" name="view"/>
+     <widget class="QWidget" name="layoutWidget">
+      <layout class="QGridLayout" name="gridLayout_2">
+       <item row="3" column="0" colspan="2">
+        <widget class="QPushButton" name="autoRangeBtn">
+         <property name="sizePolicy">
+          <sizepolicy hsizetype="Minimum" vsizetype="Fixed">
+           <horstretch>0</horstretch>
+           <verstretch>1</verstretch>
+          </sizepolicy>
+         </property>
+         <property name="text">
+          <string>Auto Range</string>
+         </property>
+        </widget>
+       </item>
+       <item row="7" column="0" colspan="2">
+        <widget class="TreeWidget" name="itemList">
+         <property name="sizePolicy">
+          <sizepolicy hsizetype="Expanding" vsizetype="Expanding">
+           <horstretch>0</horstretch>
+           <verstretch>100</verstretch>
+          </sizepolicy>
+         </property>
+         <property name="headerHidden">
+          <bool>true</bool>
+         </property>
+         <column>
+          <property name="text">
+           <string notr="true">1</string>
+          </property>
+         </column>
+        </widget>
+       </item>
+       <item row="10" column="0" colspan="2">
+        <layout class="QGridLayout" name="ctrlLayout">
+         <property name="spacing">
+          <number>0</number>
+         </property>
+        </layout>
+       </item>
+       <item row="1" column="0">
+        <widget class="QPushButton" name="storeSvgBtn">
+         <property name="text">
+          <string>Store SVG</string>
+         </property>
+        </widget>
+       </item>
+       <item row="1" column="1">
+        <widget class="QPushButton" name="storePngBtn">
+         <property name="text">
+          <string>Store PNG</string>
+         </property>
+        </widget>
+       </item>
+       <item row="6" column="0" colspan="2">
+        <layout class="QHBoxLayout" name="horizontalLayout">
+         <property name="spacing">
+          <number>0</number>
+         </property>
+         <item>
+          <widget class="QCheckBox" name="redirectCheck">
+           <property name="toolTip">
+            <string>Check to display all local items in a remote canvas.</string>
+           </property>
+           <property name="text">
+            <string>Redirect</string>
+           </property>
+          </widget>
+         </item>
+         <item>
+          <widget class="CanvasCombo" name="redirectCombo"/>
+         </item>
+        </layout>
+       </item>
+       <item row="8" column="0">
+        <widget class="QPushButton" name="mirrorSelectionBtn">
+         <property name="text">
+          <string>Mirror Selection</string>
+         </property>
+        </widget>
+       </item>
+       <item row="8" column="1">
+        <widget class="QPushButton" name="resetTransformsBtn">
+         <property name="text">
+          <string>Reset Transforms</string>
+         </property>
+        </widget>
+       </item>
+      </layout>
+     </widget>
+    </widget>
+   </item>
+  </layout>
+ </widget>
+ <customwidgets>
+  <customwidget>
+   <class>TreeWidget</class>
+   <extends>QTreeWidget</extends>
+   <header>pyqtgraph.widgets.TreeWidget</header>
+  </customwidget>
+  <customwidget>
+   <class>GraphicsView</class>
+   <extends>QGraphicsView</extends>
+   <header>pyqtgraph.widgets.GraphicsView</header>
+  </customwidget>
+  <customwidget>
+   <class>CanvasCombo</class>
+   <extends>QComboBox</extends>
+   <header>CanvasManager</header>
+  </customwidget>
+ </customwidgets>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/canvas/TransformGuiTemplate.py b/canvas/TransformGuiTemplate.py
new file mode 100644
index 0000000000000000000000000000000000000000..5ffc3f083b8725238dfa11382ee54c5eba99a547
--- /dev/null
+++ b/canvas/TransformGuiTemplate.py
@@ -0,0 +1,53 @@
+# -*- coding: utf-8 -*-
+
+# Form implementation generated from reading ui file 'TransformGuiTemplate.ui'
+#
+# Created: Sun Dec 18 20:04:40 2011
+#      by: PyQt4 UI code generator 4.8.3
+#
+# WARNING! All changes made in this file will be lost!
+
+from PyQt4 import QtCore, QtGui
+
+try:
+    _fromUtf8 = QtCore.QString.fromUtf8
+except AttributeError:
+    _fromUtf8 = lambda s: s
+
+class Ui_Form(object):
+    def setupUi(self, Form):
+        Form.setObjectName(_fromUtf8("Form"))
+        Form.resize(169, 82)
+        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Preferred, QtGui.QSizePolicy.Preferred)
+        sizePolicy.setHorizontalStretch(0)
+        sizePolicy.setVerticalStretch(0)
+        sizePolicy.setHeightForWidth(Form.sizePolicy().hasHeightForWidth())
+        Form.setSizePolicy(sizePolicy)
+        self.verticalLayout = QtGui.QVBoxLayout(Form)
+        self.verticalLayout.setSpacing(1)
+        self.verticalLayout.setMargin(0)
+        self.verticalLayout.setObjectName(_fromUtf8("verticalLayout"))
+        self.translateLabel = QtGui.QLabel(Form)
+        self.translateLabel.setObjectName(_fromUtf8("translateLabel"))
+        self.verticalLayout.addWidget(self.translateLabel)
+        self.rotateLabel = QtGui.QLabel(Form)
+        self.rotateLabel.setObjectName(_fromUtf8("rotateLabel"))
+        self.verticalLayout.addWidget(self.rotateLabel)
+        self.scaleLabel = QtGui.QLabel(Form)
+        self.scaleLabel.setObjectName(_fromUtf8("scaleLabel"))
+        self.verticalLayout.addWidget(self.scaleLabel)
+        self.mirrorImageBtn = QtGui.QPushButton(Form)
+        self.mirrorImageBtn.setToolTip(_fromUtf8(""))
+        self.mirrorImageBtn.setObjectName(_fromUtf8("mirrorImageBtn"))
+        self.verticalLayout.addWidget(self.mirrorImageBtn)
+
+        self.retranslateUi(Form)
+        QtCore.QMetaObject.connectSlotsByName(Form)
+
+    def retranslateUi(self, Form):
+        Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
+        self.translateLabel.setText(QtGui.QApplication.translate("Form", "Translate:", None, QtGui.QApplication.UnicodeUTF8))
+        self.rotateLabel.setText(QtGui.QApplication.translate("Form", "Rotate:", None, QtGui.QApplication.UnicodeUTF8))
+        self.scaleLabel.setText(QtGui.QApplication.translate("Form", "Scale:", None, QtGui.QApplication.UnicodeUTF8))
+        self.mirrorImageBtn.setText(QtGui.QApplication.translate("Form", "Mirror", None, QtGui.QApplication.UnicodeUTF8))
+
diff --git a/canvas/TransformGuiTemplate.ui b/canvas/TransformGuiTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..c8c24a95a0949a807692efccb5d06244d9b85803
--- /dev/null
+++ b/canvas/TransformGuiTemplate.ui
@@ -0,0 +1,64 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>Form</class>
+ <widget class="QWidget" name="Form">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>169</width>
+    <height>82</height>
+   </rect>
+  </property>
+  <property name="sizePolicy">
+   <sizepolicy hsizetype="Preferred" vsizetype="Preferred">
+    <horstretch>0</horstretch>
+    <verstretch>0</verstretch>
+   </sizepolicy>
+  </property>
+  <property name="windowTitle">
+   <string>Form</string>
+  </property>
+  <layout class="QVBoxLayout" name="verticalLayout">
+   <property name="spacing">
+    <number>1</number>
+   </property>
+   <property name="margin">
+    <number>0</number>
+   </property>
+   <item>
+    <widget class="QLabel" name="translateLabel">
+     <property name="text">
+      <string>Translate:</string>
+     </property>
+    </widget>
+   </item>
+   <item>
+    <widget class="QLabel" name="rotateLabel">
+     <property name="text">
+      <string>Rotate:</string>
+     </property>
+    </widget>
+   </item>
+   <item>
+    <widget class="QLabel" name="scaleLabel">
+     <property name="text">
+      <string>Scale:</string>
+     </property>
+    </widget>
+   </item>
+   <item>
+    <widget class="QPushButton" name="mirrorImageBtn">
+     <property name="toolTip">
+      <string extracomment="Mirror the item across the global Y axis"/>
+     </property>
+     <property name="text">
+      <string>Mirror</string>
+     </property>
+    </widget>
+   </item>
+  </layout>
+ </widget>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/canvas/__init__.py b/canvas/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..d7d3058e5e9e3fb7e7d3903bb93590e4f4fb7291
--- /dev/null
+++ b/canvas/__init__.py
@@ -0,0 +1,3 @@
+# -*- coding: utf-8 -*-
+from Canvas import *
+from CanvasItem import *
\ No newline at end of file
diff --git a/debug.py b/debug.py
index 2a2157db6d50598f7ce7dab44d6fd901a11c55d8..13fdbee457ae85af04b62c7f79c8ce7802916d9b 100644
--- a/debug.py
+++ b/debug.py
@@ -8,7 +8,7 @@ Distributed under MIT/X11 license. See license.txt for more infomation.
 import sys, traceback, time, gc, re, types, weakref, inspect, os, cProfile
 import ptime
 from numpy import ndarray
-from PyQt4 import QtCore, QtGui
+from Qt import QtCore, QtGui
 
 __ftraceDepth = 0
 def ftrace(func):
diff --git a/debug.pyc b/debug.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..b44753ef934601e96d6d22a76eff91270cefea97
Binary files /dev/null and b/debug.pyc differ
diff --git a/dockarea/Container.py b/dockarea/Container.py
new file mode 100644
index 0000000000000000000000000000000000000000..a254d4748b303dd33864693be2eed599d25506a6
--- /dev/null
+++ b/dockarea/Container.py
@@ -0,0 +1,267 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+import weakref
+
+class Container(object):
+    #sigStretchChanged = QtCore.Signal()  ## can't do this here; not a QObject.
+    
+    def __init__(self, area):
+        object.__init__(self)
+        self.area = area
+        self._container = None
+        self._stretch = (10, 10)
+        self.stretches = weakref.WeakKeyDictionary()
+        
+    def container(self):
+        return self._container
+        
+    def containerChanged(self, c):
+        self._container = c
+
+    def type(self):
+        return None
+
+    def insert(self, new, pos=None, neighbor=None):
+        if not isinstance(new, list):
+            new = [new]
+        if neighbor is None:
+            if pos == 'before':
+                index = 0
+            else:
+                index = self.count()
+        else:
+            index = self.indexOf(neighbor)
+            if index == -1:
+                index = 0
+            if pos == 'after':
+                index += 1
+                
+        for n in new:
+            #print "change container", n, " -> ", self
+            n.containerChanged(self)
+            #print "insert", n, " -> ", self, index
+            self._insertItem(n, index)
+            index += 1
+            n.sigStretchChanged.connect(self.childStretchChanged)
+        #print "child added", self
+        self.updateStretch()
+            
+    def apoptose(self, propagate=True):
+        ##if there is only one (or zero) item in this container, disappear.
+        cont = self._container
+        c = self.count()
+        if c > 1:
+            return
+        if self.count() == 1:  ## if there is one item, give it to the parent container (unless this is the top)
+            if self is self.area.topContainer:
+                return
+            self.container().insert(self.widget(0), 'before', self)
+        #print "apoptose:", self
+        self.close()
+        if propagate and cont is not None:
+            cont.apoptose()
+        
+    def close(self):
+        self.area = None
+        self._container = None
+        self.setParent(None)
+        
+    def childEvent(self, ev):
+        ch = ev.child()
+        if ev.removed() and hasattr(ch, 'sigStretchChanged'):
+            #print "Child", ev.child(), "removed, updating", self
+            try:
+                ch.sigStretchChanged.disconnect(self.childStretchChanged)
+            except:
+                pass
+            self.updateStretch()
+        
+    def childStretchChanged(self):
+        #print "child", QtCore.QObject.sender(self), "changed shape, updating", self
+        self.updateStretch()
+        
+    def setStretch(self, x=None, y=None):
+        #print "setStretch", self, x, y
+        self._stretch = (x, y)
+        self.sigStretchChanged.emit()
+
+    def updateStretch(self):
+        ###Set the stretch values for this container to reflect its contents
+        pass
+        
+        
+    def stretch(self):
+        """Return the stretch factors for this container"""
+        return self._stretch
+            
+
+class SplitContainer(Container, QtGui.QSplitter):
+    """Horizontal or vertical splitter with some changes:
+     - save/restore works correctly
+    """
+    sigStretchChanged = QtCore.Signal()
+    
+    def __init__(self, area, orientation):
+        QtGui.QSplitter.__init__(self)
+        self.setOrientation(orientation)
+        Container.__init__(self, area)
+        #self.splitterMoved.connect(self.restretchChildren)
+        
+    def _insertItem(self, item, index):
+        self.insertWidget(index, item)
+        item.show()  ## need to show since it may have been previously hidden by tab
+        
+    def saveState(self):
+        sizes = self.sizes()
+        if all([x == 0 for x in sizes]):
+            sizes = [10] * len(sizes)
+        return {'sizes': sizes}
+        
+    def restoreState(self, state):
+        sizes = state['sizes']
+        self.setSizes(sizes)
+        for i in range(len(sizes)):
+            self.setStretchFactor(i, sizes[i])
+
+    def childEvent(self, ev):
+        QtGui.QSplitter.childEvent(self, ev)
+        Container.childEvent(self, ev)
+
+    #def restretchChildren(self):
+        #sizes = self.sizes()
+        #tot = sum(sizes)
+        
+        
+        
+
+class HContainer(SplitContainer):
+    def __init__(self, area):
+        SplitContainer.__init__(self, area, QtCore.Qt.Horizontal)
+        
+    def type(self):
+        return 'horizontal'
+        
+    def updateStretch(self):
+        ##Set the stretch values for this container to reflect its contents
+        #print "updateStretch", self
+        x = 0
+        y = 0
+        sizes = []
+        for i in range(self.count()):
+            wx, wy = self.widget(i).stretch()
+            x += wx
+            y = max(y, wy)
+            sizes.append(wx)
+            #print "  child", self.widget(i), wx, wy
+        self.setStretch(x, y)
+        #print sizes
+        
+        tot = float(sum(sizes))
+        if tot == 0:
+            scale = 1.0
+        else:
+            scale = self.width() / tot
+        self.setSizes([int(s*scale) for s in sizes])
+        
+
+
+class VContainer(SplitContainer):
+    def __init__(self, area):
+        SplitContainer.__init__(self, area, QtCore.Qt.Vertical)
+        
+    def type(self):
+        return 'vertical'
+
+    def updateStretch(self):
+        ##Set the stretch values for this container to reflect its contents
+        #print "updateStretch", self
+        x = 0
+        y = 0
+        sizes = []
+        for i in range(self.count()):
+            wx, wy = self.widget(i).stretch()
+            y += wy
+            x = max(x, wx)
+            sizes.append(wy)
+            #print "  child", self.widget(i), wx, wy
+        self.setStretch(x, y)
+
+        #print sizes
+        tot = float(sum(sizes))
+        if tot == 0:
+            scale = 1.0
+        else:
+            scale = self.height() / tot
+        self.setSizes([int(s*scale) for s in sizes])
+
+
+class TContainer(Container, QtGui.QWidget):
+    sigStretchChanged = QtCore.Signal()
+    def __init__(self, area):
+        QtGui.QWidget.__init__(self)
+        Container.__init__(self, area)
+        self.layout = QtGui.QGridLayout()
+        self.layout.setSpacing(0)
+        self.layout.setContentsMargins(0,0,0,0)
+        self.setLayout(self.layout)
+        
+        self.hTabLayout = QtGui.QHBoxLayout()
+        self.hTabBox = QtGui.QWidget()
+        self.hTabBox.setLayout(self.hTabLayout)
+        self.hTabLayout.setSpacing(2)
+        self.hTabLayout.setContentsMargins(0,0,0,0)
+        self.layout.addWidget(self.hTabBox, 0, 1)
+
+        self.stack = QtGui.QStackedWidget()
+        self.layout.addWidget(self.stack, 1, 1)
+        self.stack.childEvent = self.stackChildEvent
+
+
+        self.setLayout(self.layout)
+        for n in ['count', 'widget', 'indexOf']:
+            setattr(self, n, getattr(self.stack, n))
+
+
+    def _insertItem(self, item, index):
+        if not isinstance(item, Dock.Dock):
+            raise Exception("Tab containers may hold only docks, not other containers.")
+        self.stack.insertWidget(index, item)
+        self.hTabLayout.insertWidget(index, item.label)
+        #QtCore.QObject.connect(item.label, QtCore.SIGNAL('clicked'), self.tabClicked)
+        item.label.sigClicked.connect(self.tabClicked)
+        self.tabClicked(item.label)
+        
+    def tabClicked(self, tab, ev=None):
+        if ev is None or ev.button() == QtCore.Qt.LeftButton:
+            for i in range(self.count()):
+                w = self.widget(i)
+                if w is tab.dock:
+                    w.label.setDim(False)
+                    self.stack.setCurrentIndex(i)
+                else:
+                    w.label.setDim(True)
+        
+    def type(self):
+        return 'tab'
+
+    def saveState(self):
+        return {'index': self.stack.currentIndex()}
+        
+    def restoreState(self, state):
+        self.stack.setCurrentIndex(state['index'])
+        
+    def updateStretch(self):
+        ##Set the stretch values for this container to reflect its contents
+        x = 0
+        y = 0
+        for i in range(self.count()):
+            wx, wy = self.widget(i).stretch()
+            x = max(x, wx)
+            y = max(y, wy)
+        self.setStretch(x, y)
+        
+    def stackChildEvent(self, ev):
+        QtGui.QStackedWidget.childEvent(self.stack, ev)
+        Container.childEvent(self, ev)
+        
+import Dock
diff --git a/dockarea/Dock.py b/dockarea/Dock.py
new file mode 100644
index 0000000000000000000000000000000000000000..3b058ba4456e3c9500a6be46642baeb462f1c12b
--- /dev/null
+++ b/dockarea/Dock.py
@@ -0,0 +1,350 @@
+from pyqtgraph.Qt import QtCore, QtGui
+
+from DockDrop import *
+from pyqtgraph.widgets.VerticalLabel import VerticalLabel
+
+class Dock(QtGui.QWidget, DockDrop):
+    
+    sigStretchChanged = QtCore.Signal()
+    
+    def __init__(self, name, area=None, size=(10, 10)):
+        QtGui.QWidget.__init__(self)
+        DockDrop.__init__(self)
+        self.area = area
+        self.label = DockLabel(name, self)
+        self.labelHidden = False
+        self.moveLabel = True  ## If false, the dock is no longer allowed to move the label.
+        self.autoOrient = True
+        self.orientation = 'horizontal'
+        #self.label.setAlignment(QtCore.Qt.AlignHCenter)
+        self.topLayout = QtGui.QGridLayout()
+        self.topLayout.setContentsMargins(0, 0, 0, 0)
+        self.topLayout.setSpacing(0)
+        self.setLayout(self.topLayout)
+        self.topLayout.addWidget(self.label, 0, 1)
+        self.widgetArea = QtGui.QWidget()
+        self.topLayout.addWidget(self.widgetArea, 1, 1)
+        self.layout = QtGui.QGridLayout()
+        self.layout.setContentsMargins(0, 0, 0, 0)
+        self.layout.setSpacing(0)
+        self.widgetArea.setLayout(self.layout)
+        self.widgetArea.setSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Expanding)
+        self.widgets = []
+        self.currentRow = 0
+        #self.titlePos = 'top'
+        self.raiseOverlay()
+        self.hStyle = """
+        Dock > QWidget { 
+            border: 1px solid #000; 
+            border-radius: 5px; 
+            border-top-left-radius: 0px; 
+            border-top-right-radius: 0px; 
+            border-top-width: 0px;
+        }"""
+        self.vStyle = """
+        Dock > QWidget { 
+            border: 1px solid #000; 
+            border-radius: 5px; 
+            border-top-left-radius: 0px; 
+            border-bottom-left-radius: 0px; 
+            border-left-width: 0px;
+        }"""
+        self.nStyle = """
+        Dock > QWidget { 
+            border: 1px solid #000; 
+            border-radius: 5px; 
+        }"""
+        self.dragStyle = """
+        Dock > QWidget { 
+            border: 4px solid #00F; 
+            border-radius: 5px; 
+        }"""
+        self.setAutoFillBackground(False)
+        self.widgetArea.setStyleSheet(self.hStyle)
+        
+        self.setStretch(*size)
+
+    def setStretch(self, x=None, y=None):
+        #print "setStretch", self, x, y
+        #self._stretch = (x, y)
+        if x is None:
+            x = 0
+        if y is None:
+            y = 0
+        #policy = self.sizePolicy()
+        #policy.setHorizontalStretch(x)
+        #policy.setVerticalStretch(y)
+        #self.setSizePolicy(policy)
+        self._stretch = (x, y)
+        self.sigStretchChanged.emit()
+        #print "setStretch", self, x, y, self.stretch()
+        
+    def stretch(self):
+        #policy = self.sizePolicy()
+        #return policy.horizontalStretch(), policy.verticalStretch()
+        return self._stretch
+        
+    #def stretch(self):
+        #return self._stretch
+
+    def hideTitleBar(self):
+        self.label.hide()
+        self.labelHidden = True
+        if 'center' in self.allowedAreas:
+            self.allowedAreas.remove('center')
+        self.updateStyle()
+        
+    def showTitleBar(self):
+        self.label.show()
+        self.labelHidden = False
+        self.allowedAreas.add('center')
+        self.updateStyle()
+        
+    def setOrientation(self, o='auto', force=False):
+        #print self.name(), "setOrientation", o, force
+        if o == 'auto':
+            if self.container().type() == 'tab':
+                o = 'horizontal'
+            elif self.width() > self.height()*1.5:
+                o = 'vertical'
+            else:
+                o = 'horizontal'
+        if force or self.orientation != o:
+            self.orientation = o
+            self.label.setOrientation(o)
+            self.updateStyle()
+        
+    def updateStyle(self):
+        #print self.name(), "update style:", self.orientation, self.moveLabel, self.label.isVisible()
+        if self.labelHidden:
+            self.widgetArea.setStyleSheet(self.nStyle)
+        elif self.orientation == 'vertical':
+            self.label.setOrientation('vertical')
+            if self.moveLabel:
+                #print self.name(), "reclaim label"
+                self.topLayout.addWidget(self.label, 1, 0)
+            self.widgetArea.setStyleSheet(self.vStyle)
+        else:
+            self.label.setOrientation('horizontal')
+            if self.moveLabel:
+                #print self.name(), "reclaim label"
+                self.topLayout.addWidget(self.label, 0, 1)
+            self.widgetArea.setStyleSheet(self.hStyle)
+
+    def resizeEvent(self, ev):
+        self.setOrientation()
+        self.resizeOverlay(self.size())
+
+    def name(self):
+        return str(self.label.text())
+
+    def container(self):
+        return self._container
+
+    def addWidget(self, widget, row=None, col=0, rowspan=1, colspan=1):
+        if row is None:
+            row = self.currentRow
+        self.currentRow = max(row+1, self.currentRow)
+        self.widgets.append(widget)
+        self.layout.addWidget(widget, row, col, rowspan, colspan)
+        self.raiseOverlay()
+        
+        
+    def startDrag(self):
+        self.drag = QtGui.QDrag(self)
+        mime = QtCore.QMimeData()
+        #mime.setPlainText("asd")
+        self.drag.setMimeData(mime)
+        self.widgetArea.setStyleSheet(self.dragStyle)
+        self.update()
+        action = self.drag.exec_()
+        self.updateStyle()
+        
+    def float(self):
+        self.area.floatDock(self)
+            
+    def containerChanged(self, c):
+        #print self.name(), "container changed"
+        self._container = c
+        if c.type() != 'tab':
+            self.moveLabel = True
+            self.label.setDim(False)
+        else:
+            self.moveLabel = False
+            
+        self.setOrientation(force=True)
+
+    def __repr__(self):
+        return "<Dock %s %s>" % (self.name(), self.stretch())
+            
+class DockLabel(VerticalLabel):
+    
+    sigClicked = QtCore.Signal(object, object)
+    
+    def __init__(self, text, dock):
+        self.dim = False
+        self.fixedWidth = False
+        VerticalLabel.__init__(self, text, orientation='horizontal', forceWidth=False)
+        self.setAlignment(QtCore.Qt.AlignTop|QtCore.Qt.AlignHCenter)
+        self.dock = dock
+        self.updateStyle()
+        self.setAutoFillBackground(False)
+
+    #def minimumSizeHint(self):
+        ##sh = QtGui.QWidget.minimumSizeHint(self)
+        #return QtCore.QSize(20, 20)
+
+    def updateStyle(self):
+        r = '3px'
+        if self.dim:
+            fg = '#aaa'
+            bg = '#44a'
+            border = '#339'
+        else:
+            fg = '#fff'
+            bg = '#66c'
+            border = '#55B'
+        
+        if self.orientation == 'vertical':
+            self.vStyle = """DockLabel { 
+                background-color : %s; 
+                color : %s; 
+                border-top-right-radius: 0px; 
+                border-top-left-radius: %s; 
+                border-bottom-right-radius: 0px; 
+                border-bottom-left-radius: %s; 
+                border-width: 0px; 
+                border-right: 2px solid %s;
+                padding-top: 3px;
+                padding-bottom: 3px;
+            }""" % (bg, fg, r, r, border)
+            self.setStyleSheet(self.vStyle)
+        else:
+            self.hStyle = """DockLabel { 
+                background-color : %s; 
+                color : %s; 
+                border-top-right-radius: %s; 
+                border-top-left-radius: %s; 
+                border-bottom-right-radius: 0px; 
+                border-bottom-left-radius: 0px; 
+                border-width: 0px; 
+                border-bottom: 2px solid %s;
+                padding-left: 3px;
+                padding-right: 3px;
+            }""" % (bg, fg, r, r, border)
+            self.setStyleSheet(self.hStyle)
+
+    def setDim(self, d):
+        if self.dim != d:
+            self.dim = d
+            self.updateStyle()
+    
+    def setOrientation(self, o):
+        VerticalLabel.setOrientation(self, o)
+        self.updateStyle()
+
+    def mousePressEvent(self, ev):
+        if ev.button() == QtCore.Qt.LeftButton:
+            self.pressPos = ev.pos()
+            self.startedDrag = False
+            ev.accept()
+        
+    def mouseMoveEvent(self, ev):
+        if not self.startedDrag and (ev.pos() - self.pressPos).manhattanLength() > QtGui.QApplication.startDragDistance():
+            self.dock.startDrag()
+        ev.accept()
+        #print ev.pos()
+            
+    def mouseReleaseEvent(self, ev):
+        if not self.startedDrag:
+            #self.emit(QtCore.SIGNAL('clicked'), self, ev)
+            self.sigClicked.emit(self, ev)
+        ev.accept()
+        
+    def mouseDoubleClickEvent(self, ev):
+        if ev.button() == QtCore.Qt.LeftButton:
+            self.dock.float()
+            
+    #def paintEvent(self, ev):
+        #p = QtGui.QPainter(self)
+        ##p.setBrush(QtGui.QBrush(QtGui.QColor(100, 100, 200)))
+        #p.setPen(QtGui.QPen(QtGui.QColor(50, 50, 100)))
+        #p.drawRect(self.rect().adjusted(0, 0, -1, -1))
+        
+        #VerticalLabel.paintEvent(self, ev)
+            
+            
+            
+#class DockLabel(QtGui.QWidget):
+    #def __init__(self, text, dock):
+        #QtGui.QWidget.__init__(self)
+        #self._text = text
+        #self.dock = dock
+        #self.orientation = None
+        #self.setOrientation('horizontal')
+        
+    #def text(self):
+        #return self._text
+        
+    #def mousePressEvent(self, ev):
+        #if ev.button() == QtCore.Qt.LeftButton:
+            #self.pressPos = ev.pos()
+            #self.startedDrag = False
+            #ev.accept()
+        
+    #def mouseMoveEvent(self, ev):
+        #if not self.startedDrag and (ev.pos() - self.pressPos).manhattanLength() > QtGui.QApplication.startDragDistance():
+            #self.dock.startDrag()
+        #ev.accept()
+        ##print ev.pos()
+            
+    #def mouseReleaseEvent(self, ev):
+        #ev.accept()
+        
+    #def mouseDoubleClickEvent(self, ev):
+        #if ev.button() == QtCore.Qt.LeftButton:
+            #self.dock.float()
+            
+    #def setOrientation(self, o):
+        #if self.orientation == o:
+            #return
+        #self.orientation = o
+        #self.update()
+        #self.updateGeometry()
+        
+    #def paintEvent(self, ev):
+        #p = QtGui.QPainter(self)
+        #p.setBrush(QtGui.QBrush(QtGui.QColor(100, 100, 200)))
+        #p.setPen(QtGui.QPen(QtGui.QColor(50, 50, 100)))
+        #p.drawRect(self.rect().adjusted(0, 0, -1, -1))
+        
+        #p.setPen(QtGui.QPen(QtGui.QColor(255, 255, 255)))
+        
+        #if self.orientation == 'vertical':
+            #p.rotate(-90)
+            #rgn = QtCore.QRect(-self.height(), 0, self.height(), self.width())
+        #else:
+            #rgn = self.rect()
+        #align  = QtCore.Qt.AlignTop|QtCore.Qt.AlignHCenter
+            
+        #self.hint = p.drawText(rgn, align, self.text())
+        #p.end()
+        
+        #if self.orientation == 'vertical':
+            #self.setMaximumWidth(self.hint.height())
+            #self.setMaximumHeight(16777215)
+        #else:
+            #self.setMaximumHeight(self.hint.height())
+            #self.setMaximumWidth(16777215)
+
+    #def sizeHint(self):
+        #if self.orientation == 'vertical':
+            #if hasattr(self, 'hint'):
+                #return QtCore.QSize(self.hint.height(), self.hint.width())
+            #else:
+                #return QtCore.QSize(19, 50)
+        #else:
+            #if hasattr(self, 'hint'):
+                #return QtCore.QSize(self.hint.width(), self.hint.height())
+            #else:
+                #return QtCore.QSize(50, 19)
diff --git a/dockarea/DockArea.py b/dockarea/DockArea.py
new file mode 100644
index 0000000000000000000000000000000000000000..88e699d5a9d61c148a547f899ba06ff16a946ed3
--- /dev/null
+++ b/dockarea/DockArea.py
@@ -0,0 +1,267 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+from Container import *
+from DockDrop import *
+import pyqtgraph.debug as debug
+import weakref
+
+## TODO:
+# - containers should be drop areas, not docks. (but every slot within a container must have its own drop areas?)
+# - drop between tabs
+# - nest splitters inside tab boxes, etc.
+
+
+
+
+class DockArea(Container, QtGui.QWidget, DockDrop):
+    def __init__(self, temporary=False, home=None):
+        Container.__init__(self, self)
+        QtGui.QWidget.__init__(self)
+        DockDrop.__init__(self, allowedAreas=['left', 'right', 'top', 'bottom'])
+        self.layout = QtGui.QVBoxLayout()
+        self.layout.setContentsMargins(0,0,0,0)
+        self.layout.setSpacing(0)
+        self.setLayout(self.layout)
+        self.docks = weakref.WeakValueDictionary()
+        self.topContainer = None
+        self.raiseOverlay()
+        self.temporary = temporary
+        self.tempAreas = []
+        self.home = home
+        
+    def type(self):
+        return "top"
+        
+    def addDock(self, dock, position='bottom', relativeTo=None):
+        """Adds a dock to this area.
+        position may be: bottom, top, left, right, over, under
+        If relativeTo specifies an existing dock, the new dock is added adjacent to it"""
+        
+        ## Determine the container to insert this dock into.
+        ## If there is no neighbor, then the container is the top.
+        if relativeTo is None or relativeTo is self:
+            if self.topContainer is None:
+                container = self
+                neighbor = None
+            else:
+                container = self.topContainer
+                neighbor = None
+        else:
+            if isinstance(relativeTo, basestring):
+                relativeTo = self.docks[relativeTo]
+            container = self.getContainer(relativeTo)
+            neighbor = relativeTo
+        
+        ## what container type do we need?
+        neededContainer = {
+            'bottom': 'vertical',
+            'top': 'vertical',
+            'left': 'horizontal',
+            'right': 'horizontal',
+            'above': 'tab',
+            'below': 'tab'
+        }[position]
+        
+        ## Can't insert new containers into a tab container; insert outside instead.
+        if neededContainer != container.type() and container.type() == 'tab':
+            neighbor = container
+            container = container.container()
+            
+        ## Decide if the container we have is suitable.
+        ## If not, insert a new container inside.
+        if neededContainer != container.type():
+            if neighbor is None:
+                container = self.addContainer(neededContainer, self.topContainer)
+            else:
+                container = self.addContainer(neededContainer, neighbor)
+            
+        ## Insert the new dock before/after its neighbor
+        insertPos = {
+            'bottom': 'after',
+            'top': 'before',
+            'left': 'before',
+            'right': 'after',
+            'above': 'before',
+            'below': 'after'
+        }[position]
+        #print "request insert", dock, insertPos, neighbor
+        container.insert(dock, insertPos, neighbor)
+        dock.area = self
+        self.docks[dock.name()] = dock
+        
+    def getContainer(self, obj):
+        if obj is None:
+            return self
+        return obj.container()
+        
+    def makeContainer(self, typ):
+        if typ == 'vertical':
+            new = VContainer(self)
+        elif typ == 'horizontal':
+            new = HContainer(self)
+        elif typ == 'tab':
+            new = TContainer(self)
+        return new
+        
+    def addContainer(self, typ, obj):
+        """Add a new container around obj"""
+        new = self.makeContainer(typ)
+        
+        container = self.getContainer(obj)
+        container.insert(new, 'before', obj)
+        #print "Add container:", new, " -> ", container
+        if obj is not None:
+            new.insert(obj)
+        self.raiseOverlay()
+        return new
+    
+    def insert(self, new, pos=None, neighbor=None):
+        if self.topContainer is not None:
+            self.topContainer.containerChanged(None)
+        self.layout.addWidget(new)
+        self.topContainer = new
+        #print self, "set top:", new
+        new._container = self
+        self.raiseOverlay()
+        #print "Insert top:", new
+        
+    def count(self):
+        if self.topContainer is None:
+            return 0
+        return 1
+        
+    def moveDock(self, dock, position, neighbor):
+        old = dock.container()
+        ## Moving to the edge of a tabbed dock causes a drop outside the tab box
+        if position in ['left', 'right', 'top', 'bottom'] and neighbor is not None and neighbor.container() is not None and neighbor.container().type() == 'tab':
+            neighbor = neighbor.container()
+        self.addDock(dock, position, neighbor)
+        old.apoptose()
+        
+    #def paintEvent(self, ev):
+        #self.drawDockOverlay()
+        
+    def resizeEvent(self, ev):
+        self.resizeOverlay(self.size())
+        
+    def addTempArea(self):
+        if self.home is None:
+            area = DockArea(temporary=True, home=self)
+            self.tempAreas.append(area)
+            win = QtGui.QMainWindow()
+            win.setCentralWidget(area)
+            area.win = win
+            win.show()
+        else:
+            area = self.home.addTempArea()
+        #print "added temp area", area, area.window()
+        return area
+        
+    def floatDock(self, dock):
+        area = self.addTempArea()
+        area.win.resize(dock.size())
+        area.moveDock(dock, 'top', None)
+        
+        
+    def removeTempArea(self, area):
+        self.tempAreas.remove(area)
+        #print "close window", area.window()
+        area.window().close()
+        
+    def saveState(self):
+        state = {'main': self.childState(self.topContainer), 'float': []}
+        for a in self.tempAreas:
+            geo = a.win.geometry()
+            geo = (geo.x(), geo.y(), geo.width(), geo.height())
+            state['float'].append((a.saveState(), geo))
+        return state
+        
+    def childState(self, obj):
+        if isinstance(obj, Dock):
+            return ('dock', obj.name(), {})
+        else:
+            childs = []
+            for i in range(obj.count()):
+                childs.append(self.childState(obj.widget(i)))
+            return (obj.type(), childs, obj.saveState())
+        
+        
+    def restoreState(self, state):
+        ## 1) make dict of all docks and list of existing containers
+        containers, docks = self.findAll()
+        oldTemps = self.tempAreas[:]
+        #print "found docks:", docks
+        
+        ## 2) create container structure, move docks into new containers
+        self.buildFromState(state['main'], docks, self)
+        
+        ## 3) create floating areas, populate
+        for s in state['float']:
+            a = self.addTempArea()
+            a.buildFromState(s[0]['main'], docks, a)
+            a.win.setGeometry(*s[1])
+        
+        ## 4) Add any remaining docks to the bottom
+        for d in docks.itervalues():
+            self.moveDock(d, 'below', None)
+        
+        #print "\nKill old containers:"
+        ## 5) kill old containers
+        for c in containers:
+            c.close()
+        for a in oldTemps:
+            a.apoptose()
+
+
+    def buildFromState(self, state, docks, root, depth=0):
+        typ, contents, state = state
+        pfx = "  " * depth
+        if typ == 'dock':
+            obj = docks[contents]
+            del docks[contents]
+        else:
+            obj = self.makeContainer(typ)
+            
+        root.insert(obj, 'after')
+        #print pfx+"Add:", obj, " -> ", root
+        
+        if typ != 'dock':
+            for o in contents:
+                self.buildFromState(o, docks, obj, depth+1)
+            obj.apoptose(propagate=False)
+            obj.restoreState(state)  ## this has to be done later?
+        
+
+    def findAll(self, obj=None, c=None, d=None):
+        if obj is None:
+            obj = self.topContainer
+        
+        ## check all temp areas first
+        if c is None:
+            c = []
+            d = {}
+            for a in self.tempAreas:
+                c1, d1 = a.findAll()
+                c.extend(c1)
+                d.update(d1)
+        
+        if isinstance(obj, Dock):
+            d[obj.name()] = obj
+        else:
+            c.append(obj)
+            for i in range(obj.count()):
+                o2 = obj.widget(i)
+                c2, d2 = self.findAll(o2)
+                c.extend(c2)
+                d.update(d2)
+        return (c, d)
+
+    def apoptose(self):
+        #print "apoptose area:", self.temporary, self.topContainer, self.topContainer.count()
+        if self.temporary and self.topContainer.count() == 0:
+            self.topContainer = None
+            self.home.removeTempArea(self)
+            #self.close()
+            
+        
+        
\ No newline at end of file
diff --git a/dockarea/DockDrop.py b/dockarea/DockDrop.py
new file mode 100644
index 0000000000000000000000000000000000000000..339b28fd10747fb5af852bfe32738d7f5925aa69
--- /dev/null
+++ b/dockarea/DockDrop.py
@@ -0,0 +1,129 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+
+class DockDrop(object):
+    """Provides dock-dropping methods"""
+    def __init__(self, allowedAreas=None):
+        object.__init__(self)
+        if allowedAreas is None:
+            allowedAreas = ['center', 'right', 'left', 'top', 'bottom']
+        self.allowedAreas = set(allowedAreas)
+        self.setAcceptDrops(True)
+        self.dropArea = None
+        self.overlay = DropAreaOverlay(self)
+        self.overlay.raise_()
+    
+    def resizeOverlay(self, size):
+        self.overlay.resize(size)
+        
+    def raiseOverlay(self):
+        self.overlay.raise_()
+    
+    def dragEnterEvent(self, ev):
+        if isinstance(ev.source(), Dock.Dock):
+            #print "drag enter accept"
+            ev.accept()
+        else:
+            #print "drag enter ignore"
+            ev.ignore()
+        
+    def dragMoveEvent(self, ev):
+        #print "drag move"
+        ld = ev.pos().x()
+        rd = self.width() - ld
+        td = ev.pos().y()
+        bd = self.height() - td
+        
+        mn = min(ld, rd, td, bd)
+        if mn > 30:
+            self.dropArea = "center"
+        elif (ld == mn or td == mn) and mn > self.height()/3.:
+            self.dropArea = "center"
+        elif (rd == mn or ld == mn) and mn > self.width()/3.:
+            self.dropArea = "center"
+            
+        elif rd == mn:
+            self.dropArea = "right"
+        elif ld == mn:
+            self.dropArea = "left"
+        elif td == mn:
+            self.dropArea = "top"
+        elif bd == mn:
+            self.dropArea = "bottom"
+            
+        if ev.source() is self and self.dropArea == 'center':
+            #print "  no self-center"
+            self.dropArea = None
+            ev.ignore()
+        elif self.dropArea not in self.allowedAreas:
+            #print "  not allowed"
+            self.dropArea = None
+            ev.ignore()
+        else:
+            #print "  ok"
+            ev.accept()
+        self.overlay.setDropArea(self.dropArea)
+            
+    def dragLeaveEvent(self, ev):
+        self.dropArea = None
+        self.overlay.setDropArea(self.dropArea)
+    
+    def dropEvent(self, ev):
+        area = self.dropArea
+        if area is None:
+            return
+        if area == 'center':
+            area = 'above'
+        self.area.moveDock(ev.source(), area, self)
+        self.dropArea = None
+        self.overlay.setDropArea(self.dropArea)
+
+        
+
+class DropAreaOverlay(QtGui.QWidget):
+    """Overlay widget that draws drop areas during a drag-drop operation"""
+    
+    def __init__(self, parent):
+        QtGui.QWidget.__init__(self, parent)
+        self.dropArea = None
+        self.hide()
+        self.setAttribute(QtCore.Qt.WA_TransparentForMouseEvents)
+        
+    def setDropArea(self, area):
+        self.dropArea = area
+        if area is None:
+            self.hide()
+        else:
+            ## Resize overlay to just the region where drop area should be displayed.
+            ## This works around a Qt bug--can't display transparent widgets over QGLWidget
+            prgn = self.parent().rect()
+            rgn = QtCore.QRect(prgn)
+            w = min(30, prgn.width()/3.)
+            h = min(30, prgn.height()/3.)
+            
+            if self.dropArea == 'left':
+                rgn.setWidth(w)
+            elif self.dropArea == 'right':
+                rgn.setLeft(rgn.left() + prgn.width() - w)
+            elif self.dropArea == 'top':
+                rgn.setHeight(h)
+            elif self.dropArea == 'bottom':
+                rgn.setTop(rgn.top() + prgn.height() - h)
+            elif self.dropArea == 'center':
+                rgn.adjust(w, h, -w, -h)
+            self.setGeometry(rgn)
+            self.show()
+
+        self.update()
+    
+    def paintEvent(self, ev):
+        if self.dropArea is None:
+            return
+        p = QtGui.QPainter(self)
+        rgn = self.rect()
+
+        p.setBrush(QtGui.QBrush(QtGui.QColor(100, 100, 255, 50)))
+        p.setPen(QtGui.QPen(QtGui.QColor(50, 50, 150), 3))
+        p.drawRect(rgn)
+
+import Dock
\ No newline at end of file
diff --git a/dockarea/__init__.py b/dockarea/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..88d12393478e0a7bf30e58faeda71887b096ce21
--- /dev/null
+++ b/dockarea/__init__.py
@@ -0,0 +1,2 @@
+from DockArea import DockArea
+from Dock import Dock
\ No newline at end of file
diff --git a/dockarea/__main__.py b/dockarea/__main__.py
new file mode 100644
index 0000000000000000000000000000000000000000..86e8c9d1620c50bce501928e83419bd4a50fe612
--- /dev/null
+++ b/dockarea/__main__.py
@@ -0,0 +1,83 @@
+import sys
+
+## Make sure pyqtgraph is importable
+p = os.path.dirname(os.path.abspath(__file__))
+p = os.path.join(p, '..', '..')
+sys.path.insert(0, p)
+
+from pyqtgraph.Qt import QtCore, QtGui
+
+from DockArea import *
+from Dock import *
+
+app = QtGui.QApplication([])
+win = QtGui.QMainWindow()
+area = DockArea()
+win.setCentralWidget(area)
+win.resize(800,800)
+from Dock import Dock
+d1 = Dock("Dock1", size=(200,200))
+d2 = Dock("Dock2", size=(100,100))
+d3 = Dock("Dock3", size=(1,1))
+d4 = Dock("Dock4", size=(50,50))
+d5 = Dock("Dock5", size=(100,100))
+d6 = Dock("Dock6", size=(300,300))
+area.addDock(d1, 'left')
+area.addDock(d2, 'right')
+area.addDock(d3, 'bottom')
+area.addDock(d4, 'right')
+area.addDock(d5, 'left', d1)
+area.addDock(d6, 'top', d4)
+
+area.moveDock(d6, 'above', d4)
+d3.hideTitleBar()
+
+print "===build complete===="
+
+for d in [d1, d2, d3, d4, d5]:
+    w = QtGui.QWidget()
+    l = QtGui.QVBoxLayout()
+    w.setLayout(l)
+    btns = []
+    for i in range(4):
+        btns.append(QtGui.QPushButton("%s Button %d"%(d.name(), i)))
+        l.addWidget(btns[-1])
+    d.w = (w, l, btns)
+    d.addWidget(w)
+
+
+
+import pyqtgraph as pg
+p = pg.PlotWidget()
+d6.addWidget(p)
+
+print "===widgets added==="
+
+
+#s = area.saveState()
+
+
+#print "\n\n-------restore----------\n\n"
+#area.restoreState(s)
+s = None
+def save():
+    global s
+    s = area.saveState()
+    
+def load():
+    global s
+    area.restoreState(s)
+
+
+#d6.container().setCurrentIndex(0)
+#d2.label.setTabPos(40)
+
+#win2 = QtGui.QMainWindow()
+#area2 = DockArea()
+#win2.setCentralWidget(area2)
+#win2.resize(800,800)
+
+
+win.show()
+#win2.show()
+
diff --git a/documentation/Makefile b/documentation/Makefile
new file mode 100644
index 0000000000000000000000000000000000000000..15b77d380e133666cd5f877e644adbaa93e07e24
--- /dev/null
+++ b/documentation/Makefile
@@ -0,0 +1,130 @@
+# Makefile for Sphinx documentation
+#
+
+# You can set these variables from the command line.
+SPHINXOPTS    =
+SPHINXBUILD   = sphinx-build
+PAPER         =
+BUILDDIR      = build
+
+# Internal variables.
+PAPEROPT_a4     = -D latex_paper_size=a4
+PAPEROPT_letter = -D latex_paper_size=letter
+ALLSPHINXOPTS   = -d $(BUILDDIR)/doctrees $(PAPEROPT_$(PAPER)) $(SPHINXOPTS) source
+
+.PHONY: help clean html dirhtml singlehtml pickle json htmlhelp qthelp devhelp epub latex latexpdf text man changes linkcheck doctest
+
+help:
+	@echo "Please use \`make <target>' where <target> is one of"
+	@echo "  html       to make standalone HTML files"
+	@echo "  dirhtml    to make HTML files named index.html in directories"
+	@echo "  singlehtml to make a single large HTML file"
+	@echo "  pickle     to make pickle files"
+	@echo "  json       to make JSON files"
+	@echo "  htmlhelp   to make HTML files and a HTML help project"
+	@echo "  qthelp     to make HTML files and a qthelp project"
+	@echo "  devhelp    to make HTML files and a Devhelp project"
+	@echo "  epub       to make an epub"
+	@echo "  latex      to make LaTeX files, you can set PAPER=a4 or PAPER=letter"
+	@echo "  latexpdf   to make LaTeX files and run them through pdflatex"
+	@echo "  text       to make text files"
+	@echo "  man        to make manual pages"
+	@echo "  changes    to make an overview of all changed/added/deprecated items"
+	@echo "  linkcheck  to check all external links for integrity"
+	@echo "  doctest    to run all doctests embedded in the documentation (if enabled)"
+
+clean:
+	-rm -rf $(BUILDDIR)/*
+
+html:
+	$(SPHINXBUILD) -b html $(ALLSPHINXOPTS) $(BUILDDIR)/html
+	@echo
+	@echo "Build finished. The HTML pages are in $(BUILDDIR)/html."
+
+dirhtml:
+	$(SPHINXBUILD) -b dirhtml $(ALLSPHINXOPTS) $(BUILDDIR)/dirhtml
+	@echo
+	@echo "Build finished. The HTML pages are in $(BUILDDIR)/dirhtml."
+
+singlehtml:
+	$(SPHINXBUILD) -b singlehtml $(ALLSPHINXOPTS) $(BUILDDIR)/singlehtml
+	@echo
+	@echo "Build finished. The HTML page is in $(BUILDDIR)/singlehtml."
+
+pickle:
+	$(SPHINXBUILD) -b pickle $(ALLSPHINXOPTS) $(BUILDDIR)/pickle
+	@echo
+	@echo "Build finished; now you can process the pickle files."
+
+json:
+	$(SPHINXBUILD) -b json $(ALLSPHINXOPTS) $(BUILDDIR)/json
+	@echo
+	@echo "Build finished; now you can process the JSON files."
+
+htmlhelp:
+	$(SPHINXBUILD) -b htmlhelp $(ALLSPHINXOPTS) $(BUILDDIR)/htmlhelp
+	@echo
+	@echo "Build finished; now you can run HTML Help Workshop with the" \
+	      ".hhp project file in $(BUILDDIR)/htmlhelp."
+
+qthelp:
+	$(SPHINXBUILD) -b qthelp $(ALLSPHINXOPTS) $(BUILDDIR)/qthelp
+	@echo
+	@echo "Build finished; now you can run "qcollectiongenerator" with the" \
+	      ".qhcp project file in $(BUILDDIR)/qthelp, like this:"
+	@echo "# qcollectiongenerator $(BUILDDIR)/qthelp/pyqtgraph.qhcp"
+	@echo "To view the help file:"
+	@echo "# assistant -collectionFile $(BUILDDIR)/qthelp/pyqtgraph.qhc"
+
+devhelp:
+	$(SPHINXBUILD) -b devhelp $(ALLSPHINXOPTS) $(BUILDDIR)/devhelp
+	@echo
+	@echo "Build finished."
+	@echo "To view the help file:"
+	@echo "# mkdir -p $$HOME/.local/share/devhelp/pyqtgraph"
+	@echo "# ln -s $(BUILDDIR)/devhelp $$HOME/.local/share/devhelp/pyqtgraph"
+	@echo "# devhelp"
+
+epub:
+	$(SPHINXBUILD) -b epub $(ALLSPHINXOPTS) $(BUILDDIR)/epub
+	@echo
+	@echo "Build finished. The epub file is in $(BUILDDIR)/epub."
+
+latex:
+	$(SPHINXBUILD) -b latex $(ALLSPHINXOPTS) $(BUILDDIR)/latex
+	@echo
+	@echo "Build finished; the LaTeX files are in $(BUILDDIR)/latex."
+	@echo "Run \`make' in that directory to run these through (pdf)latex" \
+	      "(use \`make latexpdf' here to do that automatically)."
+
+latexpdf:
+	$(SPHINXBUILD) -b latex $(ALLSPHINXOPTS) $(BUILDDIR)/latex
+	@echo "Running LaTeX files through pdflatex..."
+	make -C $(BUILDDIR)/latex all-pdf
+	@echo "pdflatex finished; the PDF files are in $(BUILDDIR)/latex."
+
+text:
+	$(SPHINXBUILD) -b text $(ALLSPHINXOPTS) $(BUILDDIR)/text
+	@echo
+	@echo "Build finished. The text files are in $(BUILDDIR)/text."
+
+man:
+	$(SPHINXBUILD) -b man $(ALLSPHINXOPTS) $(BUILDDIR)/man
+	@echo
+	@echo "Build finished. The manual pages are in $(BUILDDIR)/man."
+
+changes:
+	$(SPHINXBUILD) -b changes $(ALLSPHINXOPTS) $(BUILDDIR)/changes
+	@echo
+	@echo "The overview file is in $(BUILDDIR)/changes."
+
+linkcheck:
+	$(SPHINXBUILD) -b linkcheck $(ALLSPHINXOPTS) $(BUILDDIR)/linkcheck
+	@echo
+	@echo "Link check complete; look for any errors in the above output " \
+	      "or in $(BUILDDIR)/linkcheck/output.txt."
+
+doctest:
+	$(SPHINXBUILD) -b doctest $(ALLSPHINXOPTS) $(BUILDDIR)/doctest
+	@echo "Testing of doctests in the sources finished, look at the " \
+	      "results in $(BUILDDIR)/doctest/output.txt."
diff --git a/documentation/build/doctrees/apireference.doctree b/documentation/build/doctrees/apireference.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..1620ca32384d7d38e0620151f1b3adcdd4c5aa82
Binary files /dev/null and b/documentation/build/doctrees/apireference.doctree differ
diff --git a/documentation/build/doctrees/environment.pickle b/documentation/build/doctrees/environment.pickle
new file mode 100644
index 0000000000000000000000000000000000000000..eee3550a391102da9f44347003ad2e3b52f874e3
Binary files /dev/null and b/documentation/build/doctrees/environment.pickle differ
diff --git a/documentation/build/doctrees/functions.doctree b/documentation/build/doctrees/functions.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..9d40ecc8d9b3fe9c0d672be881267dd431003c40
Binary files /dev/null and b/documentation/build/doctrees/functions.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/arrowitem.doctree b/documentation/build/doctrees/graphicsItems/arrowitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..8a90ddb68c5aa439d7ce3e5422a617ade3cab882
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/arrowitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/axisitem.doctree b/documentation/build/doctrees/graphicsItems/axisitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..b0deac26328c4cda3a687dc224f471c3dc599c0a
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/axisitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/buttonitem.doctree b/documentation/build/doctrees/graphicsItems/buttonitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..ce962738e59669da725827d5eef5e4acde6a8794
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/buttonitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/curvearrow.doctree b/documentation/build/doctrees/graphicsItems/curvearrow.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..532f70172cbd9438946c890aa9c68e8299c26643
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/curvearrow.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/curvepoint.doctree b/documentation/build/doctrees/graphicsItems/curvepoint.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c98a291658a6fb2ed20c70781757701030c86fab
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/curvepoint.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/gradienteditoritem.doctree b/documentation/build/doctrees/graphicsItems/gradienteditoritem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..b1029004df6603a1e48d00bac85ce8ddf469fd13
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/gradienteditoritem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/gradientlegend.doctree b/documentation/build/doctrees/graphicsItems/gradientlegend.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..912cb974046a488635ffcaf71a0cbdae1df61a9b
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/gradientlegend.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/graphicslayout.doctree b/documentation/build/doctrees/graphicsItems/graphicslayout.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c22d0900709741831dfabf99843a688c9f40c7a2
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/graphicslayout.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/graphicsobject.doctree b/documentation/build/doctrees/graphicsItems/graphicsobject.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..b892464b888bcf221db4ff86d90884e2b0cbdb1c
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/graphicsobject.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/graphicswidget.doctree b/documentation/build/doctrees/graphicsItems/graphicswidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c6218a6b168c675314eb61b6b70629f5e2d4e4c5
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/graphicswidget.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/griditem.doctree b/documentation/build/doctrees/graphicsItems/griditem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..41a92766b66309acce61b26650cf60e175c20210
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/griditem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/histogramlutitem.doctree b/documentation/build/doctrees/graphicsItems/histogramlutitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..1560ff90c2a249792f5005a301555726e7c05c3a
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/histogramlutitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/imageitem.doctree b/documentation/build/doctrees/graphicsItems/imageitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c4bf51cffd060de2f8dd6d4369e407d283400319
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/imageitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/index.doctree b/documentation/build/doctrees/graphicsItems/index.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..ce964372e07ccdc124c94c7e289cb261eb6a2963
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/index.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/infiniteline.doctree b/documentation/build/doctrees/graphicsItems/infiniteline.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..a39e2dbcb07baa1db254b8a582feb803e0b02dde
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/infiniteline.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/labelitem.doctree b/documentation/build/doctrees/graphicsItems/labelitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c40e04fc5cb0e83b4c3a7d6563e6765622664f31
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/labelitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/linearregionitem.doctree b/documentation/build/doctrees/graphicsItems/linearregionitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..40deb4cc264d585f8cd14738e4348202cdc635ae
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/linearregionitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/plotcurveitem.doctree b/documentation/build/doctrees/graphicsItems/plotcurveitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..f85da9c37e7fe11eed12fcbf034ae47f4849ffbf
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/plotcurveitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/plotdataitem.doctree b/documentation/build/doctrees/graphicsItems/plotdataitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..11222a9dc252b6c71bb98406044c1eb8c13b9faf
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/plotdataitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/plotitem.doctree b/documentation/build/doctrees/graphicsItems/plotitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c80871dc71a470b7015aef6171feb3bcf574ef48
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/plotitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/roi.doctree b/documentation/build/doctrees/graphicsItems/roi.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..ad83ccd5272de86afceed00c3bdd418b5dd12ab4
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/roi.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/scalebar.doctree b/documentation/build/doctrees/graphicsItems/scalebar.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..3a56a7bf36f16f0068e1beb3da1d156a6c45f0f4
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/scalebar.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/scatterplotitem.doctree b/documentation/build/doctrees/graphicsItems/scatterplotitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c36093d474e8758b98f9e5e47211ca0fd4ca50c0
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/scatterplotitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/uigraphicsitem.doctree b/documentation/build/doctrees/graphicsItems/uigraphicsitem.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..bc9776971897c6cfa4b67b336627ac587e6336c6
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/uigraphicsitem.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/viewbox.doctree b/documentation/build/doctrees/graphicsItems/viewbox.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..7a2e13a6fd15e6e0ccccba6bb49bb9c4df1069fa
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/viewbox.doctree differ
diff --git a/documentation/build/doctrees/graphicsItems/vtickgroup.doctree b/documentation/build/doctrees/graphicsItems/vtickgroup.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..9ecc872bd0f4ace1a28c677782eca5d308a041f7
Binary files /dev/null and b/documentation/build/doctrees/graphicsItems/vtickgroup.doctree differ
diff --git a/documentation/build/doctrees/graphicswindow.doctree b/documentation/build/doctrees/graphicswindow.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..24ef9fc734c2fc6fc99a89f8c9dd9bb3de18b0de
Binary files /dev/null and b/documentation/build/doctrees/graphicswindow.doctree differ
diff --git a/documentation/build/doctrees/how_to_use.doctree b/documentation/build/doctrees/how_to_use.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..5b0c58ecb3e66892fdfee880e3f7fa6b42cb1f1c
Binary files /dev/null and b/documentation/build/doctrees/how_to_use.doctree differ
diff --git a/documentation/build/doctrees/images.doctree b/documentation/build/doctrees/images.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..8f127e33bd00e7463177e169e98899dbc4bcd1fd
Binary files /dev/null and b/documentation/build/doctrees/images.doctree differ
diff --git a/documentation/build/doctrees/index.doctree b/documentation/build/doctrees/index.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..e1879d0ce48a54022363186d745193dbdb778e42
Binary files /dev/null and b/documentation/build/doctrees/index.doctree differ
diff --git a/documentation/build/doctrees/introduction.doctree b/documentation/build/doctrees/introduction.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..8ed0f5f19ec7749312cbf2f979c082c9d111d8b8
Binary files /dev/null and b/documentation/build/doctrees/introduction.doctree differ
diff --git a/documentation/build/doctrees/parametertree.doctree b/documentation/build/doctrees/parametertree.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..2adac6ee1f82d081633ca2fe5c6731568453cd60
Binary files /dev/null and b/documentation/build/doctrees/parametertree.doctree differ
diff --git a/documentation/build/doctrees/plotting.doctree b/documentation/build/doctrees/plotting.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..5a3604feb0645eba883be551c3808b755a7e5d8c
Binary files /dev/null and b/documentation/build/doctrees/plotting.doctree differ
diff --git a/documentation/build/doctrees/region_of_interest.doctree b/documentation/build/doctrees/region_of_interest.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..f7ba7dec6ad639d83ce6cb1a161c46dacadef1a8
Binary files /dev/null and b/documentation/build/doctrees/region_of_interest.doctree differ
diff --git a/documentation/build/doctrees/style.doctree b/documentation/build/doctrees/style.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..bf141c9eb2864d1a239d2652603cf3c30b407ae6
Binary files /dev/null and b/documentation/build/doctrees/style.doctree differ
diff --git a/documentation/build/doctrees/widgets/checktable.doctree b/documentation/build/doctrees/widgets/checktable.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..d64858a9d00470e951d0f210c8d040cca12c2ca9
Binary files /dev/null and b/documentation/build/doctrees/widgets/checktable.doctree differ
diff --git a/documentation/build/doctrees/widgets/colorbutton.doctree b/documentation/build/doctrees/widgets/colorbutton.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..e9352b2bf15d4fe1369cc6faec90133ecdd4df05
Binary files /dev/null and b/documentation/build/doctrees/widgets/colorbutton.doctree differ
diff --git a/documentation/build/doctrees/widgets/datatreewidget.doctree b/documentation/build/doctrees/widgets/datatreewidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..e9673c847cb734c4b6d099d63bd38b54f296de0a
Binary files /dev/null and b/documentation/build/doctrees/widgets/datatreewidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/dockarea.doctree b/documentation/build/doctrees/widgets/dockarea.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..9131d6a138603600dcf1490289f73706bcabc079
Binary files /dev/null and b/documentation/build/doctrees/widgets/dockarea.doctree differ
diff --git a/documentation/build/doctrees/widgets/filedialog.doctree b/documentation/build/doctrees/widgets/filedialog.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..17e770c9cf535b209befd0b13fdf625fb7ad9cb5
Binary files /dev/null and b/documentation/build/doctrees/widgets/filedialog.doctree differ
diff --git a/documentation/build/doctrees/widgets/gradientwidget.doctree b/documentation/build/doctrees/widgets/gradientwidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..6d09b2c6e0f444eb359d0edfc92cdce636abb0e0
Binary files /dev/null and b/documentation/build/doctrees/widgets/gradientwidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/graphicslayoutwidget.doctree b/documentation/build/doctrees/widgets/graphicslayoutwidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..6fc16da9f247b1fc085089824fa13e51cfafbfb7
Binary files /dev/null and b/documentation/build/doctrees/widgets/graphicslayoutwidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/graphicsview.doctree b/documentation/build/doctrees/widgets/graphicsview.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..179bef42902ae1ad6d85143a1dd876e643acfc86
Binary files /dev/null and b/documentation/build/doctrees/widgets/graphicsview.doctree differ
diff --git a/documentation/build/doctrees/widgets/histogramlutwidget.doctree b/documentation/build/doctrees/widgets/histogramlutwidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..09c8c0f1b71283572d7f05ae028e9003b0a55db4
Binary files /dev/null and b/documentation/build/doctrees/widgets/histogramlutwidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/imageview.doctree b/documentation/build/doctrees/widgets/imageview.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..cec322081c9c56fadc81cdbbb9e753d5eef032cf
Binary files /dev/null and b/documentation/build/doctrees/widgets/imageview.doctree differ
diff --git a/documentation/build/doctrees/widgets/index.doctree b/documentation/build/doctrees/widgets/index.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..4f113d6def817a500583698574297206c413200d
Binary files /dev/null and b/documentation/build/doctrees/widgets/index.doctree differ
diff --git a/documentation/build/doctrees/widgets/joystickbutton.doctree b/documentation/build/doctrees/widgets/joystickbutton.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..4e22f97e174bae06d02076c8f3627aefcc26bae8
Binary files /dev/null and b/documentation/build/doctrees/widgets/joystickbutton.doctree differ
diff --git a/documentation/build/doctrees/widgets/multiplotwidget.doctree b/documentation/build/doctrees/widgets/multiplotwidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c548d00196cfbe220ccaba342825a83200f9ae2a
Binary files /dev/null and b/documentation/build/doctrees/widgets/multiplotwidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/parametertree.doctree b/documentation/build/doctrees/widgets/parametertree.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..56b8107738508625a28d18ead11cbd1317e7ffc7
Binary files /dev/null and b/documentation/build/doctrees/widgets/parametertree.doctree differ
diff --git a/documentation/build/doctrees/widgets/plotwidget.doctree b/documentation/build/doctrees/widgets/plotwidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..29b5c88905e3db6f5b0e86ac7636e56aa0bc8adf
Binary files /dev/null and b/documentation/build/doctrees/widgets/plotwidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/progressdialog.doctree b/documentation/build/doctrees/widgets/progressdialog.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..0c6a7f2c6f99217919fef5e111cd73a7fa39f810
Binary files /dev/null and b/documentation/build/doctrees/widgets/progressdialog.doctree differ
diff --git a/documentation/build/doctrees/widgets/rawimagewidget.doctree b/documentation/build/doctrees/widgets/rawimagewidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..8bcfeb1b13bc4713c391f267bbcf7a3cc8793c4a
Binary files /dev/null and b/documentation/build/doctrees/widgets/rawimagewidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/spinbox.doctree b/documentation/build/doctrees/widgets/spinbox.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..f3b88a281239619f3f08a306c07cf7a54ed2346d
Binary files /dev/null and b/documentation/build/doctrees/widgets/spinbox.doctree differ
diff --git a/documentation/build/doctrees/widgets/tablewidget.doctree b/documentation/build/doctrees/widgets/tablewidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..21539df76c1e7391e6eb7963f1f8facf975c44aa
Binary files /dev/null and b/documentation/build/doctrees/widgets/tablewidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/treewidget.doctree b/documentation/build/doctrees/widgets/treewidget.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..3d17105765b1a75a0e515527823f7e27573d5da1
Binary files /dev/null and b/documentation/build/doctrees/widgets/treewidget.doctree differ
diff --git a/documentation/build/doctrees/widgets/verticallabel.doctree b/documentation/build/doctrees/widgets/verticallabel.doctree
new file mode 100644
index 0000000000000000000000000000000000000000..c4d66a574b2c32db97c8db7d2ed317a335ba0e85
Binary files /dev/null and b/documentation/build/doctrees/widgets/verticallabel.doctree differ
diff --git a/documentation/build/html/.buildinfo b/documentation/build/html/.buildinfo
new file mode 100644
index 0000000000000000000000000000000000000000..1fd6f9ff6f4b6e9fc5aeb4352bb76ce731070856
--- /dev/null
+++ b/documentation/build/html/.buildinfo
@@ -0,0 +1,4 @@
+# Sphinx build info version 1
+# This file hashes the configuration used when building these files. When it is not found, a full rebuild will be done.
+config: ba0221080f2c4e6cd48402ae7f991103
+tags: fbb0d17656682115ca4d033fb2f83ba1
diff --git a/documentation/build/html/_images/plottingClasses.png b/documentation/build/html/_images/plottingClasses.png
new file mode 100644
index 0000000000000000000000000000000000000000..7c8325a5bbe0809aa3b40ac3a8f76972b4d802a9
Binary files /dev/null and b/documentation/build/html/_images/plottingClasses.png differ
diff --git a/documentation/build/html/_modules/index.html b/documentation/build/html/_modules/index.html
new file mode 100644
index 0000000000000000000000000000000000000000..4438a15afaf181f8e293b6e8dc7a6cffad1c07ac
--- /dev/null
+++ b/documentation/build/html/_modules/index.html
@@ -0,0 +1,89 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Overview: module code &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <h1>All modules for which code is available</h1>
+<ul><li><a href="pyqtgraph.html">pyqtgraph</a></li>
+</ul>
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/_modules/pyqtgraph.html b/documentation/build/html/_modules/pyqtgraph.html
new file mode 100644
index 0000000000000000000000000000000000000000..7779bd3a86541326d873932c142943d15cf58fb1
--- /dev/null
+++ b/documentation/build/html/_modules/pyqtgraph.html
@@ -0,0 +1,192 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>pyqtgraph &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Module code" href="index.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Module code</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <h1>Source code for pyqtgraph</h1><div class="highlight"><pre>
+<span class="c"># -*- coding: utf-8 -*-</span>
+<span class="c">### import all the goodies and add some helper functions for easy CLI use</span>
+
+<span class="c">## &#39;Qt&#39; is a local module; it is intended mainly to cover up the differences</span>
+<span class="c">## between PyQt4 and PySide.</span>
+<span class="kn">from</span> <span class="nn">Qt</span> <span class="kn">import</span> <span class="n">QtGui</span> 
+
+
+<span class="n">CONFIG_OPTIONS</span> <span class="o">=</span> <span class="p">{</span>
+    <span class="s">&#39;leftButtonPan&#39;</span><span class="p">:</span> <span class="bp">True</span>
+<span class="p">}</span>
+
+<span class="k">def</span> <span class="nf">setConfigOption</span><span class="p">(</span><span class="n">opt</span><span class="p">,</span> <span class="n">value</span><span class="p">):</span>
+    <span class="n">CONFIG_OPTIONS</span><span class="p">[</span><span class="n">opt</span><span class="p">]</span> <span class="o">=</span> <span class="n">value</span>
+
+<span class="k">def</span> <span class="nf">getConfigOption</span><span class="p">(</span><span class="n">opt</span><span class="p">):</span>
+    <span class="k">return</span> <span class="n">CONFIG_OPTIONS</span><span class="p">[</span><span class="n">opt</span><span class="p">]</span>
+
+<span class="c">## Import almost everything to make it available from a single namespace</span>
+<span class="c">## don&#39;t import the more complex systems--canvas, parametertree, flowchart, dockarea</span>
+<span class="c">## these must be imported separately.</span>
+
+<span class="kn">import</span> <span class="nn">os</span>
+<span class="k">def</span> <span class="nf">importAll</span><span class="p">(</span><span class="n">path</span><span class="p">):</span>
+    <span class="n">d</span> <span class="o">=</span> <span class="n">os</span><span class="o">.</span><span class="n">path</span><span class="o">.</span><span class="n">join</span><span class="p">(</span><span class="n">os</span><span class="o">.</span><span class="n">path</span><span class="o">.</span><span class="n">split</span><span class="p">(</span><span class="n">__file__</span><span class="p">)[</span><span class="mi">0</span><span class="p">],</span> <span class="n">path</span><span class="p">)</span>
+    <span class="n">files</span> <span class="o">=</span> <span class="p">[]</span>
+    <span class="k">for</span> <span class="n">f</span> <span class="ow">in</span> <span class="n">os</span><span class="o">.</span><span class="n">listdir</span><span class="p">(</span><span class="n">d</span><span class="p">):</span>
+        <span class="k">if</span> <span class="n">os</span><span class="o">.</span><span class="n">path</span><span class="o">.</span><span class="n">isdir</span><span class="p">(</span><span class="n">os</span><span class="o">.</span><span class="n">path</span><span class="o">.</span><span class="n">join</span><span class="p">(</span><span class="n">d</span><span class="p">,</span> <span class="n">f</span><span class="p">)):</span>
+            <span class="n">files</span><span class="o">.</span><span class="n">append</span><span class="p">(</span><span class="n">f</span><span class="p">)</span>
+        <span class="k">elif</span> <span class="n">f</span><span class="p">[</span><span class="o">-</span><span class="mi">3</span><span class="p">:]</span> <span class="o">==</span> <span class="s">&#39;.py&#39;</span> <span class="ow">and</span> <span class="n">f</span> <span class="o">!=</span> <span class="s">&#39;__init__.py&#39;</span><span class="p">:</span>
+            <span class="n">files</span><span class="o">.</span><span class="n">append</span><span class="p">(</span><span class="n">f</span><span class="p">[:</span><span class="o">-</span><span class="mi">3</span><span class="p">])</span>
+        
+    <span class="k">for</span> <span class="n">modName</span> <span class="ow">in</span> <span class="n">files</span><span class="p">:</span>
+        <span class="n">mod</span> <span class="o">=</span> <span class="nb">__import__</span><span class="p">(</span><span class="n">path</span><span class="o">+</span><span class="s">&quot;.&quot;</span><span class="o">+</span><span class="n">modName</span><span class="p">,</span> <span class="nb">globals</span><span class="p">(),</span> <span class="nb">locals</span><span class="p">(),</span> <span class="n">fromlist</span><span class="o">=</span><span class="p">[</span><span class="s">&#39;*&#39;</span><span class="p">])</span>
+        <span class="k">if</span> <span class="nb">hasattr</span><span class="p">(</span><span class="n">mod</span><span class="p">,</span> <span class="s">&#39;__all__&#39;</span><span class="p">):</span>
+            <span class="n">names</span> <span class="o">=</span> <span class="n">mod</span><span class="o">.</span><span class="n">__all__</span>
+        <span class="k">else</span><span class="p">:</span>
+            <span class="n">names</span> <span class="o">=</span> <span class="p">[</span><span class="n">n</span> <span class="k">for</span> <span class="n">n</span> <span class="ow">in</span> <span class="nb">dir</span><span class="p">(</span><span class="n">mod</span><span class="p">)</span> <span class="k">if</span> <span class="n">n</span><span class="p">[</span><span class="mi">0</span><span class="p">]</span> <span class="o">!=</span> <span class="s">&#39;_&#39;</span><span class="p">]</span>
+        <span class="k">for</span> <span class="n">k</span> <span class="ow">in</span> <span class="n">names</span><span class="p">:</span>
+            <span class="k">if</span> <span class="nb">hasattr</span><span class="p">(</span><span class="n">mod</span><span class="p">,</span> <span class="n">k</span><span class="p">):</span>
+                <span class="nb">globals</span><span class="p">()[</span><span class="n">k</span><span class="p">]</span> <span class="o">=</span> <span class="nb">getattr</span><span class="p">(</span><span class="n">mod</span><span class="p">,</span> <span class="n">k</span><span class="p">)</span>
+
+<span class="n">importAll</span><span class="p">(</span><span class="s">&#39;graphicsItems&#39;</span><span class="p">)</span>
+<span class="n">importAll</span><span class="p">(</span><span class="s">&#39;widgets&#39;</span><span class="p">)</span>
+
+<span class="kn">from</span> <span class="nn">imageview</span> <span class="kn">import</span> <span class="o">*</span>
+<span class="kn">from</span> <span class="nn">WidgetGroup</span> <span class="kn">import</span> <span class="o">*</span>
+<span class="kn">from</span> <span class="nn">Point</span> <span class="kn">import</span> <span class="n">Point</span>
+<span class="kn">from</span> <span class="nn">Transform</span> <span class="kn">import</span> <span class="n">Transform</span>
+<span class="kn">from</span> <span class="nn">functions</span> <span class="kn">import</span> <span class="o">*</span>
+<span class="kn">from</span> <span class="nn">graphicsWindows</span> <span class="kn">import</span> <span class="o">*</span>
+<span class="kn">from</span> <span class="nn">SignalProxy</span> <span class="kn">import</span> <span class="o">*</span>
+
+
+
+
+<span class="c">## Convenience functions for command-line use</span>
+
+
+
+<span class="n">plots</span> <span class="o">=</span> <span class="p">[]</span>
+<span class="n">images</span> <span class="o">=</span> <span class="p">[]</span>
+<span class="n">QAPP</span> <span class="o">=</span> <span class="bp">None</span>
+
+<div class="viewcode-block" id="plot"><a class="viewcode-back" href="../functions.html#pyqtgraph.plot">[docs]</a><span class="k">def</span> <span class="nf">plot</span><span class="p">(</span><span class="o">*</span><span class="n">args</span><span class="p">,</span> <span class="o">**</span><span class="n">kargs</span><span class="p">):</span>
+    <span class="sd">&quot;&quot;&quot;</span>
+<span class="sd">    | Create and return a PlotWindow (this is just a window with PlotWidget inside), plot data in it.</span>
+<span class="sd">    | Accepts a *title* argument to set the title of the window.</span>
+<span class="sd">    | All other arguments are used to plot data. (see :func:`PlotItem.plot() &lt;pyqtgraph.PlotItem.plot&gt;`)</span>
+<span class="sd">    &quot;&quot;&quot;</span>
+    <span class="n">mkQApp</span><span class="p">()</span>
+    <span class="k">if</span> <span class="s">&#39;title&#39;</span> <span class="ow">in</span> <span class="n">kargs</span><span class="p">:</span>
+        <span class="n">w</span> <span class="o">=</span> <span class="n">PlotWindow</span><span class="p">(</span><span class="n">title</span><span class="o">=</span><span class="n">kargs</span><span class="p">[</span><span class="s">&#39;title&#39;</span><span class="p">])</span>
+        <span class="k">del</span> <span class="n">kargs</span><span class="p">[</span><span class="s">&#39;title&#39;</span><span class="p">]</span>
+    <span class="k">else</span><span class="p">:</span>
+        <span class="n">w</span> <span class="o">=</span> <span class="n">PlotWindow</span><span class="p">()</span>
+    <span class="k">if</span> <span class="nb">len</span><span class="p">(</span><span class="n">args</span><span class="p">)</span><span class="o">+</span><span class="nb">len</span><span class="p">(</span><span class="n">kargs</span><span class="p">)</span> <span class="o">&gt;</span> <span class="mi">0</span><span class="p">:</span>
+        <span class="n">w</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="o">*</span><span class="n">args</span><span class="p">,</span> <span class="o">**</span><span class="n">kargs</span><span class="p">)</span>
+    <span class="n">plots</span><span class="o">.</span><span class="n">append</span><span class="p">(</span><span class="n">w</span><span class="p">)</span>
+    <span class="n">w</span><span class="o">.</span><span class="n">show</span><span class="p">()</span>
+    <span class="k">return</span> <span class="n">w</span>
+    </div>
+<div class="viewcode-block" id="image"><a class="viewcode-back" href="../functions.html#pyqtgraph.image">[docs]</a><span class="k">def</span> <span class="nf">image</span><span class="p">(</span><span class="o">*</span><span class="n">args</span><span class="p">,</span> <span class="o">**</span><span class="n">kargs</span><span class="p">):</span>
+    <span class="sd">&quot;&quot;&quot;</span>
+<span class="sd">    | Create and return an ImageWindow (this is just a window with ImageView widget inside), show image data inside.</span>
+<span class="sd">    | Will show 2D or 3D image data.</span>
+<span class="sd">    | Accepts a *title* argument to set the title of the window.</span>
+<span class="sd">    | All other arguments are used to show data. (see :func:`ImageView.setImage() &lt;pyqtgraph.ImageView.setImage&gt;`)</span>
+<span class="sd">    &quot;&quot;&quot;</span>
+    <span class="n">mkQApp</span><span class="p">()</span>
+    <span class="n">w</span> <span class="o">=</span> <span class="n">ImageWindow</span><span class="p">(</span><span class="o">*</span><span class="n">args</span><span class="p">,</span> <span class="o">**</span><span class="n">kargs</span><span class="p">)</span>
+    <span class="n">images</span><span class="o">.</span><span class="n">append</span><span class="p">(</span><span class="n">w</span><span class="p">)</span>
+    <span class="n">w</span><span class="o">.</span><span class="n">show</span><span class="p">()</span>
+    <span class="k">return</span> <span class="n">w</span></div>
+<span class="n">show</span> <span class="o">=</span> <span class="n">image</span>  <span class="c">## for backward compatibility</span>
+    
+    
+<span class="k">def</span> <span class="nf">mkQApp</span><span class="p">():</span>
+    <span class="k">if</span> <span class="n">QtGui</span><span class="o">.</span><span class="n">QApplication</span><span class="o">.</span><span class="n">instance</span><span class="p">()</span> <span class="ow">is</span> <span class="bp">None</span><span class="p">:</span>
+        <span class="k">global</span> <span class="n">QAPP</span>
+        <span class="n">QAPP</span> <span class="o">=</span> <span class="n">QtGui</span><span class="o">.</span><span class="n">QApplication</span><span class="p">([])</span>
+</pre></div>
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="index.html" >Module code</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/_sources/apireference.txt b/documentation/build/html/_sources/apireference.txt
new file mode 100644
index 0000000000000000000000000000000000000000..ab4ec66690759f5069417b740c24aabce7b9af97
--- /dev/null
+++ b/documentation/build/html/_sources/apireference.txt
@@ -0,0 +1,11 @@
+API Reference
+=============
+
+Contents:
+
+.. toctree::
+    :maxdepth: 2
+
+    functions
+    graphicsItems/index
+    widgets/index
diff --git a/documentation/build/html/_sources/functions.txt b/documentation/build/html/_sources/functions.txt
new file mode 100644
index 0000000000000000000000000000000000000000..3d56a4d918ec2066feb91dd00b554fe68f246036
--- /dev/null
+++ b/documentation/build/html/_sources/functions.txt
@@ -0,0 +1,53 @@
+Pyqtgraph's Helper Functions
+============================
+
+Simple Data Display Functions
+-----------------------------
+
+.. autofunction:: pyqtgraph.plot
+
+.. autofunction:: pyqtgraph.image
+
+
+
+Color, Pen, and Brush Functions
+-------------------------------
+
+Qt uses the classes QColor, QPen, and QBrush to determine how to draw lines and fill shapes. These classes are highly capable but somewhat awkward to use. Pyqtgraph offers the functions :func:`~pyqtgraph.mkColor`, :func:`~pyqtgraph.mkPen`, and :func:`~pyqtgraph.mkBrush` to simplify the process of creating these classes. In most cases, however, it will be unnecessary to call these functions directly--any function or method that accepts *pen* or *brush* arguments will make use of these functions for you. For example, the following three lines all have the same effect::
+    
+    pg.plot(xdata, ydata, pen='r')
+    pg.plot(xdata, ydata, pen=pg.mkPen('r'))
+    pg.plot(xdata, ydata, pen=QPen(QColor(255, 0, 0)))
+
+
+.. autofunction:: pyqtgraph.mkColor
+
+.. autofunction:: pyqtgraph.mkPen
+
+.. autofunction:: pyqtgraph.mkBrush
+
+.. autofunction:: pyqtgraph.hsvColor
+
+.. autofunction:: pyqtgraph.intColor
+
+.. autofunction:: pyqtgraph.colorTuple
+
+.. autofunction:: pyqtgraph.colorStr
+
+
+Data Slicing
+------------
+
+.. autofunction:: pyqtgraph.affineSlice
+
+
+
+SI Unit Conversion Functions
+----------------------------
+
+.. autofunction:: pyqtgraph.siFormat
+
+.. autofunction:: pyqtgraph.siScale
+
+.. autofunction:: pyqtgraph.siEval
+
diff --git a/documentation/build/html/_sources/graphicsItems/arrowitem.txt b/documentation/build/html/_sources/graphicsItems/arrowitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..250957a598d30ca029ea00dcd416705c0ede00a1
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/arrowitem.txt
@@ -0,0 +1,8 @@
+ArrowItem
+=========
+
+.. autoclass:: pyqtgraph.ArrowItem
+    :members:
+
+    .. automethod:: pyqtgraph.ArrowItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/axisitem.txt b/documentation/build/html/_sources/graphicsItems/axisitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..8f76d130dc92571ed9654aa1474d6ad1f0068aa4
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/axisitem.txt
@@ -0,0 +1,8 @@
+AxisItem
+========
+
+.. autoclass:: pyqtgraph.AxisItem
+    :members:
+
+    .. automethod:: pyqtgraph.AxisItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/buttonitem.txt b/documentation/build/html/_sources/graphicsItems/buttonitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..44469db68d5fb98dd6719e8538ae18031df7f958
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/buttonitem.txt
@@ -0,0 +1,8 @@
+ButtonItem
+==========
+
+.. autoclass:: pyqtgraph.ButtonItem
+    :members:
+
+    .. automethod:: pyqtgraph.ButtonItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/curvearrow.txt b/documentation/build/html/_sources/graphicsItems/curvearrow.txt
new file mode 100644
index 0000000000000000000000000000000000000000..4c7f11ab55a5aaa9a8ad783e24b6415329e4b410
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/curvearrow.txt
@@ -0,0 +1,8 @@
+CurveArrow
+==========
+
+.. autoclass:: pyqtgraph.CurveArrow
+    :members:
+
+    .. automethod:: pyqtgraph.CurveArrow.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/curvepoint.txt b/documentation/build/html/_sources/graphicsItems/curvepoint.txt
new file mode 100644
index 0000000000000000000000000000000000000000..f19791f701028e53df2b9d37699195c6cc50e81c
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/curvepoint.txt
@@ -0,0 +1,8 @@
+CurvePoint
+==========
+
+.. autoclass:: pyqtgraph.CurvePoint
+    :members:
+
+    .. automethod:: pyqtgraph.CurvePoint.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/gradienteditoritem.txt b/documentation/build/html/_sources/graphicsItems/gradienteditoritem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..02d40956df842c23ea07d7763e398659428e3515
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/gradienteditoritem.txt
@@ -0,0 +1,8 @@
+GradientEditorItem
+==================
+
+.. autoclass:: pyqtgraph.GradientEditorItem
+    :members:
+
+    .. automethod:: pyqtgraph.GradientEditorItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/gradientlegend.txt b/documentation/build/html/_sources/graphicsItems/gradientlegend.txt
new file mode 100644
index 0000000000000000000000000000000000000000..f47031c0a060062b2a2ffed9a7344ed357b97df9
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/gradientlegend.txt
@@ -0,0 +1,8 @@
+GradientLegend
+==============
+
+.. autoclass:: pyqtgraph.GradientLegend
+    :members:
+
+    .. automethod:: pyqtgraph.GradientLegend.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/graphicslayout.txt b/documentation/build/html/_sources/graphicsItems/graphicslayout.txt
new file mode 100644
index 0000000000000000000000000000000000000000..f45dfd8706ee3fc3f87bebec5d767222d9a73b2f
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/graphicslayout.txt
@@ -0,0 +1,8 @@
+GraphicsLayout
+==============
+
+.. autoclass:: pyqtgraph.GraphicsLayout
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsLayout.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/graphicsobject.txt b/documentation/build/html/_sources/graphicsItems/graphicsobject.txt
new file mode 100644
index 0000000000000000000000000000000000000000..736d941e0713c58ba9c6eb5fd9928a7a85701e28
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/graphicsobject.txt
@@ -0,0 +1,8 @@
+GraphicsObject
+==============
+
+.. autoclass:: pyqtgraph.GraphicsObject
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsObject.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/graphicswidget.txt b/documentation/build/html/_sources/graphicsItems/graphicswidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..7cf23bbe7dfbddd4f77b94f7aa9176a0e6b5bead
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/graphicswidget.txt
@@ -0,0 +1,8 @@
+GraphicsWidget
+==============
+
+.. autoclass:: pyqtgraph.GraphicsWidget
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsWidget.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/griditem.txt b/documentation/build/html/_sources/graphicsItems/griditem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..aa9327668b4a4e1001ca0d4666897e335b3c388f
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/griditem.txt
@@ -0,0 +1,8 @@
+GridItem
+========
+
+.. autoclass:: pyqtgraph.GridItem
+    :members:
+
+    .. automethod:: pyqtgraph.GridItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/histogramlutitem.txt b/documentation/build/html/_sources/graphicsItems/histogramlutitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..db0e18cb491fd8c1ec9d4d65cd904dd951fade8b
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/histogramlutitem.txt
@@ -0,0 +1,8 @@
+HistogramLUTItem
+================
+
+.. autoclass:: pyqtgraph.HistogramLUTItem
+    :members:
+
+    .. automethod:: pyqtgraph.HistogramLUTItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/imageitem.txt b/documentation/build/html/_sources/graphicsItems/imageitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..49a981dca8f48ca855dbdcc401fa8175d3a5b549
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/imageitem.txt
@@ -0,0 +1,8 @@
+ImageItem
+=========
+
+.. autoclass:: pyqtgraph.ImageItem
+    :members:
+
+    .. automethod:: pyqtgraph.ImageItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/index.txt b/documentation/build/html/_sources/graphicsItems/index.txt
new file mode 100644
index 0000000000000000000000000000000000000000..46f5a9387b0d4c8eb7e791ca405246e904da0bb7
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/index.txt
@@ -0,0 +1,37 @@
+Pyqtgraph's Graphics Items
+==========================
+
+Since pyqtgraph relies on Qt's GraphicsView framework, most of its graphics functionality is implemented as QGraphicsItem subclasses. This has two important consequences: 1) virtually anything you want to draw can be easily accomplished using the functionality provided by Qt. 2) Many of pyqtgraph's GraphicsItem classes can be used in any normal QGraphicsScene.
+
+
+Contents:
+
+.. toctree::
+    :maxdepth: 2
+
+    plotdataitem
+    plotcurveitem
+    scatterplotitem
+    plotitem
+    imageitem
+    viewbox
+    linearregionitem
+    infiniteline
+    roi
+    graphicslayout
+    axisitem
+    arrowitem
+    curvepoint
+    curvearrow
+    griditem
+    scalebar
+    labelitem
+    vtickgroup
+    gradienteditoritem
+    histogramlutitem
+    gradientlegend
+    buttonitem
+    graphicsobject
+    graphicswidget
+    uigraphicsitem
+
diff --git a/documentation/build/html/_sources/graphicsItems/infiniteline.txt b/documentation/build/html/_sources/graphicsItems/infiniteline.txt
new file mode 100644
index 0000000000000000000000000000000000000000..e95987bc1eb8549611857abefc97e04b81e2ca17
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/infiniteline.txt
@@ -0,0 +1,8 @@
+InfiniteLine
+============
+
+.. autoclass:: pyqtgraph.InfiniteLine
+    :members:
+
+    .. automethod:: pyqtgraph.InfiniteLine.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/labelitem.txt b/documentation/build/html/_sources/graphicsItems/labelitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..ca420d7609d34b18eed1d37625d8ced492a64845
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/labelitem.txt
@@ -0,0 +1,8 @@
+LabelItem
+=========
+
+.. autoclass:: pyqtgraph.LabelItem
+    :members:
+
+    .. automethod:: pyqtgraph.LabelItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/linearregionitem.txt b/documentation/build/html/_sources/graphicsItems/linearregionitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..9bcb534c12baa88b49a18e251719f89439c3b475
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/linearregionitem.txt
@@ -0,0 +1,8 @@
+LinearRegionItem
+================
+
+.. autoclass:: pyqtgraph.LinearRegionItem
+    :members:
+
+    .. automethod:: pyqtgraph.LinearRegionItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/plotcurveitem.txt b/documentation/build/html/_sources/graphicsItems/plotcurveitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..f0b2171d2ec2a57816c74e2bc9f12025eef30c58
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/plotcurveitem.txt
@@ -0,0 +1,8 @@
+PlotCurveItem
+=============
+
+.. autoclass:: pyqtgraph.PlotCurveItem
+    :members:
+
+    .. automethod:: pyqtgraph.PlotCurveItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/plotdataitem.txt b/documentation/build/html/_sources/graphicsItems/plotdataitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..275084e95465d6b62683118a3d9307a62ddf9d8d
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/plotdataitem.txt
@@ -0,0 +1,8 @@
+PlotDataItem
+============
+
+.. autoclass:: pyqtgraph.PlotDataItem
+    :members:
+
+    .. automethod:: pyqtgraph.PlotDataItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/plotitem.txt b/documentation/build/html/_sources/graphicsItems/plotitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..cbf5f9f4148fddda8b2376f32ac91dde73be9e90
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/plotitem.txt
@@ -0,0 +1,7 @@
+PlotItem
+========
+
+.. autoclass:: pyqtgraph.PlotItem
+    :members:
+
+    .. automethod:: pyqtgraph.PlotItem.__init__
diff --git a/documentation/build/html/_sources/graphicsItems/roi.txt b/documentation/build/html/_sources/graphicsItems/roi.txt
new file mode 100644
index 0000000000000000000000000000000000000000..22945ade9526219414983f99795adcb72878b4a2
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/roi.txt
@@ -0,0 +1,8 @@
+ROI
+===
+
+.. autoclass:: pyqtgraph.ROI
+    :members:
+
+    .. automethod:: pyqtgraph.ROI.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/scalebar.txt b/documentation/build/html/_sources/graphicsItems/scalebar.txt
new file mode 100644
index 0000000000000000000000000000000000000000..2ab3396777adc785f10853c33236628ce03ce28a
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/scalebar.txt
@@ -0,0 +1,8 @@
+ScaleBar
+========
+
+.. autoclass:: pyqtgraph.ScaleBar
+    :members:
+
+    .. automethod:: pyqtgraph.ScaleBar.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/scatterplotitem.txt b/documentation/build/html/_sources/graphicsItems/scatterplotitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..be2c874bfaaf6f9728a04faf4644b6a2d44fac1d
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/scatterplotitem.txt
@@ -0,0 +1,8 @@
+ScatterPlotItem
+===============
+
+.. autoclass:: pyqtgraph.ScatterPlotItem
+    :members:
+
+    .. automethod:: pyqtgraph.ScatterPlotItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/uigraphicsitem.txt b/documentation/build/html/_sources/graphicsItems/uigraphicsitem.txt
new file mode 100644
index 0000000000000000000000000000000000000000..4f0b99339e816197b5762f53f16cfa4ce935ecc7
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/uigraphicsitem.txt
@@ -0,0 +1,8 @@
+UIGraphicsItem
+==============
+
+.. autoclass:: pyqtgraph.UIGraphicsItem
+    :members:
+
+    .. automethod:: pyqtgraph.UIGraphicsItem.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/viewbox.txt b/documentation/build/html/_sources/graphicsItems/viewbox.txt
new file mode 100644
index 0000000000000000000000000000000000000000..3593d2953fea459ee1c508d195c22ed8ea17bea4
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/viewbox.txt
@@ -0,0 +1,8 @@
+ViewBox
+=======
+
+.. autoclass:: pyqtgraph.ViewBox
+    :members:
+
+    .. automethod:: pyqtgraph.ViewBox.__init__
+
diff --git a/documentation/build/html/_sources/graphicsItems/vtickgroup.txt b/documentation/build/html/_sources/graphicsItems/vtickgroup.txt
new file mode 100644
index 0000000000000000000000000000000000000000..342705de1b36dc7fdb51d6986f83032a8c513aea
--- /dev/null
+++ b/documentation/build/html/_sources/graphicsItems/vtickgroup.txt
@@ -0,0 +1,8 @@
+VTickGroup
+==========
+
+.. autoclass:: pyqtgraph.VTickGroup
+    :members:
+
+    .. automethod:: pyqtgraph.VTickGroup.__init__
+
diff --git a/documentation/build/html/_sources/graphicswindow.txt b/documentation/build/html/_sources/graphicswindow.txt
new file mode 100644
index 0000000000000000000000000000000000000000..3d5641c3d57d54bb5ea603faa4a26f46f89a9f0f
--- /dev/null
+++ b/documentation/build/html/_sources/graphicswindow.txt
@@ -0,0 +1,8 @@
+Basic display widgets
+=====================
+
+ - GraphicsWindow
+ - GraphicsView
+ - GraphicsLayoutItem
+ - ViewBox
+
diff --git a/documentation/build/html/_sources/how_to_use.txt b/documentation/build/html/_sources/how_to_use.txt
new file mode 100644
index 0000000000000000000000000000000000000000..74e901d04b6f48d76a06ee424fbc25f21504ff7c
--- /dev/null
+++ b/documentation/build/html/_sources/how_to_use.txt
@@ -0,0 +1,47 @@
+How to use pyqtgraph
+====================
+
+There are a few suggested ways to use pyqtgraph:
+    
+* From the interactive shell (python -i, ipython, etc)
+* Displaying pop-up windows from an application
+* Embedding widgets in a PyQt application
+
+
+
+Command-line use
+----------------
+
+Pyqtgraph makes it very easy to visualize data from the command line. Observe::
+    
+    import pyqtgraph as pg
+    pg.plot(data)   # data can be a list of values or a numpy array
+
+The example above would open a window displaying a line plot of the data given. I don't think it could reasonably be any simpler than that. The call to pg.plot returns a handle to the plot widget that is created, allowing more data to be added to the same window.
+
+Further examples::
+    
+    pw = pg.plot(xVals, yVals, pen='r')  # plot x vs y in red
+    pw.plot(xVals, yVals2, pen='b')
+    
+    win = pg.GraphicsWindow()  # Automatically generates grids with multiple items
+    win.addPlot(data1, row=0, col=0)
+    win.addPlot(data2, row=0, col=1)
+    win.addPlot(data3, row=1, col=0, colspan=2)
+
+    pg.show(imageData)  # imageData must be a numpy array with 2 to 4 dimensions
+    
+We're only scratching the surface here--these functions accept many different data formats and options for customizing the appearance of your data.
+
+
+Displaying windows from within an application
+---------------------------------------------
+
+While I consider this approach somewhat lazy, it is often the case that 'lazy' is indistinguishable from 'highly efficient'. The approach here is simply to use the very same functions that would be used on the command line, but from within an existing application. I often use this when I simply want to get a immediate feedback about the state of data in my application without taking the time to build a user interface for it.
+
+
+Embedding widgets inside PyQt applications
+------------------------------------------
+
+For the serious application developer, all of the functionality in pyqtgraph is available via widgets that can be embedded just like any other Qt widgets. Most importantly, see: PlotWidget, ImageView, GraphicsView, GraphicsLayoutWidget. Pyqtgraph's widgets can be included in Designer's ui files via the "Promote To..." functionality.
+
diff --git a/documentation/build/html/_sources/images.txt b/documentation/build/html/_sources/images.txt
new file mode 100644
index 0000000000000000000000000000000000000000..461a9cb7ade43a77e24ff614636a7443295c1f04
--- /dev/null
+++ b/documentation/build/html/_sources/images.txt
@@ -0,0 +1,26 @@
+Displaying images and video
+===========================
+
+Pyqtgraph displays 2D numpy arrays as images and provides tools for determining how to translate between the numpy data type and RGB values on the screen. If you want to display data from common image and video file formats, you will need to load the data first using another library (PIL works well for images and built-in numpy conversion). 
+
+The easiest way to display 2D or 3D data is using the :func:`pyqtgraph.image` function::
+    
+    import pyqtgraph as pg
+    pg.image(imageData)
+    
+This function will accept any floating-point or integer data types and displays a single :class:`~pyqtgraph.ImageView` widget containing your data. This widget includes controls for determining how the image data will be converted to 32-bit RGBa values. Conversion happens in two steps (both are optional):
+    
+1. Scale and offset the data (by selecting the dark/light levels on the displayed histogram)
+2. Convert the data to color using a lookup table (determined by the colors shown in the gradient editor)
+
+If the data is 3D (time, x, y), then a time axis will be shown with a slider that can set the currently displayed frame. (if the axes in your data are ordered differently, use numpy.transpose to rearrange them)
+
+There are a few other methods for displaying images as well:
+   
+* The :class:`~pyqtgraph.ImageView` class can also be instantiated directly and embedded in Qt applications.
+* Instances of :class:`~pyqtgraph.ImageItem` can be used inside a GraphicsView.
+* For higher performance, use :class:`~pyqtgraph.RawImageWidget`.
+
+Any of these classes are acceptable for displaying video by calling setImage() to display a new frame. To increase performance, the image processing system uses scipy.weave to produce compiled libraries. If your computer has a compiler available, weave will automatically attempt to build the libraries it needs on demand. If this fails, then the slower pure-python methods will be used instead. 
+
+For more information, see the classes listed above and the 'VideoSpeedTest', 'ImageItem', 'ImageView', and 'HistogramLUT' :ref:`examples`.
\ No newline at end of file
diff --git a/documentation/build/html/_sources/index.txt b/documentation/build/html/_sources/index.txt
new file mode 100644
index 0000000000000000000000000000000000000000..aa6753ef481b9ff8ca70a5f4b0c78c79c4a0f197
--- /dev/null
+++ b/documentation/build/html/_sources/index.txt
@@ -0,0 +1,32 @@
+.. pyqtgraph documentation master file, created by
+   sphinx-quickstart on Fri Nov 18 19:33:12 2011.
+   You can adapt this file completely to your liking, but it should at least
+   contain the root `toctree` directive.
+
+Welcome to the documentation for pyqtgraph 1.8
+==============================================
+
+Contents:
+
+.. toctree::
+    :maxdepth: 2
+
+    introduction
+    how_to_use
+    plotting
+    images
+    style
+    region_of_interest
+    graphicswindow
+    parametertree
+    internals
+    apireference
+    
+
+Indices and tables
+==================
+
+* :ref:`genindex`
+* :ref:`modindex`
+* :ref:`search`
+
diff --git a/documentation/build/html/_sources/introduction.txt b/documentation/build/html/_sources/introduction.txt
new file mode 100644
index 0000000000000000000000000000000000000000..c5c1dfabdf1601b027ba985181b61fe3dcf0037b
--- /dev/null
+++ b/documentation/build/html/_sources/introduction.txt
@@ -0,0 +1,51 @@
+Introduction
+============
+
+
+
+What is pyqtgraph?
+------------------
+
+Pyqtgraph is a graphics and user interface library for Python that provides functionality commonly required in engineering and science applications. Its primary goals are 1) to provide fast, interactive graphics for displaying data (plots, video, etc.) and 2) to provide tools to aid in rapid application development (for example, property trees such as used in Qt Designer).
+
+Pyqtgraph makes heavy use of the Qt GUI platform (via PyQt or PySide) for its high-performance graphics and numpy for heavy number crunching. In particular, pyqtgraph uses Qt's GraphicsView framework which is a highly capable graphics system on its own; we bring optimized and simplified primitives to this framework to allow data visualization with minimal effort. 
+
+It is known to run on Linux, Windows, and OSX
+
+
+What can it do?
+---------------
+
+Amongst the core features of pyqtgraph are:
+
+* Basic data visualization primitives: Images, line and scatter plots
+* Fast enough for realtime update of video/plot data
+* Interactive scaling/panning, averaging, FFTs, SVG/PNG export
+* Widgets for marking/selecting plot regions
+* Widgets for marking/selecting image region-of-interest and automatically slicing multi-dimensional image data
+* Framework for building customized image region-of-interest widgets
+* Docking system that replaces/complements Qt's dock system to allow more complex (and more predictable) docking arrangements
+* ParameterTree widget for rapid prototyping of dynamic interfaces (Similar to the property trees in Qt Designer and many other applications)
+
+
+.. _examples:
+
+Examples
+--------
+
+Pyqtgraph includes an extensive set of examples that can be accessed by running::
+    
+    import pyqtgraph.examples
+    pyqtgraph.examples.run()
+
+This will start a launcher with a list of available examples. Select an item from the list to view its source code and double-click an item to run the example.
+
+
+How does it compare to...
+-------------------------
+
+* matplotlib: For plotting and making publication-quality graphics, matplotlib is far more mature than pyqtgraph. However, matplotlib is also much slower and not suitable for applications requiring realtime update of plots/video or rapid interactivity. It also does not provide any of the GUI tools and image interaction/slicing functionality in pyqtgraph.
+
+* pyqwt5: pyqwt is generally more mature than pyqtgraph for plotting and is about as fast. The major differences are 1) pyqtgraph is written in pure python, so it is somewhat more portable than pyqwt, which often lags behind pyqt in development (and can be a pain to install on some platforms) and 2) like matplotlib, pyqwt does not provide any of the GUI tools and image interaction/slicing functionality in pyqtgraph.
+
+(My experience with these libraries is somewhat outdated; please correct me if I am wrong here)
diff --git a/documentation/build/html/_sources/parametertree.txt b/documentation/build/html/_sources/parametertree.txt
new file mode 100644
index 0000000000000000000000000000000000000000..de699492273d0593cacc87fa03fe54ac68dac0d6
--- /dev/null
+++ b/documentation/build/html/_sources/parametertree.txt
@@ -0,0 +1,7 @@
+Rapid GUI prototyping
+=====================
+
+ - parametertree
+ - dockarea
+ - flowchart
+ - canvas
diff --git a/documentation/build/html/_sources/plotting.txt b/documentation/build/html/_sources/plotting.txt
new file mode 100644
index 0000000000000000000000000000000000000000..ee9ed6dc0283638a6815f6b561cfabdd14c858a7
--- /dev/null
+++ b/documentation/build/html/_sources/plotting.txt
@@ -0,0 +1,73 @@
+Plotting in pyqtgraph
+=====================
+
+There are a few basic ways to plot data in pyqtgraph: 
+
+================================================================ ==================================================
+:func:`pyqtgraph.plot`                                           Create a new plot window showing your data
+:func:`PlotWidget.plot() <pyqtgraph.PlotWidget.plot>`            Add a new set of data to an existing plot widget
+:func:`PlotItem.plot() <pyqtgraph.PlotItem.plot>`                Add a new set of data to an existing plot widget
+:func:`GraphicsWindow.addPlot() <pyqtgraph.GraphicsWindow.plot>` Add a new plot to a grid of plots
+================================================================ ==================================================
+
+All of these will accept the same basic arguments which control how the plot data is interpreted and displayed:
+    
+* x - Optional X data; if not specified, then a range of integers will be generated automatically.
+* y - Y data.
+* pen - The pen to use when drawing plot lines, or None to disable lines.
+* symbol - A string describing the shape of symbols to use for each point. Optionally, this may also be a sequence of strings with a different symbol for each point.
+* symbolPen - The pen (or sequence of pens) to use when drawing the symbol outline.
+* symbolBrush - The brush (or sequence of brushes) to use when filling the symbol.
+* fillLevel - Fills the area under the plot curve to this Y-value.
+* brush - The brush to use when filling under the curve.
+    
+See the 'plotting' :ref:`example <examples>` for a demonstration of these arguments.
+    
+All of the above functions also return handles to the objects that are created, allowing the plots and data to be further modified.
+
+Organization of Plotting Classes
+--------------------------------
+
+There are several classes invloved in displaying plot data. Most of these classes are instantiated automatically, but it is useful to understand how they are organized and relate to each other. Pyqtgraph is based heavily on Qt's GraphicsView framework--if you are not already familiar with this, it's worth reading about (but not essential). Most importantly: 1) Qt GUIs are composed of QWidgets, 2) A special widget called QGraphicsView is used for displaying complex graphics, and 3) QGraphicsItems define the objects that are displayed within a QGraphicsView.
+
+* Data Classes (all subclasses of QGraphicsItem)
+    * PlotCurveItem - Displays a plot line given x,y data
+    * ScatterPlotItem - Displays points given x,y data
+    * :class:`PlotDataItem <pyqtgraph.graphicsItems.PlotDataItem.PlotDataItem>` - Combines PlotCurveItem and ScatterPlotItem. The plotting functions discussed above create objects of this type.
+* Container Classes (subclasses of QGraphicsItem; contain other QGraphicsItem objects and must be viewed from within a GraphicsView)
+    * PlotItem - Contains a ViewBox for displaying data as well as AxisItems and labels for displaying the axes and title. This is a QGraphicsItem subclass and thus may only be used from within a GraphicsView
+    * GraphicsLayoutItem - QGraphicsItem subclass which displays a grid of items. This is used to display multiple PlotItems together.
+    * ViewBox - A QGraphicsItem subclass for displaying data. The user may scale/pan the contents of a ViewBox using the mouse. Typically all PlotData/PlotCurve/ScatterPlotItems are displayed from within a ViewBox.
+    * AxisItem - Displays axis values, ticks, and labels. Most commonly used with PlotItem.
+* Container Classes (subclasses of QWidget; may be embedded in PyQt GUIs)
+    * PlotWidget - A subclass of GraphicsView with a single PlotItem displayed. Most of the methods provided by PlotItem are also available through PlotWidget.
+    * GraphicsLayoutWidget - QWidget subclass displaying a single GraphicsLayoutItem. Most of the methods provided by GraphicsLayoutItem are also available through GraphicsLayoutWidget.
+    
+.. image:: images/plottingClasses.png
+
+
+Examples
+--------
+
+See the 'plotting' and 'PlotWidget' :ref:`examples included with pyqtgraph <examples>` for more information.
+
+Show x,y data as scatter plot::
+    
+    import pyqtgraph as pg
+    import numpy as np
+    x = np.random.normal(size=1000)
+    y = np.random.normal(size=1000)
+    pg.plot(x, y, pen=None, symbol='o')  ## setting pen=None disables line drawing
+
+Create/show a plot widget, display three data curves::
+    
+    import pyqtgraph as pg
+    import numpy as np
+    x = np.arange(1000)
+    y = np.random.normal(size=(3, 1000))
+    plotWidget = pg.plot(title="Three plot curves")
+    for i in range(3):
+        plotWidget.plot(x, y[i], pen=(i,3))  ## setting pen=(i,3) automaticaly creates three different-colored pens
+    
+
+
diff --git a/documentation/build/html/_sources/region_of_interest.txt b/documentation/build/html/_sources/region_of_interest.txt
new file mode 100644
index 0000000000000000000000000000000000000000..24799cb745207939458a6671b7882248133189af
--- /dev/null
+++ b/documentation/build/html/_sources/region_of_interest.txt
@@ -0,0 +1,19 @@
+Region-of-interest controls
+===========================
+
+Slicing Multidimensional Data
+-----------------------------
+
+Linear Selection and Marking
+----------------------------
+
+2D Selection and Marking
+------------------------
+
+
+
+
+- translate / rotate / scale
+- highly configurable control handles
+- automated data slicing
+- linearregion, infiniteline
diff --git a/documentation/build/html/_sources/style.txt b/documentation/build/html/_sources/style.txt
new file mode 100644
index 0000000000000000000000000000000000000000..fc172420d5305507f1bacb14fa4458ee9e3d1b26
--- /dev/null
+++ b/documentation/build/html/_sources/style.txt
@@ -0,0 +1,17 @@
+Line, Fill, and Color
+=====================
+
+Many functions and methods in pyqtgraph accept arguments specifying the line style (pen), fill style (brush), or color. 
+
+For these function arguments, the following values may be used:
+    
+* single-character string representing color (b, g, r, c, m, y, k, w)
+* (r, g, b) or (r, g, b, a) tuple
+* single greyscale value (0.0 - 1.0)
+* (index, maximum) tuple for automatically iterating through colors (see functions.intColor)
+* QColor
+* QPen / QBrush where appropriate
+
+Notably, more complex pens and brushes can be easily built using the mkPen() / mkBrush() functions or with Qt's QPen and QBrush classes.
+
+Colors can also be built using mkColor(), intColor(), hsvColor(), or Qt's QColor class
diff --git a/documentation/build/html/_sources/widgets/checktable.txt b/documentation/build/html/_sources/widgets/checktable.txt
new file mode 100644
index 0000000000000000000000000000000000000000..5301a4e931e714e3f8480ed5c85244a7eab775ff
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/checktable.txt
@@ -0,0 +1,8 @@
+CheckTable
+==========
+
+.. autoclass:: pyqtgraph.CheckTable
+    :members:
+
+    .. automethod:: pyqtgraph.CheckTable.__init__
+
diff --git a/documentation/build/html/_sources/widgets/colorbutton.txt b/documentation/build/html/_sources/widgets/colorbutton.txt
new file mode 100644
index 0000000000000000000000000000000000000000..690239d89596264e3ea58051eecd8cd8c9650f51
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/colorbutton.txt
@@ -0,0 +1,8 @@
+ColorButton
+===========
+
+.. autoclass:: pyqtgraph.ColorButton
+    :members:
+
+    .. automethod:: pyqtgraph.ColorButton.__init__
+
diff --git a/documentation/build/html/_sources/widgets/datatreewidget.txt b/documentation/build/html/_sources/widgets/datatreewidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..f6bbdbaf962ec38c3c30633d6d28b738c02fd527
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/datatreewidget.txt
@@ -0,0 +1,8 @@
+DataTreeWidget
+==============
+
+.. autoclass:: pyqtgraph.DataTreeWidget
+    :members:
+
+    .. automethod:: pyqtgraph.DataTreeWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/dockarea.txt b/documentation/build/html/_sources/widgets/dockarea.txt
new file mode 100644
index 0000000000000000000000000000000000000000..09a6accaf4e6cbd91bf2ea7870771c8068aca089
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/dockarea.txt
@@ -0,0 +1,5 @@
+dockarea module
+===============
+
+.. automodule:: pyqtgraph.dockarea
+    :members:
diff --git a/documentation/build/html/_sources/widgets/filedialog.txt b/documentation/build/html/_sources/widgets/filedialog.txt
new file mode 100644
index 0000000000000000000000000000000000000000..bf2f9c072d978d3c3740068c7734559367935d7b
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/filedialog.txt
@@ -0,0 +1,8 @@
+FileDialog
+==========
+
+.. autoclass:: pyqtgraph.FileDialog
+    :members:
+
+    .. automethod:: pyqtgraph.FileDialog.__init__
+
diff --git a/documentation/build/html/_sources/widgets/gradientwidget.txt b/documentation/build/html/_sources/widgets/gradientwidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..a2587503a1b3981d11f6c24db00f69d0bd231e66
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/gradientwidget.txt
@@ -0,0 +1,8 @@
+GradientWidget
+==============
+
+.. autoclass:: pyqtgraph.GradientWidget
+    :members:
+
+    .. automethod:: pyqtgraph.GradientWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/graphicslayoutwidget.txt b/documentation/build/html/_sources/widgets/graphicslayoutwidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..5f885f073bb8bff780efbb9e055d66f61f220daa
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/graphicslayoutwidget.txt
@@ -0,0 +1,8 @@
+GraphicsLayoutWidget
+====================
+
+.. autoclass:: pyqtgraph.GraphicsLayoutWidget
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsLayoutWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/graphicsview.txt b/documentation/build/html/_sources/widgets/graphicsview.txt
new file mode 100644
index 0000000000000000000000000000000000000000..ac7ae3bfd7ff79405fc1dab4fc12048284c156d3
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/graphicsview.txt
@@ -0,0 +1,8 @@
+GraphicsView
+============
+
+.. autoclass:: pyqtgraph.GraphicsView
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsView.__init__
+
diff --git a/documentation/build/html/_sources/widgets/histogramlutwidget.txt b/documentation/build/html/_sources/widgets/histogramlutwidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..9d8f3b20b2cf0e30954ff7422a66e9005928ecaf
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/histogramlutwidget.txt
@@ -0,0 +1,8 @@
+HistogramLUTWidget
+==================
+
+.. autoclass:: pyqtgraph.HistogramLUTWidget
+    :members:
+
+    .. automethod:: pyqtgraph.HistogramLUTWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/imageview.txt b/documentation/build/html/_sources/widgets/imageview.txt
new file mode 100644
index 0000000000000000000000000000000000000000..1eadabbf1174f5cb269f6e34527cdaa43af88600
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/imageview.txt
@@ -0,0 +1,8 @@
+ImageView
+=========
+
+.. autoclass:: pyqtgraph.ImageView
+    :members:
+
+    .. automethod:: pyqtgraph.ImageView.__init__
+
diff --git a/documentation/build/html/_sources/widgets/index.txt b/documentation/build/html/_sources/widgets/index.txt
new file mode 100644
index 0000000000000000000000000000000000000000..bce5b0708d12b4e852834d42f0354ee082ccd7f4
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/index.txt
@@ -0,0 +1,31 @@
+Pyqtgraph's Widgets
+===================
+
+Pyqtgraph provides several QWidget subclasses which are useful for building user interfaces. These widgets can generally be used in any Qt application and provide functionality that is frequently useful in science and engineering applications.
+
+Contents:
+
+.. toctree::
+    :maxdepth: 2
+
+    plotwidget
+    imageview
+    datatreewidget
+    checktable
+    tablewidget
+    gradientwidget
+    colorbutton
+    graphicslayoutwidget
+    dockarea
+    parametertree
+    histogramlutwidget
+    progressdialog
+    spinbox
+    filedialog
+    graphicsview
+    joystickbutton
+    multiplotwidget
+    treewidget
+    verticallabel
+    rawimagewidget
+
diff --git a/documentation/build/html/_sources/widgets/joystickbutton.txt b/documentation/build/html/_sources/widgets/joystickbutton.txt
new file mode 100644
index 0000000000000000000000000000000000000000..4d21e16fcd12ed6a0de816ebeed22fd1e66a3181
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/joystickbutton.txt
@@ -0,0 +1,8 @@
+JoystickButton
+==============
+
+.. autoclass:: pyqtgraph.JoystickButton
+    :members:
+
+    .. automethod:: pyqtgraph.JoystickButton.__init__
+
diff --git a/documentation/build/html/_sources/widgets/multiplotwidget.txt b/documentation/build/html/_sources/widgets/multiplotwidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..46986db0b4818456a61487ba0fd4e44ff5318ddf
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/multiplotwidget.txt
@@ -0,0 +1,8 @@
+MultiPlotWidget
+===============
+
+.. autoclass:: pyqtgraph.MultiPlotWidget
+    :members:
+
+    .. automethod:: pyqtgraph.MultiPlotWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/parametertree.txt b/documentation/build/html/_sources/widgets/parametertree.txt
new file mode 100644
index 0000000000000000000000000000000000000000..565b930b10e468645a912e04d467deb27219fe49
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/parametertree.txt
@@ -0,0 +1,5 @@
+parametertree module
+====================
+
+.. automodule:: pyqtgraph.parametertree
+    :members:
diff --git a/documentation/build/html/_sources/widgets/plotwidget.txt b/documentation/build/html/_sources/widgets/plotwidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..cbded80dd860f1668e4fc5d4bc228fe5ba251106
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/plotwidget.txt
@@ -0,0 +1,8 @@
+PlotWidget
+==========
+
+.. autoclass:: pyqtgraph.PlotWidget
+    :members:
+
+    .. automethod:: pyqtgraph.PlotWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/progressdialog.txt b/documentation/build/html/_sources/widgets/progressdialog.txt
new file mode 100644
index 0000000000000000000000000000000000000000..fff04cb37d9d6bc870f2311b8e77c0182b1e2fb8
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/progressdialog.txt
@@ -0,0 +1,8 @@
+ProgressDialog
+==============
+
+.. autoclass:: pyqtgraph.ProgressDialog
+    :members:
+
+    .. automethod:: pyqtgraph.ProgressDialog.__init__
+
diff --git a/documentation/build/html/_sources/widgets/rawimagewidget.txt b/documentation/build/html/_sources/widgets/rawimagewidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..29fda791882dad388b94d8a1c5b9b2d6aca74735
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/rawimagewidget.txt
@@ -0,0 +1,8 @@
+RawImageWidget
+==============
+
+.. autoclass:: pyqtgraph.RawImageWidget
+    :members:
+
+    .. automethod:: pyqtgraph.RawImageWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/spinbox.txt b/documentation/build/html/_sources/widgets/spinbox.txt
new file mode 100644
index 0000000000000000000000000000000000000000..33da1f4c60ecc15918a50092169b5ff3872c2635
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/spinbox.txt
@@ -0,0 +1,8 @@
+SpinBox
+=======
+
+.. autoclass:: pyqtgraph.SpinBox
+    :members:
+
+    .. automethod:: pyqtgraph.SpinBox.__init__
+
diff --git a/documentation/build/html/_sources/widgets/tablewidget.txt b/documentation/build/html/_sources/widgets/tablewidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..283b540b5ca6fe74c7639ce390374585809833e7
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/tablewidget.txt
@@ -0,0 +1,8 @@
+TableWidget
+===========
+
+.. autoclass:: pyqtgraph.TableWidget
+    :members:
+
+    .. automethod:: pyqtgraph.TableWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/treewidget.txt b/documentation/build/html/_sources/widgets/treewidget.txt
new file mode 100644
index 0000000000000000000000000000000000000000..00f9fa2812ca11fb967ee144e327f75ecbf951cb
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/treewidget.txt
@@ -0,0 +1,8 @@
+TreeWidget
+==========
+
+.. autoclass:: pyqtgraph.TreeWidget
+    :members:
+
+    .. automethod:: pyqtgraph.TreeWidget.__init__
+
diff --git a/documentation/build/html/_sources/widgets/verticallabel.txt b/documentation/build/html/_sources/widgets/verticallabel.txt
new file mode 100644
index 0000000000000000000000000000000000000000..4f627437bedf88df99979d5fbae95ecd00958ada
--- /dev/null
+++ b/documentation/build/html/_sources/widgets/verticallabel.txt
@@ -0,0 +1,8 @@
+VerticalLabel
+=============
+
+.. autoclass:: pyqtgraph.VerticalLabel
+    :members:
+
+    .. automethod:: pyqtgraph.VerticalLabel.__init__
+
diff --git a/documentation/build/html/_static/basic.css b/documentation/build/html/_static/basic.css
new file mode 100644
index 0000000000000000000000000000000000000000..69f30d4fbe193f515cc3187d91db7216aa3544b9
--- /dev/null
+++ b/documentation/build/html/_static/basic.css
@@ -0,0 +1,509 @@
+/*
+ * basic.css
+ * ~~~~~~~~~
+ *
+ * Sphinx stylesheet -- basic theme.
+ *
+ * :copyright: Copyright 2007-2010 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+/* -- main layout ----------------------------------------------------------- */
+
+div.clearer {
+    clear: both;
+}
+
+/* -- relbar ---------------------------------------------------------------- */
+
+div.related {
+    width: 100%;
+    font-size: 90%;
+}
+
+div.related h3 {
+    display: none;
+}
+
+div.related ul {
+    margin: 0;
+    padding: 0 0 0 10px;
+    list-style: none;
+}
+
+div.related li {
+    display: inline;
+}
+
+div.related li.right {
+    float: right;
+    margin-right: 5px;
+}
+
+/* -- sidebar --------------------------------------------------------------- */
+
+div.sphinxsidebarwrapper {
+    padding: 10px 5px 0 10px;
+}
+
+div.sphinxsidebar {
+    float: left;
+    width: 230px;
+    margin-left: -100%;
+    font-size: 90%;
+}
+
+div.sphinxsidebar ul {
+    list-style: none;
+}
+
+div.sphinxsidebar ul ul,
+div.sphinxsidebar ul.want-points {
+    margin-left: 20px;
+    list-style: square;
+}
+
+div.sphinxsidebar ul ul {
+    margin-top: 0;
+    margin-bottom: 0;
+}
+
+div.sphinxsidebar form {
+    margin-top: 10px;
+}
+
+div.sphinxsidebar input {
+    border: 1px solid #98dbcc;
+    font-family: sans-serif;
+    font-size: 1em;
+}
+
+img {
+    border: 0;
+}
+
+/* -- search page ----------------------------------------------------------- */
+
+ul.search {
+    margin: 10px 0 0 20px;
+    padding: 0;
+}
+
+ul.search li {
+    padding: 5px 0 5px 20px;
+    background-image: url(file.png);
+    background-repeat: no-repeat;
+    background-position: 0 7px;
+}
+
+ul.search li a {
+    font-weight: bold;
+}
+
+ul.search li div.context {
+    color: #888;
+    margin: 2px 0 0 30px;
+    text-align: left;
+}
+
+ul.keywordmatches li.goodmatch a {
+    font-weight: bold;
+}
+
+/* -- index page ------------------------------------------------------------ */
+
+table.contentstable {
+    width: 90%;
+}
+
+table.contentstable p.biglink {
+    line-height: 150%;
+}
+
+a.biglink {
+    font-size: 1.3em;
+}
+
+span.linkdescr {
+    font-style: italic;
+    padding-top: 5px;
+    font-size: 90%;
+}
+
+/* -- general index --------------------------------------------------------- */
+
+table.indextable {
+    width: 100%;
+}
+
+table.indextable td {
+    text-align: left;
+    vertical-align: top;
+}
+
+table.indextable dl, table.indextable dd {
+    margin-top: 0;
+    margin-bottom: 0;
+}
+
+table.indextable tr.pcap {
+    height: 10px;
+}
+
+table.indextable tr.cap {
+    margin-top: 10px;
+    background-color: #f2f2f2;
+}
+
+img.toggler {
+    margin-right: 3px;
+    margin-top: 3px;
+    cursor: pointer;
+}
+
+div.modindex-jumpbox {
+    border-top: 1px solid #ddd;
+    border-bottom: 1px solid #ddd;
+    margin: 1em 0 1em 0;
+    padding: 0.4em;
+}
+
+div.genindex-jumpbox {
+    border-top: 1px solid #ddd;
+    border-bottom: 1px solid #ddd;
+    margin: 1em 0 1em 0;
+    padding: 0.4em;
+}
+
+/* -- general body styles --------------------------------------------------- */
+
+a.headerlink {
+    visibility: hidden;
+}
+
+h1:hover > a.headerlink,
+h2:hover > a.headerlink,
+h3:hover > a.headerlink,
+h4:hover > a.headerlink,
+h5:hover > a.headerlink,
+h6:hover > a.headerlink,
+dt:hover > a.headerlink {
+    visibility: visible;
+}
+
+div.body p.caption {
+    text-align: inherit;
+}
+
+div.body td {
+    text-align: left;
+}
+
+.field-list ul {
+    padding-left: 1em;
+}
+
+.first {
+    margin-top: 0 !important;
+}
+
+p.rubric {
+    margin-top: 30px;
+    font-weight: bold;
+}
+
+.align-left {
+    text-align: left;
+}
+
+.align-center {
+    clear: both;
+    text-align: center;
+}
+
+.align-right {
+    text-align: right;
+}
+
+/* -- sidebars -------------------------------------------------------------- */
+
+div.sidebar {
+    margin: 0 0 0.5em 1em;
+    border: 1px solid #ddb;
+    padding: 7px 7px 0 7px;
+    background-color: #ffe;
+    width: 40%;
+    float: right;
+}
+
+p.sidebar-title {
+    font-weight: bold;
+}
+
+/* -- topics ---------------------------------------------------------------- */
+
+div.topic {
+    border: 1px solid #ccc;
+    padding: 7px 7px 0 7px;
+    margin: 10px 0 10px 0;
+}
+
+p.topic-title {
+    font-size: 1.1em;
+    font-weight: bold;
+    margin-top: 10px;
+}
+
+/* -- admonitions ----------------------------------------------------------- */
+
+div.admonition {
+    margin-top: 10px;
+    margin-bottom: 10px;
+    padding: 7px;
+}
+
+div.admonition dt {
+    font-weight: bold;
+}
+
+div.admonition dl {
+    margin-bottom: 0;
+}
+
+p.admonition-title {
+    margin: 0px 10px 5px 0px;
+    font-weight: bold;
+}
+
+div.body p.centered {
+    text-align: center;
+    margin-top: 25px;
+}
+
+/* -- tables ---------------------------------------------------------------- */
+
+table.docutils {
+    border: 0;
+    border-collapse: collapse;
+}
+
+table.docutils td, table.docutils th {
+    padding: 1px 8px 1px 5px;
+    border-top: 0;
+    border-left: 0;
+    border-right: 0;
+    border-bottom: 1px solid #aaa;
+}
+
+table.field-list td, table.field-list th {
+    border: 0 !important;
+}
+
+table.footnote td, table.footnote th {
+    border: 0 !important;
+}
+
+th {
+    text-align: left;
+    padding-right: 5px;
+}
+
+table.citation {
+    border-left: solid 1px gray;
+    margin-left: 1px;
+}
+
+table.citation td {
+    border-bottom: none;
+}
+
+/* -- other body styles ----------------------------------------------------- */
+
+ol.arabic {
+    list-style: decimal;
+}
+
+ol.loweralpha {
+    list-style: lower-alpha;
+}
+
+ol.upperalpha {
+    list-style: upper-alpha;
+}
+
+ol.lowerroman {
+    list-style: lower-roman;
+}
+
+ol.upperroman {
+    list-style: upper-roman;
+}
+
+dl {
+    margin-bottom: 15px;
+}
+
+dd p {
+    margin-top: 0px;
+}
+
+dd ul, dd table {
+    margin-bottom: 10px;
+}
+
+dd {
+    margin-top: 3px;
+    margin-bottom: 10px;
+    margin-left: 30px;
+}
+
+dt:target, .highlighted {
+    background-color: #fbe54e;
+}
+
+dl.glossary dt {
+    font-weight: bold;
+    font-size: 1.1em;
+}
+
+.field-list ul {
+    margin: 0;
+    padding-left: 1em;
+}
+
+.field-list p {
+    margin: 0;
+}
+
+.refcount {
+    color: #060;
+}
+
+.optional {
+    font-size: 1.3em;
+}
+
+.versionmodified {
+    font-style: italic;
+}
+
+.system-message {
+    background-color: #fda;
+    padding: 5px;
+    border: 3px solid red;
+}
+
+.footnote:target  {
+    background-color: #ffa
+}
+
+.line-block {
+    display: block;
+    margin-top: 1em;
+    margin-bottom: 1em;
+}
+
+.line-block .line-block {
+    margin-top: 0;
+    margin-bottom: 0;
+    margin-left: 1.5em;
+}
+
+.guilabel, .menuselection {
+    font-family: sans-serif;
+}
+
+.accelerator {
+    text-decoration: underline;
+}
+
+.classifier {
+    font-style: oblique;
+}
+
+/* -- code displays --------------------------------------------------------- */
+
+pre {
+    overflow: auto;
+}
+
+td.linenos pre {
+    padding: 5px 0px;
+    border: 0;
+    background-color: transparent;
+    color: #aaa;
+}
+
+table.highlighttable {
+    margin-left: 0.5em;
+}
+
+table.highlighttable td {
+    padding: 0 0.5em 0 0.5em;
+}
+
+tt.descname {
+    background-color: transparent;
+    font-weight: bold;
+    font-size: 1.2em;
+}
+
+tt.descclassname {
+    background-color: transparent;
+}
+
+tt.xref, a tt {
+    background-color: transparent;
+    font-weight: bold;
+}
+
+h1 tt, h2 tt, h3 tt, h4 tt, h5 tt, h6 tt {
+    background-color: transparent;
+}
+
+.viewcode-link {
+    float: right;
+}
+
+.viewcode-back {
+    float: right;
+    font-family: sans-serif;
+}
+
+div.viewcode-block:target {
+    margin: -1px -10px;
+    padding: 0 10px;
+}
+
+/* -- math display ---------------------------------------------------------- */
+
+img.math {
+    vertical-align: middle;
+}
+
+div.body div.math p {
+    text-align: center;
+}
+
+span.eqno {
+    float: right;
+}
+
+/* -- printout stylesheet --------------------------------------------------- */
+
+@media print {
+    div.document,
+    div.documentwrapper,
+    div.bodywrapper {
+        margin: 0 !important;
+        width: 100%;
+    }
+
+    div.sphinxsidebar,
+    div.related,
+    div.footer,
+    #top-link {
+        display: none;
+    }
+}
diff --git a/documentation/build/html/_static/default.css b/documentation/build/html/_static/default.css
new file mode 100644
index 0000000000000000000000000000000000000000..b30cb790f6dc44a932f2baadbbf97ef78e790c86
--- /dev/null
+++ b/documentation/build/html/_static/default.css
@@ -0,0 +1,255 @@
+/*
+ * default.css_t
+ * ~~~~~~~~~~~~~
+ *
+ * Sphinx stylesheet -- default theme.
+ *
+ * :copyright: Copyright 2007-2010 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+@import url("basic.css");
+
+/* -- page layout ----------------------------------------------------------- */
+
+body {
+    font-family: sans-serif;
+    font-size: 100%;
+    background-color: #11303d;
+    color: #000;
+    margin: 0;
+    padding: 0;
+}
+
+div.document {
+    background-color: #1c4e63;
+}
+
+div.documentwrapper {
+    float: left;
+    width: 100%;
+}
+
+div.bodywrapper {
+    margin: 0 0 0 230px;
+}
+
+div.body {
+    background-color: #ffffff;
+    color: #000000;
+    padding: 0 20px 30px 20px;
+}
+
+div.footer {
+    color: #ffffff;
+    width: 100%;
+    padding: 9px 0 9px 0;
+    text-align: center;
+    font-size: 75%;
+}
+
+div.footer a {
+    color: #ffffff;
+    text-decoration: underline;
+}
+
+div.related {
+    background-color: #133f52;
+    line-height: 30px;
+    color: #ffffff;
+}
+
+div.related a {
+    color: #ffffff;
+}
+
+div.sphinxsidebar {
+}
+
+div.sphinxsidebar h3 {
+    font-family: 'Trebuchet MS', sans-serif;
+    color: #ffffff;
+    font-size: 1.4em;
+    font-weight: normal;
+    margin: 0;
+    padding: 0;
+}
+
+div.sphinxsidebar h3 a {
+    color: #ffffff;
+}
+
+div.sphinxsidebar h4 {
+    font-family: 'Trebuchet MS', sans-serif;
+    color: #ffffff;
+    font-size: 1.3em;
+    font-weight: normal;
+    margin: 5px 0 0 0;
+    padding: 0;
+}
+
+div.sphinxsidebar p {
+    color: #ffffff;
+}
+
+div.sphinxsidebar p.topless {
+    margin: 5px 10px 10px 10px;
+}
+
+div.sphinxsidebar ul {
+    margin: 10px;
+    padding: 0;
+    color: #ffffff;
+}
+
+div.sphinxsidebar a {
+    color: #98dbcc;
+}
+
+div.sphinxsidebar input {
+    border: 1px solid #98dbcc;
+    font-family: sans-serif;
+    font-size: 1em;
+}
+
+
+/* -- hyperlink styles ------------------------------------------------------ */
+
+a {
+    color: #355f7c;
+    text-decoration: none;
+}
+
+a:visited {
+    color: #355f7c;
+    text-decoration: none;
+}
+
+a:hover {
+    text-decoration: underline;
+}
+
+
+
+/* -- body styles ----------------------------------------------------------- */
+
+div.body h1,
+div.body h2,
+div.body h3,
+div.body h4,
+div.body h5,
+div.body h6 {
+    font-family: 'Trebuchet MS', sans-serif;
+    background-color: #f2f2f2;
+    font-weight: normal;
+    color: #20435c;
+    border-bottom: 1px solid #ccc;
+    margin: 20px -20px 10px -20px;
+    padding: 3px 0 3px 10px;
+}
+
+div.body h1 { margin-top: 0; font-size: 200%; }
+div.body h2 { font-size: 160%; }
+div.body h3 { font-size: 140%; }
+div.body h4 { font-size: 120%; }
+div.body h5 { font-size: 110%; }
+div.body h6 { font-size: 100%; }
+
+a.headerlink {
+    color: #c60f0f;
+    font-size: 0.8em;
+    padding: 0 4px 0 4px;
+    text-decoration: none;
+}
+
+a.headerlink:hover {
+    background-color: #c60f0f;
+    color: white;
+}
+
+div.body p, div.body dd, div.body li {
+    text-align: justify;
+    line-height: 130%;
+}
+
+div.admonition p.admonition-title + p {
+    display: inline;
+}
+
+div.admonition p {
+    margin-bottom: 5px;
+}
+
+div.admonition pre {
+    margin-bottom: 5px;
+}
+
+div.admonition ul, div.admonition ol {
+    margin-bottom: 5px;
+}
+
+div.note {
+    background-color: #eee;
+    border: 1px solid #ccc;
+}
+
+div.seealso {
+    background-color: #ffc;
+    border: 1px solid #ff6;
+}
+
+div.topic {
+    background-color: #eee;
+}
+
+div.warning {
+    background-color: #ffe4e4;
+    border: 1px solid #f66;
+}
+
+p.admonition-title {
+    display: inline;
+}
+
+p.admonition-title:after {
+    content: ":";
+}
+
+pre {
+    padding: 5px;
+    background-color: #eeffcc;
+    color: #333333;
+    line-height: 120%;
+    border: 1px solid #ac9;
+    border-left: none;
+    border-right: none;
+}
+
+tt {
+    background-color: #ecf0f3;
+    padding: 0 1px 0 1px;
+    font-size: 0.95em;
+}
+
+th {
+    background-color: #ede;
+}
+
+.warning tt {
+    background: #efc2c2;
+}
+
+.note tt {
+    background: #d6d6d6;
+}
+
+.viewcode-back {
+    font-family: sans-serif;
+}
+
+div.viewcode-block:target {
+    background-color: #f4debf;
+    border-top: 1px solid #ac9;
+    border-bottom: 1px solid #ac9;
+}
\ No newline at end of file
diff --git a/documentation/build/html/_static/doctools.js b/documentation/build/html/_static/doctools.js
new file mode 100644
index 0000000000000000000000000000000000000000..eeea95ea5ffd8e5a1be5aff231c61e26a2b175f1
--- /dev/null
+++ b/documentation/build/html/_static/doctools.js
@@ -0,0 +1,247 @@
+/*
+ * doctools.js
+ * ~~~~~~~~~~~
+ *
+ * Sphinx JavaScript utilties for all documentation.
+ *
+ * :copyright: Copyright 2007-2010 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+/**
+ * select a different prefix for underscore
+ */
+$u = _.noConflict();
+
+/**
+ * make the code below compatible with browsers without
+ * an installed firebug like debugger
+if (!window.console || !console.firebug) {
+  var names = ["log", "debug", "info", "warn", "error", "assert", "dir",
+    "dirxml", "group", "groupEnd", "time", "timeEnd", "count", "trace",
+    "profile", "profileEnd"];
+  window.console = {};
+  for (var i = 0; i < names.length; ++i)
+    window.console[names[i]] = function() {};
+}
+ */
+
+/**
+ * small helper function to urldecode strings
+ */
+jQuery.urldecode = function(x) {
+  return decodeURIComponent(x).replace(/\+/g, ' ');
+}
+
+/**
+ * small helper function to urlencode strings
+ */
+jQuery.urlencode = encodeURIComponent;
+
+/**
+ * This function returns the parsed url parameters of the
+ * current request. Multiple values per key are supported,
+ * it will always return arrays of strings for the value parts.
+ */
+jQuery.getQueryParameters = function(s) {
+  if (typeof s == 'undefined')
+    s = document.location.search;
+  var parts = s.substr(s.indexOf('?') + 1).split('&');
+  var result = {};
+  for (var i = 0; i < parts.length; i++) {
+    var tmp = parts[i].split('=', 2);
+    var key = jQuery.urldecode(tmp[0]);
+    var value = jQuery.urldecode(tmp[1]);
+    if (key in result)
+      result[key].push(value);
+    else
+      result[key] = [value];
+  }
+  return result;
+};
+
+/**
+ * small function to check if an array contains
+ * a given item.
+ */
+jQuery.contains = function(arr, item) {
+  for (var i = 0; i < arr.length; i++) {
+    if (arr[i] == item)
+      return true;
+  }
+  return false;
+};
+
+/**
+ * highlight a given string on a jquery object by wrapping it in
+ * span elements with the given class name.
+ */
+jQuery.fn.highlightText = function(text, className) {
+  function highlight(node) {
+    if (node.nodeType == 3) {
+      var val = node.nodeValue;
+      var pos = val.toLowerCase().indexOf(text);
+      if (pos >= 0 && !jQuery(node.parentNode).hasClass(className)) {
+        var span = document.createElement("span");
+        span.className = className;
+        span.appendChild(document.createTextNode(val.substr(pos, text.length)));
+        node.parentNode.insertBefore(span, node.parentNode.insertBefore(
+          document.createTextNode(val.substr(pos + text.length)),
+          node.nextSibling));
+        node.nodeValue = val.substr(0, pos);
+      }
+    }
+    else if (!jQuery(node).is("button, select, textarea")) {
+      jQuery.each(node.childNodes, function() {
+        highlight(this);
+      });
+    }
+  }
+  return this.each(function() {
+    highlight(this);
+  });
+};
+
+/**
+ * Small JavaScript module for the documentation.
+ */
+var Documentation = {
+
+  init : function() {
+    this.fixFirefoxAnchorBug();
+    this.highlightSearchWords();
+    this.initIndexTable();
+  },
+
+  /**
+   * i18n support
+   */
+  TRANSLATIONS : {},
+  PLURAL_EXPR : function(n) { return n == 1 ? 0 : 1; },
+  LOCALE : 'unknown',
+
+  // gettext and ngettext don't access this so that the functions
+  // can safely bound to a different name (_ = Documentation.gettext)
+  gettext : function(string) {
+    var translated = Documentation.TRANSLATIONS[string];
+    if (typeof translated == 'undefined')
+      return string;
+    return (typeof translated == 'string') ? translated : translated[0];
+  },
+
+  ngettext : function(singular, plural, n) {
+    var translated = Documentation.TRANSLATIONS[singular];
+    if (typeof translated == 'undefined')
+      return (n == 1) ? singular : plural;
+    return translated[Documentation.PLURALEXPR(n)];
+  },
+
+  addTranslations : function(catalog) {
+    for (var key in catalog.messages)
+      this.TRANSLATIONS[key] = catalog.messages[key];
+    this.PLURAL_EXPR = new Function('n', 'return +(' + catalog.plural_expr + ')');
+    this.LOCALE = catalog.locale;
+  },
+
+  /**
+   * add context elements like header anchor links
+   */
+  addContextElements : function() {
+    $('div[id] > :header:first').each(function() {
+      $('<a class="headerlink">\u00B6</a>').
+      attr('href', '#' + this.id).
+      attr('title', _('Permalink to this headline')).
+      appendTo(this);
+    });
+    $('dt[id]').each(function() {
+      $('<a class="headerlink">\u00B6</a>').
+      attr('href', '#' + this.id).
+      attr('title', _('Permalink to this definition')).
+      appendTo(this);
+    });
+  },
+
+  /**
+   * workaround a firefox stupidity
+   */
+  fixFirefoxAnchorBug : function() {
+    if (document.location.hash && $.browser.mozilla)
+      window.setTimeout(function() {
+        document.location.href += '';
+      }, 10);
+  },
+
+  /**
+   * highlight the search words provided in the url in the text
+   */
+  highlightSearchWords : function() {
+    var params = $.getQueryParameters();
+    var terms = (params.highlight) ? params.highlight[0].split(/\s+/) : [];
+    if (terms.length) {
+      var body = $('div.body');
+      window.setTimeout(function() {
+        $.each(terms, function() {
+          body.highlightText(this.toLowerCase(), 'highlighted');
+        });
+      }, 10);
+      $('<li class="highlight-link"><a href="javascript:Documentation.' +
+        'hideSearchWords()">' + _('Hide Search Matches') + '</a></li>')
+          .appendTo($('.sidebar .this-page-menu'));
+    }
+  },
+
+  /**
+   * init the domain index toggle buttons
+   */
+  initIndexTable : function() {
+    var togglers = $('img.toggler').click(function() {
+      var src = $(this).attr('src');
+      var idnum = $(this).attr('id').substr(7);
+      $('tr.cg-' + idnum).toggle();
+      if (src.substr(-9) == 'minus.png')
+        $(this).attr('src', src.substr(0, src.length-9) + 'plus.png');
+      else
+        $(this).attr('src', src.substr(0, src.length-8) + 'minus.png');
+    }).css('display', '');
+    if (DOCUMENTATION_OPTIONS.COLLAPSE_INDEX) {
+        togglers.click();
+    }
+  },
+
+  /**
+   * helper function to hide the search marks again
+   */
+  hideSearchWords : function() {
+    $('.sidebar .this-page-menu li.highlight-link').fadeOut(300);
+    $('span.highlighted').removeClass('highlighted');
+  },
+
+  /**
+   * make the url absolute
+   */
+  makeURL : function(relativeURL) {
+    return DOCUMENTATION_OPTIONS.URL_ROOT + '/' + relativeURL;
+  },
+
+  /**
+   * get the current relative url
+   */
+  getCurrentURL : function() {
+    var path = document.location.pathname;
+    var parts = path.split(/\//);
+    $.each(DOCUMENTATION_OPTIONS.URL_ROOT.split(/\//), function() {
+      if (this == '..')
+        parts.pop();
+    });
+    var url = parts.join('/');
+    return path.substring(url.lastIndexOf('/') + 1, path.length - 1);
+  }
+};
+
+// quick alias for translations
+_ = Documentation.gettext;
+
+$(document).ready(function() {
+  Documentation.init();
+});
diff --git a/documentation/build/html/_static/file.png b/documentation/build/html/_static/file.png
new file mode 100644
index 0000000000000000000000000000000000000000..d18082e397e7e54f20721af768c4c2983258f1b4
Binary files /dev/null and b/documentation/build/html/_static/file.png differ
diff --git a/documentation/build/html/_static/jquery.js b/documentation/build/html/_static/jquery.js
new file mode 100644
index 0000000000000000000000000000000000000000..5c99a8d4a8889f15947dc465a69c6fa286dfddee
--- /dev/null
+++ b/documentation/build/html/_static/jquery.js
@@ -0,0 +1,8176 @@
+/*!
+ * jQuery JavaScript Library v1.5
+ * http://jquery.com/
+ *
+ * Copyright 2011, John Resig
+ * Dual licensed under the MIT or GPL Version 2 licenses.
+ * http://jquery.org/license
+ *
+ * Includes Sizzle.js
+ * http://sizzlejs.com/
+ * Copyright 2011, The Dojo Foundation
+ * Released under the MIT, BSD, and GPL Licenses.
+ *
+ * Date: Mon Jan 31 08:31:29 2011 -0500
+ */
+(function( window, undefined ) {
+
+// Use the correct document accordingly with window argument (sandbox)
+var document = window.document;
+var jQuery = (function() {
+
+// Define a local copy of jQuery
+var jQuery = function( selector, context ) {
+		// The jQuery object is actually just the init constructor 'enhanced'
+		return new jQuery.fn.init( selector, context, rootjQuery );
+	},
+
+	// Map over jQuery in case of overwrite
+	_jQuery = window.jQuery,
+
+	// Map over the $ in case of overwrite
+	_$ = window.$,
+
+	// A central reference to the root jQuery(document)
+	rootjQuery,
+
+	// A simple way to check for HTML strings or ID strings
+	// (both of which we optimize for)
+	quickExpr = /^(?:[^<]*(<[\w\W]+>)[^>]*$|#([\w\-]+)$)/,
+
+	// Check if a string has a non-whitespace character in it
+	rnotwhite = /\S/,
+
+	// Used for trimming whitespace
+	trimLeft = /^\s+/,
+	trimRight = /\s+$/,
+
+	// Check for digits
+	rdigit = /\d/,
+
+	// Match a standalone tag
+	rsingleTag = /^<(\w+)\s*\/?>(?:<\/\1>)?$/,
+
+	// JSON RegExp
+	rvalidchars = /^[\],:{}\s]*$/,
+	rvalidescape = /\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,
+	rvalidtokens = /"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,
+	rvalidbraces = /(?:^|:|,)(?:\s*\[)+/g,
+
+	// Useragent RegExp
+	rwebkit = /(webkit)[ \/]([\w.]+)/,
+	ropera = /(opera)(?:.*version)?[ \/]([\w.]+)/,
+	rmsie = /(msie) ([\w.]+)/,
+	rmozilla = /(mozilla)(?:.*? rv:([\w.]+))?/,
+
+	// Keep a UserAgent string for use with jQuery.browser
+	userAgent = navigator.userAgent,
+
+	// For matching the engine and version of the browser
+	browserMatch,
+
+	// Has the ready events already been bound?
+	readyBound = false,
+
+	// The deferred used on DOM ready
+	readyList,
+
+	// Promise methods
+	promiseMethods = "then done fail isResolved isRejected promise".split( " " ),
+
+	// The ready event handler
+	DOMContentLoaded,
+
+	// Save a reference to some core methods
+	toString = Object.prototype.toString,
+	hasOwn = Object.prototype.hasOwnProperty,
+	push = Array.prototype.push,
+	slice = Array.prototype.slice,
+	trim = String.prototype.trim,
+	indexOf = Array.prototype.indexOf,
+
+	// [[Class]] -> type pairs
+	class2type = {};
+
+jQuery.fn = jQuery.prototype = {
+	constructor: jQuery,
+	init: function( selector, context, rootjQuery ) {
+		var match, elem, ret, doc;
+
+		// Handle $(""), $(null), or $(undefined)
+		if ( !selector ) {
+			return this;
+		}
+
+		// Handle $(DOMElement)
+		if ( selector.nodeType ) {
+			this.context = this[0] = selector;
+			this.length = 1;
+			return this;
+		}
+
+		// The body element only exists once, optimize finding it
+		if ( selector === "body" && !context && document.body ) {
+			this.context = document;
+			this[0] = document.body;
+			this.selector = "body";
+			this.length = 1;
+			return this;
+		}
+
+		// Handle HTML strings
+		if ( typeof selector === "string" ) {
+			// Are we dealing with HTML string or an ID?
+			match = quickExpr.exec( selector );
+
+			// Verify a match, and that no context was specified for #id
+			if ( match && (match[1] || !context) ) {
+
+				// HANDLE: $(html) -> $(array)
+				if ( match[1] ) {
+					context = context instanceof jQuery ? context[0] : context;
+					doc = (context ? context.ownerDocument || context : document);
+
+					// If a single string is passed in and it's a single tag
+					// just do a createElement and skip the rest
+					ret = rsingleTag.exec( selector );
+
+					if ( ret ) {
+						if ( jQuery.isPlainObject( context ) ) {
+							selector = [ document.createElement( ret[1] ) ];
+							jQuery.fn.attr.call( selector, context, true );
+
+						} else {
+							selector = [ doc.createElement( ret[1] ) ];
+						}
+
+					} else {
+						ret = jQuery.buildFragment( [ match[1] ], [ doc ] );
+						selector = (ret.cacheable ? jQuery.clone(ret.fragment) : ret.fragment).childNodes;
+					}
+
+					return jQuery.merge( this, selector );
+
+				// HANDLE: $("#id")
+				} else {
+					elem = document.getElementById( match[2] );
+
+					// Check parentNode to catch when Blackberry 4.6 returns
+					// nodes that are no longer in the document #6963
+					if ( elem && elem.parentNode ) {
+						// Handle the case where IE and Opera return items
+						// by name instead of ID
+						if ( elem.id !== match[2] ) {
+							return rootjQuery.find( selector );
+						}
+
+						// Otherwise, we inject the element directly into the jQuery object
+						this.length = 1;
+						this[0] = elem;
+					}
+
+					this.context = document;
+					this.selector = selector;
+					return this;
+				}
+
+			// HANDLE: $(expr, $(...))
+			} else if ( !context || context.jquery ) {
+				return (context || rootjQuery).find( selector );
+
+			// HANDLE: $(expr, context)
+			// (which is just equivalent to: $(context).find(expr)
+			} else {
+				return this.constructor( context ).find( selector );
+			}
+
+		// HANDLE: $(function)
+		// Shortcut for document ready
+		} else if ( jQuery.isFunction( selector ) ) {
+			return rootjQuery.ready( selector );
+		}
+
+		if (selector.selector !== undefined) {
+			this.selector = selector.selector;
+			this.context = selector.context;
+		}
+
+		return jQuery.makeArray( selector, this );
+	},
+
+	// Start with an empty selector
+	selector: "",
+
+	// The current version of jQuery being used
+	jquery: "1.5",
+
+	// The default length of a jQuery object is 0
+	length: 0,
+
+	// The number of elements contained in the matched element set
+	size: function() {
+		return this.length;
+	},
+
+	toArray: function() {
+		return slice.call( this, 0 );
+	},
+
+	// Get the Nth element in the matched element set OR
+	// Get the whole matched element set as a clean array
+	get: function( num ) {
+		return num == null ?
+
+			// Return a 'clean' array
+			this.toArray() :
+
+			// Return just the object
+			( num < 0 ? this[ this.length + num ] : this[ num ] );
+	},
+
+	// Take an array of elements and push it onto the stack
+	// (returning the new matched element set)
+	pushStack: function( elems, name, selector ) {
+		// Build a new jQuery matched element set
+		var ret = this.constructor();
+
+		if ( jQuery.isArray( elems ) ) {
+			push.apply( ret, elems );
+
+		} else {
+			jQuery.merge( ret, elems );
+		}
+
+		// Add the old object onto the stack (as a reference)
+		ret.prevObject = this;
+
+		ret.context = this.context;
+
+		if ( name === "find" ) {
+			ret.selector = this.selector + (this.selector ? " " : "") + selector;
+		} else if ( name ) {
+			ret.selector = this.selector + "." + name + "(" + selector + ")";
+		}
+
+		// Return the newly-formed element set
+		return ret;
+	},
+
+	// Execute a callback for every element in the matched set.
+	// (You can seed the arguments with an array of args, but this is
+	// only used internally.)
+	each: function( callback, args ) {
+		return jQuery.each( this, callback, args );
+	},
+
+	ready: function( fn ) {
+		// Attach the listeners
+		jQuery.bindReady();
+
+		// Add the callback
+		readyList.done( fn );
+
+		return this;
+	},
+
+	eq: function( i ) {
+		return i === -1 ?
+			this.slice( i ) :
+			this.slice( i, +i + 1 );
+	},
+
+	first: function() {
+		return this.eq( 0 );
+	},
+
+	last: function() {
+		return this.eq( -1 );
+	},
+
+	slice: function() {
+		return this.pushStack( slice.apply( this, arguments ),
+			"slice", slice.call(arguments).join(",") );
+	},
+
+	map: function( callback ) {
+		return this.pushStack( jQuery.map(this, function( elem, i ) {
+			return callback.call( elem, i, elem );
+		}));
+	},
+
+	end: function() {
+		return this.prevObject || this.constructor(null);
+	},
+
+	// For internal use only.
+	// Behaves like an Array's method, not like a jQuery method.
+	push: push,
+	sort: [].sort,
+	splice: [].splice
+};
+
+// Give the init function the jQuery prototype for later instantiation
+jQuery.fn.init.prototype = jQuery.fn;
+
+jQuery.extend = jQuery.fn.extend = function() {
+	 var options, name, src, copy, copyIsArray, clone,
+		target = arguments[0] || {},
+		i = 1,
+		length = arguments.length,
+		deep = false;
+
+	// Handle a deep copy situation
+	if ( typeof target === "boolean" ) {
+		deep = target;
+		target = arguments[1] || {};
+		// skip the boolean and the target
+		i = 2;
+	}
+
+	// Handle case when target is a string or something (possible in deep copy)
+	if ( typeof target !== "object" && !jQuery.isFunction(target) ) {
+		target = {};
+	}
+
+	// extend jQuery itself if only one argument is passed
+	if ( length === i ) {
+		target = this;
+		--i;
+	}
+
+	for ( ; i < length; i++ ) {
+		// Only deal with non-null/undefined values
+		if ( (options = arguments[ i ]) != null ) {
+			// Extend the base object
+			for ( name in options ) {
+				src = target[ name ];
+				copy = options[ name ];
+
+				// Prevent never-ending loop
+				if ( target === copy ) {
+					continue;
+				}
+
+				// Recurse if we're merging plain objects or arrays
+				if ( deep && copy && ( jQuery.isPlainObject(copy) || (copyIsArray = jQuery.isArray(copy)) ) ) {
+					if ( copyIsArray ) {
+						copyIsArray = false;
+						clone = src && jQuery.isArray(src) ? src : [];
+
+					} else {
+						clone = src && jQuery.isPlainObject(src) ? src : {};
+					}
+
+					// Never move original objects, clone them
+					target[ name ] = jQuery.extend( deep, clone, copy );
+
+				// Don't bring in undefined values
+				} else if ( copy !== undefined ) {
+					target[ name ] = copy;
+				}
+			}
+		}
+	}
+
+	// Return the modified object
+	return target;
+};
+
+jQuery.extend({
+	noConflict: function( deep ) {
+		window.$ = _$;
+
+		if ( deep ) {
+			window.jQuery = _jQuery;
+		}
+
+		return jQuery;
+	},
+
+	// Is the DOM ready to be used? Set to true once it occurs.
+	isReady: false,
+
+	// A counter to track how many items to wait for before
+	// the ready event fires. See #6781
+	readyWait: 1,
+
+	// Handle when the DOM is ready
+	ready: function( wait ) {
+		// A third-party is pushing the ready event forwards
+		if ( wait === true ) {
+			jQuery.readyWait--;
+		}
+
+		// Make sure that the DOM is not already loaded
+		if ( !jQuery.readyWait || (wait !== true && !jQuery.isReady) ) {
+			// Make sure body exists, at least, in case IE gets a little overzealous (ticket #5443).
+			if ( !document.body ) {
+				return setTimeout( jQuery.ready, 1 );
+			}
+
+			// Remember that the DOM is ready
+			jQuery.isReady = true;
+
+			// If a normal DOM Ready event fired, decrement, and wait if need be
+			if ( wait !== true && --jQuery.readyWait > 0 ) {
+				return;
+			}
+
+			// If there are functions bound, to execute
+			readyList.resolveWith( document, [ jQuery ] );
+
+			// Trigger any bound ready events
+			if ( jQuery.fn.trigger ) {
+				jQuery( document ).trigger( "ready" ).unbind( "ready" );
+			}
+		}
+	},
+
+	bindReady: function() {
+		if ( readyBound ) {
+			return;
+		}
+
+		readyBound = true;
+
+		// Catch cases where $(document).ready() is called after the
+		// browser event has already occurred.
+		if ( document.readyState === "complete" ) {
+			// Handle it asynchronously to allow scripts the opportunity to delay ready
+			return setTimeout( jQuery.ready, 1 );
+		}
+
+		// Mozilla, Opera and webkit nightlies currently support this event
+		if ( document.addEventListener ) {
+			// Use the handy event callback
+			document.addEventListener( "DOMContentLoaded", DOMContentLoaded, false );
+
+			// A fallback to window.onload, that will always work
+			window.addEventListener( "load", jQuery.ready, false );
+
+		// If IE event model is used
+		} else if ( document.attachEvent ) {
+			// ensure firing before onload,
+			// maybe late but safe also for iframes
+			document.attachEvent("onreadystatechange", DOMContentLoaded);
+
+			// A fallback to window.onload, that will always work
+			window.attachEvent( "onload", jQuery.ready );
+
+			// If IE and not a frame
+			// continually check to see if the document is ready
+			var toplevel = false;
+
+			try {
+				toplevel = window.frameElement == null;
+			} catch(e) {}
+
+			if ( document.documentElement.doScroll && toplevel ) {
+				doScrollCheck();
+			}
+		}
+	},
+
+	// See test/unit/core.js for details concerning isFunction.
+	// Since version 1.3, DOM methods and functions like alert
+	// aren't supported. They return false on IE (#2968).
+	isFunction: function( obj ) {
+		return jQuery.type(obj) === "function";
+	},
+
+	isArray: Array.isArray || function( obj ) {
+		return jQuery.type(obj) === "array";
+	},
+
+	// A crude way of determining if an object is a window
+	isWindow: function( obj ) {
+		return obj && typeof obj === "object" && "setInterval" in obj;
+	},
+
+	isNaN: function( obj ) {
+		return obj == null || !rdigit.test( obj ) || isNaN( obj );
+	},
+
+	type: function( obj ) {
+		return obj == null ?
+			String( obj ) :
+			class2type[ toString.call(obj) ] || "object";
+	},
+
+	isPlainObject: function( obj ) {
+		// Must be an Object.
+		// Because of IE, we also have to check the presence of the constructor property.
+		// Make sure that DOM nodes and window objects don't pass through, as well
+		if ( !obj || jQuery.type(obj) !== "object" || obj.nodeType || jQuery.isWindow( obj ) ) {
+			return false;
+		}
+
+		// Not own constructor property must be Object
+		if ( obj.constructor &&
+			!hasOwn.call(obj, "constructor") &&
+			!hasOwn.call(obj.constructor.prototype, "isPrototypeOf") ) {
+			return false;
+		}
+
+		// Own properties are enumerated firstly, so to speed up,
+		// if last one is own, then all properties are own.
+
+		var key;
+		for ( key in obj ) {}
+
+		return key === undefined || hasOwn.call( obj, key );
+	},
+
+	isEmptyObject: function( obj ) {
+		for ( var name in obj ) {
+			return false;
+		}
+		return true;
+	},
+
+	error: function( msg ) {
+		throw msg;
+	},
+
+	parseJSON: function( data ) {
+		if ( typeof data !== "string" || !data ) {
+			return null;
+		}
+
+		// Make sure leading/trailing whitespace is removed (IE can't handle it)
+		data = jQuery.trim( data );
+
+		// Make sure the incoming data is actual JSON
+		// Logic borrowed from http://json.org/json2.js
+		if ( rvalidchars.test(data.replace(rvalidescape, "@")
+			.replace(rvalidtokens, "]")
+			.replace(rvalidbraces, "")) ) {
+
+			// Try to use the native JSON parser first
+			return window.JSON && window.JSON.parse ?
+				window.JSON.parse( data ) :
+				(new Function("return " + data))();
+
+		} else {
+			jQuery.error( "Invalid JSON: " + data );
+		}
+	},
+
+	// Cross-browser xml parsing
+	// (xml & tmp used internally)
+	parseXML: function( data , xml , tmp ) {
+
+		if ( window.DOMParser ) { // Standard
+			tmp = new DOMParser();
+			xml = tmp.parseFromString( data , "text/xml" );
+		} else { // IE
+			xml = new ActiveXObject( "Microsoft.XMLDOM" );
+			xml.async = "false";
+			xml.loadXML( data );
+		}
+
+		tmp = xml.documentElement;
+
+		if ( ! tmp || ! tmp.nodeName || tmp.nodeName === "parsererror" ) {
+			jQuery.error( "Invalid XML: " + data );
+		}
+
+		return xml;
+	},
+
+	noop: function() {},
+
+	// Evalulates a script in a global context
+	globalEval: function( data ) {
+		if ( data && rnotwhite.test(data) ) {
+			// Inspired by code by Andrea Giammarchi
+			// http://webreflection.blogspot.com/2007/08/global-scope-evaluation-and-dom.html
+			var head = document.getElementsByTagName("head")[0] || document.documentElement,
+				script = document.createElement("script");
+
+			script.type = "text/javascript";
+
+			if ( jQuery.support.scriptEval() ) {
+				script.appendChild( document.createTextNode( data ) );
+			} else {
+				script.text = data;
+			}
+
+			// Use insertBefore instead of appendChild to circumvent an IE6 bug.
+			// This arises when a base node is used (#2709).
+			head.insertBefore( script, head.firstChild );
+			head.removeChild( script );
+		}
+	},
+
+	nodeName: function( elem, name ) {
+		return elem.nodeName && elem.nodeName.toUpperCase() === name.toUpperCase();
+	},
+
+	// args is for internal usage only
+	each: function( object, callback, args ) {
+		var name, i = 0,
+			length = object.length,
+			isObj = length === undefined || jQuery.isFunction(object);
+
+		if ( args ) {
+			if ( isObj ) {
+				for ( name in object ) {
+					if ( callback.apply( object[ name ], args ) === false ) {
+						break;
+					}
+				}
+			} else {
+				for ( ; i < length; ) {
+					if ( callback.apply( object[ i++ ], args ) === false ) {
+						break;
+					}
+				}
+			}
+
+		// A special, fast, case for the most common use of each
+		} else {
+			if ( isObj ) {
+				for ( name in object ) {
+					if ( callback.call( object[ name ], name, object[ name ] ) === false ) {
+						break;
+					}
+				}
+			} else {
+				for ( var value = object[0];
+					i < length && callback.call( value, i, value ) !== false; value = object[++i] ) {}
+			}
+		}
+
+		return object;
+	},
+
+	// Use native String.trim function wherever possible
+	trim: trim ?
+		function( text ) {
+			return text == null ?
+				"" :
+				trim.call( text );
+		} :
+
+		// Otherwise use our own trimming functionality
+		function( text ) {
+			return text == null ?
+				"" :
+				text.toString().replace( trimLeft, "" ).replace( trimRight, "" );
+		},
+
+	// results is for internal usage only
+	makeArray: function( array, results ) {
+		var ret = results || [];
+
+		if ( array != null ) {
+			// The window, strings (and functions) also have 'length'
+			// The extra typeof function check is to prevent crashes
+			// in Safari 2 (See: #3039)
+			// Tweaked logic slightly to handle Blackberry 4.7 RegExp issues #6930
+			var type = jQuery.type(array);
+
+			if ( array.length == null || type === "string" || type === "function" || type === "regexp" || jQuery.isWindow( array ) ) {
+				push.call( ret, array );
+			} else {
+				jQuery.merge( ret, array );
+			}
+		}
+
+		return ret;
+	},
+
+	inArray: function( elem, array ) {
+		if ( array.indexOf ) {
+			return array.indexOf( elem );
+		}
+
+		for ( var i = 0, length = array.length; i < length; i++ ) {
+			if ( array[ i ] === elem ) {
+				return i;
+			}
+		}
+
+		return -1;
+	},
+
+	merge: function( first, second ) {
+		var i = first.length,
+			j = 0;
+
+		if ( typeof second.length === "number" ) {
+			for ( var l = second.length; j < l; j++ ) {
+				first[ i++ ] = second[ j ];
+			}
+
+		} else {
+			while ( second[j] !== undefined ) {
+				first[ i++ ] = second[ j++ ];
+			}
+		}
+
+		first.length = i;
+
+		return first;
+	},
+
+	grep: function( elems, callback, inv ) {
+		var ret = [], retVal;
+		inv = !!inv;
+
+		// Go through the array, only saving the items
+		// that pass the validator function
+		for ( var i = 0, length = elems.length; i < length; i++ ) {
+			retVal = !!callback( elems[ i ], i );
+			if ( inv !== retVal ) {
+				ret.push( elems[ i ] );
+			}
+		}
+
+		return ret;
+	},
+
+	// arg is for internal usage only
+	map: function( elems, callback, arg ) {
+		var ret = [], value;
+
+		// Go through the array, translating each of the items to their
+		// new value (or values).
+		for ( var i = 0, length = elems.length; i < length; i++ ) {
+			value = callback( elems[ i ], i, arg );
+
+			if ( value != null ) {
+				ret[ ret.length ] = value;
+			}
+		}
+
+		// Flatten any nested arrays
+		return ret.concat.apply( [], ret );
+	},
+
+	// A global GUID counter for objects
+	guid: 1,
+
+	proxy: function( fn, proxy, thisObject ) {
+		if ( arguments.length === 2 ) {
+			if ( typeof proxy === "string" ) {
+				thisObject = fn;
+				fn = thisObject[ proxy ];
+				proxy = undefined;
+
+			} else if ( proxy && !jQuery.isFunction( proxy ) ) {
+				thisObject = proxy;
+				proxy = undefined;
+			}
+		}
+
+		if ( !proxy && fn ) {
+			proxy = function() {
+				return fn.apply( thisObject || this, arguments );
+			};
+		}
+
+		// Set the guid of unique handler to the same of original handler, so it can be removed
+		if ( fn ) {
+			proxy.guid = fn.guid = fn.guid || proxy.guid || jQuery.guid++;
+		}
+
+		// So proxy can be declared as an argument
+		return proxy;
+	},
+
+	// Mutifunctional method to get and set values to a collection
+	// The value/s can be optionally by executed if its a function
+	access: function( elems, key, value, exec, fn, pass ) {
+		var length = elems.length;
+
+		// Setting many attributes
+		if ( typeof key === "object" ) {
+			for ( var k in key ) {
+				jQuery.access( elems, k, key[k], exec, fn, value );
+			}
+			return elems;
+		}
+
+		// Setting one attribute
+		if ( value !== undefined ) {
+			// Optionally, function values get executed if exec is true
+			exec = !pass && exec && jQuery.isFunction(value);
+
+			for ( var i = 0; i < length; i++ ) {
+				fn( elems[i], key, exec ? value.call( elems[i], i, fn( elems[i], key ) ) : value, pass );
+			}
+
+			return elems;
+		}
+
+		// Getting an attribute
+		return length ? fn( elems[0], key ) : undefined;
+	},
+
+	now: function() {
+		return (new Date()).getTime();
+	},
+
+	// Create a simple deferred (one callbacks list)
+	_Deferred: function() {
+		var // callbacks list
+			callbacks = [],
+			// stored [ context , args ]
+			fired,
+			// to avoid firing when already doing so
+			firing,
+			// flag to know if the deferred has been cancelled
+			cancelled,
+			// the deferred itself
+			deferred  = {
+
+				// done( f1, f2, ...)
+				done: function() {
+					if ( !cancelled ) {
+						var args = arguments,
+							i,
+							length,
+							elem,
+							type,
+							_fired;
+						if ( fired ) {
+							_fired = fired;
+							fired = 0;
+						}
+						for ( i = 0, length = args.length; i < length; i++ ) {
+							elem = args[ i ];
+							type = jQuery.type( elem );
+							if ( type === "array" ) {
+								deferred.done.apply( deferred, elem );
+							} else if ( type === "function" ) {
+								callbacks.push( elem );
+							}
+						}
+						if ( _fired ) {
+							deferred.resolveWith( _fired[ 0 ], _fired[ 1 ] );
+						}
+					}
+					return this;
+				},
+
+				// resolve with given context and args
+				resolveWith: function( context, args ) {
+					if ( !cancelled && !fired && !firing ) {
+						firing = 1;
+						try {
+							while( callbacks[ 0 ] ) {
+								callbacks.shift().apply( context, args );
+							}
+						}
+						finally {
+							fired = [ context, args ];
+							firing = 0;
+						}
+					}
+					return this;
+				},
+
+				// resolve with this as context and given arguments
+				resolve: function() {
+					deferred.resolveWith( jQuery.isFunction( this.promise ) ? this.promise() : this, arguments );
+					return this;
+				},
+
+				// Has this deferred been resolved?
+				isResolved: function() {
+					return !!( firing || fired );
+				},
+
+				// Cancel
+				cancel: function() {
+					cancelled = 1;
+					callbacks = [];
+					return this;
+				}
+			};
+
+		return deferred;
+	},
+
+	// Full fledged deferred (two callbacks list)
+	Deferred: function( func ) {
+		var deferred = jQuery._Deferred(),
+			failDeferred = jQuery._Deferred(),
+			promise;
+		// Add errorDeferred methods, then and promise
+		jQuery.extend( deferred, {
+			then: function( doneCallbacks, failCallbacks ) {
+				deferred.done( doneCallbacks ).fail( failCallbacks );
+				return this;
+			},
+			fail: failDeferred.done,
+			rejectWith: failDeferred.resolveWith,
+			reject: failDeferred.resolve,
+			isRejected: failDeferred.isResolved,
+			// Get a promise for this deferred
+			// If obj is provided, the promise aspect is added to the object
+			promise: function( obj , i /* internal */ ) {
+				if ( obj == null ) {
+					if ( promise ) {
+						return promise;
+					}
+					promise = obj = {};
+				}
+				i = promiseMethods.length;
+				while( i-- ) {
+					obj[ promiseMethods[ i ] ] = deferred[ promiseMethods[ i ] ];
+				}
+				return obj;
+			}
+		} );
+		// Make sure only one callback list will be used
+		deferred.then( failDeferred.cancel, deferred.cancel );
+		// Unexpose cancel
+		delete deferred.cancel;
+		// Call given func if any
+		if ( func ) {
+			func.call( deferred, deferred );
+		}
+		return deferred;
+	},
+
+	// Deferred helper
+	when: function( object ) {
+		var args = arguments,
+			length = args.length,
+			deferred = length <= 1 && object && jQuery.isFunction( object.promise ) ?
+				object :
+				jQuery.Deferred(),
+			promise = deferred.promise(),
+			resolveArray;
+
+		if ( length > 1 ) {
+			resolveArray = new Array( length );
+			jQuery.each( args, function( index, element ) {
+				jQuery.when( element ).then( function( value ) {
+					resolveArray[ index ] = arguments.length > 1 ? slice.call( arguments, 0 ) : value;
+					if( ! --length ) {
+						deferred.resolveWith( promise, resolveArray );
+					}
+				}, deferred.reject );
+			} );
+		} else if ( deferred !== object ) {
+			deferred.resolve( object );
+		}
+		return promise;
+	},
+
+	// Use of jQuery.browser is frowned upon.
+	// More details: http://docs.jquery.com/Utilities/jQuery.browser
+	uaMatch: function( ua ) {
+		ua = ua.toLowerCase();
+
+		var match = rwebkit.exec( ua ) ||
+			ropera.exec( ua ) ||
+			rmsie.exec( ua ) ||
+			ua.indexOf("compatible") < 0 && rmozilla.exec( ua ) ||
+			[];
+
+		return { browser: match[1] || "", version: match[2] || "0" };
+	},
+
+	sub: function() {
+		function jQuerySubclass( selector, context ) {
+			return new jQuerySubclass.fn.init( selector, context );
+		}
+		jQuery.extend( true, jQuerySubclass, this );
+		jQuerySubclass.superclass = this;
+		jQuerySubclass.fn = jQuerySubclass.prototype = this();
+		jQuerySubclass.fn.constructor = jQuerySubclass;
+		jQuerySubclass.subclass = this.subclass;
+		jQuerySubclass.fn.init = function init( selector, context ) {
+			if ( context && context instanceof jQuery && !(context instanceof jQuerySubclass) ) {
+				context = jQuerySubclass(context);
+			}
+
+			return jQuery.fn.init.call( this, selector, context, rootjQuerySubclass );
+		};
+		jQuerySubclass.fn.init.prototype = jQuerySubclass.fn;
+		var rootjQuerySubclass = jQuerySubclass(document);
+		return jQuerySubclass;
+	},
+
+	browser: {}
+});
+
+// Create readyList deferred
+readyList = jQuery._Deferred();
+
+// Populate the class2type map
+jQuery.each("Boolean Number String Function Array Date RegExp Object".split(" "), function(i, name) {
+	class2type[ "[object " + name + "]" ] = name.toLowerCase();
+});
+
+browserMatch = jQuery.uaMatch( userAgent );
+if ( browserMatch.browser ) {
+	jQuery.browser[ browserMatch.browser ] = true;
+	jQuery.browser.version = browserMatch.version;
+}
+
+// Deprecated, use jQuery.browser.webkit instead
+if ( jQuery.browser.webkit ) {
+	jQuery.browser.safari = true;
+}
+
+if ( indexOf ) {
+	jQuery.inArray = function( elem, array ) {
+		return indexOf.call( array, elem );
+	};
+}
+
+// IE doesn't match non-breaking spaces with \s
+if ( rnotwhite.test( "\xA0" ) ) {
+	trimLeft = /^[\s\xA0]+/;
+	trimRight = /[\s\xA0]+$/;
+}
+
+// All jQuery objects should point back to these
+rootjQuery = jQuery(document);
+
+// Cleanup functions for the document ready method
+if ( document.addEventListener ) {
+	DOMContentLoaded = function() {
+		document.removeEventListener( "DOMContentLoaded", DOMContentLoaded, false );
+		jQuery.ready();
+	};
+
+} else if ( document.attachEvent ) {
+	DOMContentLoaded = function() {
+		// Make sure body exists, at least, in case IE gets a little overzealous (ticket #5443).
+		if ( document.readyState === "complete" ) {
+			document.detachEvent( "onreadystatechange", DOMContentLoaded );
+			jQuery.ready();
+		}
+	};
+}
+
+// The DOM ready check for Internet Explorer
+function doScrollCheck() {
+	if ( jQuery.isReady ) {
+		return;
+	}
+
+	try {
+		// If IE is used, use the trick by Diego Perini
+		// http://javascript.nwbox.com/IEContentLoaded/
+		document.documentElement.doScroll("left");
+	} catch(e) {
+		setTimeout( doScrollCheck, 1 );
+		return;
+	}
+
+	// and execute any waiting functions
+	jQuery.ready();
+}
+
+// Expose jQuery to the global object
+return (window.jQuery = window.$ = jQuery);
+
+})();
+
+
+(function() {
+
+	jQuery.support = {};
+
+	var div = document.createElement("div");
+
+	div.style.display = "none";
+	div.innerHTML = "   <link/><table></table><a href='/a' style='color:red;float:left;opacity:.55;'>a</a><input type='checkbox'/>";
+
+	var all = div.getElementsByTagName("*"),
+		a = div.getElementsByTagName("a")[0],
+		select = document.createElement("select"),
+		opt = select.appendChild( document.createElement("option") );
+
+	// Can't get basic test support
+	if ( !all || !all.length || !a ) {
+		return;
+	}
+
+	jQuery.support = {
+		// IE strips leading whitespace when .innerHTML is used
+		leadingWhitespace: div.firstChild.nodeType === 3,
+
+		// Make sure that tbody elements aren't automatically inserted
+		// IE will insert them into empty tables
+		tbody: !div.getElementsByTagName("tbody").length,
+
+		// Make sure that link elements get serialized correctly by innerHTML
+		// This requires a wrapper element in IE
+		htmlSerialize: !!div.getElementsByTagName("link").length,
+
+		// Get the style information from getAttribute
+		// (IE uses .cssText insted)
+		style: /red/.test( a.getAttribute("style") ),
+
+		// Make sure that URLs aren't manipulated
+		// (IE normalizes it by default)
+		hrefNormalized: a.getAttribute("href") === "/a",
+
+		// Make sure that element opacity exists
+		// (IE uses filter instead)
+		// Use a regex to work around a WebKit issue. See #5145
+		opacity: /^0.55$/.test( a.style.opacity ),
+
+		// Verify style float existence
+		// (IE uses styleFloat instead of cssFloat)
+		cssFloat: !!a.style.cssFloat,
+
+		// Make sure that if no value is specified for a checkbox
+		// that it defaults to "on".
+		// (WebKit defaults to "" instead)
+		checkOn: div.getElementsByTagName("input")[0].value === "on",
+
+		// Make sure that a selected-by-default option has a working selected property.
+		// (WebKit defaults to false instead of true, IE too, if it's in an optgroup)
+		optSelected: opt.selected,
+
+		// Will be defined later
+		deleteExpando: true,
+		optDisabled: false,
+		checkClone: false,
+		_scriptEval: null,
+		noCloneEvent: true,
+		boxModel: null,
+		inlineBlockNeedsLayout: false,
+		shrinkWrapBlocks: false,
+		reliableHiddenOffsets: true
+	};
+
+	// Make sure that the options inside disabled selects aren't marked as disabled
+	// (WebKit marks them as diabled)
+	select.disabled = true;
+	jQuery.support.optDisabled = !opt.disabled;
+
+	jQuery.support.scriptEval = function() {
+		if ( jQuery.support._scriptEval === null ) {
+			var root = document.documentElement,
+				script = document.createElement("script"),
+				id = "script" + jQuery.now();
+
+			script.type = "text/javascript";
+			try {
+				script.appendChild( document.createTextNode( "window." + id + "=1;" ) );
+			} catch(e) {}
+
+			root.insertBefore( script, root.firstChild );
+
+			// Make sure that the execution of code works by injecting a script
+			// tag with appendChild/createTextNode
+			// (IE doesn't support this, fails, and uses .text instead)
+			if ( window[ id ] ) {
+				jQuery.support._scriptEval = true;
+				delete window[ id ];
+			} else {
+				jQuery.support._scriptEval = false;
+			}
+
+			root.removeChild( script );
+			// release memory in IE
+			root = script = id  = null;
+		}
+
+		return jQuery.support._scriptEval;
+	};
+
+	// Test to see if it's possible to delete an expando from an element
+	// Fails in Internet Explorer
+	try {
+		delete div.test;
+
+	} catch(e) {
+		jQuery.support.deleteExpando = false;
+	}
+
+	if ( div.attachEvent && div.fireEvent ) {
+		div.attachEvent("onclick", function click() {
+			// Cloning a node shouldn't copy over any
+			// bound event handlers (IE does this)
+			jQuery.support.noCloneEvent = false;
+			div.detachEvent("onclick", click);
+		});
+		div.cloneNode(true).fireEvent("onclick");
+	}
+
+	div = document.createElement("div");
+	div.innerHTML = "<input type='radio' name='radiotest' checked='checked'/>";
+
+	var fragment = document.createDocumentFragment();
+	fragment.appendChild( div.firstChild );
+
+	// WebKit doesn't clone checked state correctly in fragments
+	jQuery.support.checkClone = fragment.cloneNode(true).cloneNode(true).lastChild.checked;
+
+	// Figure out if the W3C box model works as expected
+	// document.body must exist before we can do this
+	jQuery(function() {
+		var div = document.createElement("div"),
+			body = document.getElementsByTagName("body")[0];
+
+		// Frameset documents with no body should not run this code
+		if ( !body ) {
+			return;
+		}
+
+		div.style.width = div.style.paddingLeft = "1px";
+		body.appendChild( div );
+		jQuery.boxModel = jQuery.support.boxModel = div.offsetWidth === 2;
+
+		if ( "zoom" in div.style ) {
+			// Check if natively block-level elements act like inline-block
+			// elements when setting their display to 'inline' and giving
+			// them layout
+			// (IE < 8 does this)
+			div.style.display = "inline";
+			div.style.zoom = 1;
+			jQuery.support.inlineBlockNeedsLayout = div.offsetWidth === 2;
+
+			// Check if elements with layout shrink-wrap their children
+			// (IE 6 does this)
+			div.style.display = "";
+			div.innerHTML = "<div style='width:4px;'></div>";
+			jQuery.support.shrinkWrapBlocks = div.offsetWidth !== 2;
+		}
+
+		div.innerHTML = "<table><tr><td style='padding:0;border:0;display:none'></td><td>t</td></tr></table>";
+		var tds = div.getElementsByTagName("td");
+
+		// Check if table cells still have offsetWidth/Height when they are set
+		// to display:none and there are still other visible table cells in a
+		// table row; if so, offsetWidth/Height are not reliable for use when
+		// determining if an element has been hidden directly using
+		// display:none (it is still safe to use offsets if a parent element is
+		// hidden; don safety goggles and see bug #4512 for more information).
+		// (only IE 8 fails this test)
+		jQuery.support.reliableHiddenOffsets = tds[0].offsetHeight === 0;
+
+		tds[0].style.display = "";
+		tds[1].style.display = "none";
+
+		// Check if empty table cells still have offsetWidth/Height
+		// (IE < 8 fail this test)
+		jQuery.support.reliableHiddenOffsets = jQuery.support.reliableHiddenOffsets && tds[0].offsetHeight === 0;
+		div.innerHTML = "";
+
+		body.removeChild( div ).style.display = "none";
+		div = tds = null;
+	});
+
+	// Technique from Juriy Zaytsev
+	// http://thinkweb2.com/projects/prototype/detecting-event-support-without-browser-sniffing/
+	var eventSupported = function( eventName ) {
+		var el = document.createElement("div");
+		eventName = "on" + eventName;
+
+		// We only care about the case where non-standard event systems
+		// are used, namely in IE. Short-circuiting here helps us to
+		// avoid an eval call (in setAttribute) which can cause CSP
+		// to go haywire. See: https://developer.mozilla.org/en/Security/CSP
+		if ( !el.attachEvent ) {
+			return true;
+		}
+
+		var isSupported = (eventName in el);
+		if ( !isSupported ) {
+			el.setAttribute(eventName, "return;");
+			isSupported = typeof el[eventName] === "function";
+		}
+		el = null;
+
+		return isSupported;
+	};
+
+	jQuery.support.submitBubbles = eventSupported("submit");
+	jQuery.support.changeBubbles = eventSupported("change");
+
+	// release memory in IE
+	div = all = a = null;
+})();
+
+
+
+var rbrace = /^(?:\{.*\}|\[.*\])$/;
+
+jQuery.extend({
+	cache: {},
+
+	// Please use with caution
+	uuid: 0,
+
+	// Unique for each copy of jQuery on the page
+	// Non-digits removed to match rinlinejQuery
+	expando: "jQuery" + ( jQuery.fn.jquery + Math.random() ).replace( /\D/g, "" ),
+
+	// The following elements throw uncatchable exceptions if you
+	// attempt to add expando properties to them.
+	noData: {
+		"embed": true,
+		// Ban all objects except for Flash (which handle expandos)
+		"object": "clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",
+		"applet": true
+	},
+
+	hasData: function( elem ) {
+		elem = elem.nodeType ? jQuery.cache[ elem[jQuery.expando] ] : elem[ jQuery.expando ];
+
+		return !!elem && !jQuery.isEmptyObject(elem);
+	},
+
+	data: function( elem, name, data, pvt /* Internal Use Only */ ) {
+		if ( !jQuery.acceptData( elem ) ) {
+			return;
+		}
+
+		var internalKey = jQuery.expando, getByName = typeof name === "string", thisCache,
+
+			// We have to handle DOM nodes and JS objects differently because IE6-7
+			// can't GC object references properly across the DOM-JS boundary
+			isNode = elem.nodeType,
+
+			// Only DOM nodes need the global jQuery cache; JS object data is
+			// attached directly to the object so GC can occur automatically
+			cache = isNode ? jQuery.cache : elem,
+
+			// Only defining an ID for JS objects if its cache already exists allows
+			// the code to shortcut on the same path as a DOM node with no cache
+			id = isNode ? elem[ jQuery.expando ] : elem[ jQuery.expando ] && jQuery.expando;
+
+		// Avoid doing any more work than we need to when trying to get data on an
+		// object that has no data at all
+		if ( (!id || (pvt && id && !cache[ id ][ internalKey ])) && getByName && data === undefined ) {
+			return;
+		}
+
+		if ( !id ) {
+			// Only DOM nodes need a new unique ID for each element since their data
+			// ends up in the global cache
+			if ( isNode ) {
+				elem[ jQuery.expando ] = id = ++jQuery.uuid;
+			} else {
+				id = jQuery.expando;
+			}
+		}
+
+		if ( !cache[ id ] ) {
+			cache[ id ] = {};
+		}
+
+		// An object can be passed to jQuery.data instead of a key/value pair; this gets
+		// shallow copied over onto the existing cache
+		if ( typeof name === "object" ) {
+			if ( pvt ) {
+				cache[ id ][ internalKey ] = jQuery.extend(cache[ id ][ internalKey ], name);
+			} else {
+				cache[ id ] = jQuery.extend(cache[ id ], name);
+			}
+		}
+
+		thisCache = cache[ id ];
+
+		// Internal jQuery data is stored in a separate object inside the object's data
+		// cache in order to avoid key collisions between internal data and user-defined
+		// data
+		if ( pvt ) {
+			if ( !thisCache[ internalKey ] ) {
+				thisCache[ internalKey ] = {};
+			}
+
+			thisCache = thisCache[ internalKey ];
+		}
+
+		if ( data !== undefined ) {
+			thisCache[ name ] = data;
+		}
+
+		// TODO: This is a hack for 1.5 ONLY. It will be removed in 1.6. Users should
+		// not attempt to inspect the internal events object using jQuery.data, as this
+		// internal data object is undocumented and subject to change.
+		if ( name === "events" && !thisCache[name] ) {
+			return thisCache[ internalKey ] && thisCache[ internalKey ].events;
+		}
+
+		return getByName ? thisCache[ name ] : thisCache;
+	},
+
+	removeData: function( elem, name, pvt /* Internal Use Only */ ) {
+		if ( !jQuery.acceptData( elem ) ) {
+			return;
+		}
+
+		var internalKey = jQuery.expando, isNode = elem.nodeType,
+
+			// See jQuery.data for more information
+			cache = isNode ? jQuery.cache : elem,
+
+			// See jQuery.data for more information
+			id = isNode ? elem[ jQuery.expando ] : jQuery.expando;
+
+		// If there is already no cache entry for this object, there is no
+		// purpose in continuing
+		if ( !cache[ id ] ) {
+			return;
+		}
+
+		if ( name ) {
+			var thisCache = pvt ? cache[ id ][ internalKey ] : cache[ id ];
+
+			if ( thisCache ) {
+				delete thisCache[ name ];
+
+				// If there is no data left in the cache, we want to continue
+				// and let the cache object itself get destroyed
+				if ( !jQuery.isEmptyObject(thisCache) ) {
+					return;
+				}
+			}
+		}
+
+		// See jQuery.data for more information
+		if ( pvt ) {
+			delete cache[ id ][ internalKey ];
+
+			// Don't destroy the parent cache unless the internal data object
+			// had been the only thing left in it
+			if ( !jQuery.isEmptyObject(cache[ id ]) ) {
+				return;
+			}
+		}
+
+		var internalCache = cache[ id ][ internalKey ];
+
+		// Browsers that fail expando deletion also refuse to delete expandos on
+		// the window, but it will allow it on all other JS objects; other browsers
+		// don't care
+		if ( jQuery.support.deleteExpando || cache != window ) {
+			delete cache[ id ];
+		} else {
+			cache[ id ] = null;
+		}
+
+		// We destroyed the entire user cache at once because it's faster than
+		// iterating through each key, but we need to continue to persist internal
+		// data if it existed
+		if ( internalCache ) {
+			cache[ id ] = {};
+			cache[ id ][ internalKey ] = internalCache;
+
+		// Otherwise, we need to eliminate the expando on the node to avoid
+		// false lookups in the cache for entries that no longer exist
+		} else if ( isNode ) {
+			// IE does not allow us to delete expando properties from nodes,
+			// nor does it have a removeAttribute function on Document nodes;
+			// we must handle all of these cases
+			if ( jQuery.support.deleteExpando ) {
+				delete elem[ jQuery.expando ];
+			} else if ( elem.removeAttribute ) {
+				elem.removeAttribute( jQuery.expando );
+			} else {
+				elem[ jQuery.expando ] = null;
+			}
+		}
+	},
+
+	// For internal use only.
+	_data: function( elem, name, data ) {
+		return jQuery.data( elem, name, data, true );
+	},
+
+	// A method for determining if a DOM node can handle the data expando
+	acceptData: function( elem ) {
+		if ( elem.nodeName ) {
+			var match = jQuery.noData[ elem.nodeName.toLowerCase() ];
+
+			if ( match ) {
+				return !(match === true || elem.getAttribute("classid") !== match);
+			}
+		}
+
+		return true;
+	}
+});
+
+jQuery.fn.extend({
+	data: function( key, value ) {
+		var data = null;
+
+		if ( typeof key === "undefined" ) {
+			if ( this.length ) {
+				data = jQuery.data( this[0] );
+
+				if ( this[0].nodeType === 1 ) {
+					var attr = this[0].attributes, name;
+					for ( var i = 0, l = attr.length; i < l; i++ ) {
+						name = attr[i].name;
+
+						if ( name.indexOf( "data-" ) === 0 ) {
+							name = name.substr( 5 );
+							dataAttr( this[0], name, data[ name ] );
+						}
+					}
+				}
+			}
+
+			return data;
+
+		} else if ( typeof key === "object" ) {
+			return this.each(function() {
+				jQuery.data( this, key );
+			});
+		}
+
+		var parts = key.split(".");
+		parts[1] = parts[1] ? "." + parts[1] : "";
+
+		if ( value === undefined ) {
+			data = this.triggerHandler("getData" + parts[1] + "!", [parts[0]]);
+
+			// Try to fetch any internally stored data first
+			if ( data === undefined && this.length ) {
+				data = jQuery.data( this[0], key );
+				data = dataAttr( this[0], key, data );
+			}
+
+			return data === undefined && parts[1] ?
+				this.data( parts[0] ) :
+				data;
+
+		} else {
+			return this.each(function() {
+				var $this = jQuery( this ),
+					args = [ parts[0], value ];
+
+				$this.triggerHandler( "setData" + parts[1] + "!", args );
+				jQuery.data( this, key, value );
+				$this.triggerHandler( "changeData" + parts[1] + "!", args );
+			});
+		}
+	},
+
+	removeData: function( key ) {
+		return this.each(function() {
+			jQuery.removeData( this, key );
+		});
+	}
+});
+
+function dataAttr( elem, key, data ) {
+	// If nothing was found internally, try to fetch any
+	// data from the HTML5 data-* attribute
+	if ( data === undefined && elem.nodeType === 1 ) {
+		data = elem.getAttribute( "data-" + key );
+
+		if ( typeof data === "string" ) {
+			try {
+				data = data === "true" ? true :
+				data === "false" ? false :
+				data === "null" ? null :
+				!jQuery.isNaN( data ) ? parseFloat( data ) :
+					rbrace.test( data ) ? jQuery.parseJSON( data ) :
+					data;
+			} catch( e ) {}
+
+			// Make sure we set the data so it isn't changed later
+			jQuery.data( elem, key, data );
+
+		} else {
+			data = undefined;
+		}
+	}
+
+	return data;
+}
+
+
+
+
+jQuery.extend({
+	queue: function( elem, type, data ) {
+		if ( !elem ) {
+			return;
+		}
+
+		type = (type || "fx") + "queue";
+		var q = jQuery._data( elem, type );
+
+		// Speed up dequeue by getting out quickly if this is just a lookup
+		if ( !data ) {
+			return q || [];
+		}
+
+		if ( !q || jQuery.isArray(data) ) {
+			q = jQuery._data( elem, type, jQuery.makeArray(data) );
+
+		} else {
+			q.push( data );
+		}
+
+		return q;
+	},
+
+	dequeue: function( elem, type ) {
+		type = type || "fx";
+
+		var queue = jQuery.queue( elem, type ),
+			fn = queue.shift();
+
+		// If the fx queue is dequeued, always remove the progress sentinel
+		if ( fn === "inprogress" ) {
+			fn = queue.shift();
+		}
+
+		if ( fn ) {
+			// Add a progress sentinel to prevent the fx queue from being
+			// automatically dequeued
+			if ( type === "fx" ) {
+				queue.unshift("inprogress");
+			}
+
+			fn.call(elem, function() {
+				jQuery.dequeue(elem, type);
+			});
+		}
+
+		if ( !queue.length ) {
+			jQuery.removeData( elem, type + "queue", true );
+		}
+	}
+});
+
+jQuery.fn.extend({
+	queue: function( type, data ) {
+		if ( typeof type !== "string" ) {
+			data = type;
+			type = "fx";
+		}
+
+		if ( data === undefined ) {
+			return jQuery.queue( this[0], type );
+		}
+		return this.each(function( i ) {
+			var queue = jQuery.queue( this, type, data );
+
+			if ( type === "fx" && queue[0] !== "inprogress" ) {
+				jQuery.dequeue( this, type );
+			}
+		});
+	},
+	dequeue: function( type ) {
+		return this.each(function() {
+			jQuery.dequeue( this, type );
+		});
+	},
+
+	// Based off of the plugin by Clint Helfers, with permission.
+	// http://blindsignals.com/index.php/2009/07/jquery-delay/
+	delay: function( time, type ) {
+		time = jQuery.fx ? jQuery.fx.speeds[time] || time : time;
+		type = type || "fx";
+
+		return this.queue( type, function() {
+			var elem = this;
+			setTimeout(function() {
+				jQuery.dequeue( elem, type );
+			}, time );
+		});
+	},
+
+	clearQueue: function( type ) {
+		return this.queue( type || "fx", [] );
+	}
+});
+
+
+
+
+var rclass = /[\n\t\r]/g,
+	rspaces = /\s+/,
+	rreturn = /\r/g,
+	rspecialurl = /^(?:href|src|style)$/,
+	rtype = /^(?:button|input)$/i,
+	rfocusable = /^(?:button|input|object|select|textarea)$/i,
+	rclickable = /^a(?:rea)?$/i,
+	rradiocheck = /^(?:radio|checkbox)$/i;
+
+jQuery.props = {
+	"for": "htmlFor",
+	"class": "className",
+	readonly: "readOnly",
+	maxlength: "maxLength",
+	cellspacing: "cellSpacing",
+	rowspan: "rowSpan",
+	colspan: "colSpan",
+	tabindex: "tabIndex",
+	usemap: "useMap",
+	frameborder: "frameBorder"
+};
+
+jQuery.fn.extend({
+	attr: function( name, value ) {
+		return jQuery.access( this, name, value, true, jQuery.attr );
+	},
+
+	removeAttr: function( name, fn ) {
+		return this.each(function(){
+			jQuery.attr( this, name, "" );
+			if ( this.nodeType === 1 ) {
+				this.removeAttribute( name );
+			}
+		});
+	},
+
+	addClass: function( value ) {
+		if ( jQuery.isFunction(value) ) {
+			return this.each(function(i) {
+				var self = jQuery(this);
+				self.addClass( value.call(this, i, self.attr("class")) );
+			});
+		}
+
+		if ( value && typeof value === "string" ) {
+			var classNames = (value || "").split( rspaces );
+
+			for ( var i = 0, l = this.length; i < l; i++ ) {
+				var elem = this[i];
+
+				if ( elem.nodeType === 1 ) {
+					if ( !elem.className ) {
+						elem.className = value;
+
+					} else {
+						var className = " " + elem.className + " ",
+							setClass = elem.className;
+
+						for ( var c = 0, cl = classNames.length; c < cl; c++ ) {
+							if ( className.indexOf( " " + classNames[c] + " " ) < 0 ) {
+								setClass += " " + classNames[c];
+							}
+						}
+						elem.className = jQuery.trim( setClass );
+					}
+				}
+			}
+		}
+
+		return this;
+	},
+
+	removeClass: function( value ) {
+		if ( jQuery.isFunction(value) ) {
+			return this.each(function(i) {
+				var self = jQuery(this);
+				self.removeClass( value.call(this, i, self.attr("class")) );
+			});
+		}
+
+		if ( (value && typeof value === "string") || value === undefined ) {
+			var classNames = (value || "").split( rspaces );
+
+			for ( var i = 0, l = this.length; i < l; i++ ) {
+				var elem = this[i];
+
+				if ( elem.nodeType === 1 && elem.className ) {
+					if ( value ) {
+						var className = (" " + elem.className + " ").replace(rclass, " ");
+						for ( var c = 0, cl = classNames.length; c < cl; c++ ) {
+							className = className.replace(" " + classNames[c] + " ", " ");
+						}
+						elem.className = jQuery.trim( className );
+
+					} else {
+						elem.className = "";
+					}
+				}
+			}
+		}
+
+		return this;
+	},
+
+	toggleClass: function( value, stateVal ) {
+		var type = typeof value,
+			isBool = typeof stateVal === "boolean";
+
+		if ( jQuery.isFunction( value ) ) {
+			return this.each(function(i) {
+				var self = jQuery(this);
+				self.toggleClass( value.call(this, i, self.attr("class"), stateVal), stateVal );
+			});
+		}
+
+		return this.each(function() {
+			if ( type === "string" ) {
+				// toggle individual class names
+				var className,
+					i = 0,
+					self = jQuery( this ),
+					state = stateVal,
+					classNames = value.split( rspaces );
+
+				while ( (className = classNames[ i++ ]) ) {
+					// check each className given, space seperated list
+					state = isBool ? state : !self.hasClass( className );
+					self[ state ? "addClass" : "removeClass" ]( className );
+				}
+
+			} else if ( type === "undefined" || type === "boolean" ) {
+				if ( this.className ) {
+					// store className if set
+					jQuery._data( this, "__className__", this.className );
+				}
+
+				// toggle whole className
+				this.className = this.className || value === false ? "" : jQuery._data( this, "__className__" ) || "";
+			}
+		});
+	},
+
+	hasClass: function( selector ) {
+		var className = " " + selector + " ";
+		for ( var i = 0, l = this.length; i < l; i++ ) {
+			if ( (" " + this[i].className + " ").replace(rclass, " ").indexOf( className ) > -1 ) {
+				return true;
+			}
+		}
+
+		return false;
+	},
+
+	val: function( value ) {
+		if ( !arguments.length ) {
+			var elem = this[0];
+
+			if ( elem ) {
+				if ( jQuery.nodeName( elem, "option" ) ) {
+					// attributes.value is undefined in Blackberry 4.7 but
+					// uses .value. See #6932
+					var val = elem.attributes.value;
+					return !val || val.specified ? elem.value : elem.text;
+				}
+
+				// We need to handle select boxes special
+				if ( jQuery.nodeName( elem, "select" ) ) {
+					var index = elem.selectedIndex,
+						values = [],
+						options = elem.options,
+						one = elem.type === "select-one";
+
+					// Nothing was selected
+					if ( index < 0 ) {
+						return null;
+					}
+
+					// Loop through all the selected options
+					for ( var i = one ? index : 0, max = one ? index + 1 : options.length; i < max; i++ ) {
+						var option = options[ i ];
+
+						// Don't return options that are disabled or in a disabled optgroup
+						if ( option.selected && (jQuery.support.optDisabled ? !option.disabled : option.getAttribute("disabled") === null) &&
+								(!option.parentNode.disabled || !jQuery.nodeName( option.parentNode, "optgroup" )) ) {
+
+							// Get the specific value for the option
+							value = jQuery(option).val();
+
+							// We don't need an array for one selects
+							if ( one ) {
+								return value;
+							}
+
+							// Multi-Selects return an array
+							values.push( value );
+						}
+					}
+
+					return values;
+				}
+
+				// Handle the case where in Webkit "" is returned instead of "on" if a value isn't specified
+				if ( rradiocheck.test( elem.type ) && !jQuery.support.checkOn ) {
+					return elem.getAttribute("value") === null ? "on" : elem.value;
+				}
+
+				// Everything else, we just grab the value
+				return (elem.value || "").replace(rreturn, "");
+
+			}
+
+			return undefined;
+		}
+
+		var isFunction = jQuery.isFunction(value);
+
+		return this.each(function(i) {
+			var self = jQuery(this), val = value;
+
+			if ( this.nodeType !== 1 ) {
+				return;
+			}
+
+			if ( isFunction ) {
+				val = value.call(this, i, self.val());
+			}
+
+			// Treat null/undefined as ""; convert numbers to string
+			if ( val == null ) {
+				val = "";
+			} else if ( typeof val === "number" ) {
+				val += "";
+			} else if ( jQuery.isArray(val) ) {
+				val = jQuery.map(val, function (value) {
+					return value == null ? "" : value + "";
+				});
+			}
+
+			if ( jQuery.isArray(val) && rradiocheck.test( this.type ) ) {
+				this.checked = jQuery.inArray( self.val(), val ) >= 0;
+
+			} else if ( jQuery.nodeName( this, "select" ) ) {
+				var values = jQuery.makeArray(val);
+
+				jQuery( "option", this ).each(function() {
+					this.selected = jQuery.inArray( jQuery(this).val(), values ) >= 0;
+				});
+
+				if ( !values.length ) {
+					this.selectedIndex = -1;
+				}
+
+			} else {
+				this.value = val;
+			}
+		});
+	}
+});
+
+jQuery.extend({
+	attrFn: {
+		val: true,
+		css: true,
+		html: true,
+		text: true,
+		data: true,
+		width: true,
+		height: true,
+		offset: true
+	},
+
+	attr: function( elem, name, value, pass ) {
+		// don't get/set attributes on text, comment and attribute nodes
+		if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || elem.nodeType === 2 ) {
+			return undefined;
+		}
+
+		if ( pass && name in jQuery.attrFn ) {
+			return jQuery(elem)[name](value);
+		}
+
+		var notxml = elem.nodeType !== 1 || !jQuery.isXMLDoc( elem ),
+			// Whether we are setting (or getting)
+			set = value !== undefined;
+
+		// Try to normalize/fix the name
+		name = notxml && jQuery.props[ name ] || name;
+
+		// Only do all the following if this is a node (faster for style)
+		if ( elem.nodeType === 1 ) {
+			// These attributes require special treatment
+			var special = rspecialurl.test( name );
+
+			// Safari mis-reports the default selected property of an option
+			// Accessing the parent's selectedIndex property fixes it
+			if ( name === "selected" && !jQuery.support.optSelected ) {
+				var parent = elem.parentNode;
+				if ( parent ) {
+					parent.selectedIndex;
+
+					// Make sure that it also works with optgroups, see #5701
+					if ( parent.parentNode ) {
+						parent.parentNode.selectedIndex;
+					}
+				}
+			}
+
+			// If applicable, access the attribute via the DOM 0 way
+			// 'in' checks fail in Blackberry 4.7 #6931
+			if ( (name in elem || elem[ name ] !== undefined) && notxml && !special ) {
+				if ( set ) {
+					// We can't allow the type property to be changed (since it causes problems in IE)
+					if ( name === "type" && rtype.test( elem.nodeName ) && elem.parentNode ) {
+						jQuery.error( "type property can't be changed" );
+					}
+
+					if ( value === null ) {
+						if ( elem.nodeType === 1 ) {
+							elem.removeAttribute( name );
+						}
+
+					} else {
+						elem[ name ] = value;
+					}
+				}
+
+				// browsers index elements by id/name on forms, give priority to attributes.
+				if ( jQuery.nodeName( elem, "form" ) && elem.getAttributeNode(name) ) {
+					return elem.getAttributeNode( name ).nodeValue;
+				}
+
+				// elem.tabIndex doesn't always return the correct value when it hasn't been explicitly set
+				// http://fluidproject.org/blog/2008/01/09/getting-setting-and-removing-tabindex-values-with-javascript/
+				if ( name === "tabIndex" ) {
+					var attributeNode = elem.getAttributeNode( "tabIndex" );
+
+					return attributeNode && attributeNode.specified ?
+						attributeNode.value :
+						rfocusable.test( elem.nodeName ) || rclickable.test( elem.nodeName ) && elem.href ?
+							0 :
+							undefined;
+				}
+
+				return elem[ name ];
+			}
+
+			if ( !jQuery.support.style && notxml && name === "style" ) {
+				if ( set ) {
+					elem.style.cssText = "" + value;
+				}
+
+				return elem.style.cssText;
+			}
+
+			if ( set ) {
+				// convert the value to a string (all browsers do this but IE) see #1070
+				elem.setAttribute( name, "" + value );
+			}
+
+			// Ensure that missing attributes return undefined
+			// Blackberry 4.7 returns "" from getAttribute #6938
+			if ( !elem.attributes[ name ] && (elem.hasAttribute && !elem.hasAttribute( name )) ) {
+				return undefined;
+			}
+
+			var attr = !jQuery.support.hrefNormalized && notxml && special ?
+					// Some attributes require a special call on IE
+					elem.getAttribute( name, 2 ) :
+					elem.getAttribute( name );
+
+			// Non-existent attributes return null, we normalize to undefined
+			return attr === null ? undefined : attr;
+		}
+		// Handle everything which isn't a DOM element node
+		if ( set ) {
+			elem[ name ] = value;
+		}
+		return elem[ name ];
+	}
+});
+
+
+
+
+var rnamespaces = /\.(.*)$/,
+	rformElems = /^(?:textarea|input|select)$/i,
+	rperiod = /\./g,
+	rspace = / /g,
+	rescape = /[^\w\s.|`]/g,
+	fcleanup = function( nm ) {
+		return nm.replace(rescape, "\\$&");
+	},
+	eventKey = "events";
+
+/*
+ * A number of helper functions used for managing events.
+ * Many of the ideas behind this code originated from
+ * Dean Edwards' addEvent library.
+ */
+jQuery.event = {
+
+	// Bind an event to an element
+	// Original by Dean Edwards
+	add: function( elem, types, handler, data ) {
+		if ( elem.nodeType === 3 || elem.nodeType === 8 ) {
+			return;
+		}
+
+		// For whatever reason, IE has trouble passing the window object
+		// around, causing it to be cloned in the process
+		if ( jQuery.isWindow( elem ) && ( elem !== window && !elem.frameElement ) ) {
+			elem = window;
+		}
+
+		if ( handler === false ) {
+			handler = returnFalse;
+		} else if ( !handler ) {
+			// Fixes bug #7229. Fix recommended by jdalton
+		  return;
+		}
+
+		var handleObjIn, handleObj;
+
+		if ( handler.handler ) {
+			handleObjIn = handler;
+			handler = handleObjIn.handler;
+		}
+
+		// Make sure that the function being executed has a unique ID
+		if ( !handler.guid ) {
+			handler.guid = jQuery.guid++;
+		}
+
+		// Init the element's event structure
+		var elemData = jQuery._data( elem );
+
+		// If no elemData is found then we must be trying to bind to one of the
+		// banned noData elements
+		if ( !elemData ) {
+			return;
+		}
+
+		var events = elemData[ eventKey ],
+			eventHandle = elemData.handle;
+
+		if ( typeof events === "function" ) {
+			// On plain objects events is a fn that holds the the data
+			// which prevents this data from being JSON serialized
+			// the function does not need to be called, it just contains the data
+			eventHandle = events.handle;
+			events = events.events;
+
+		} else if ( !events ) {
+			if ( !elem.nodeType ) {
+				// On plain objects, create a fn that acts as the holder
+				// of the values to avoid JSON serialization of event data
+				elemData[ eventKey ] = elemData = function(){};
+			}
+
+			elemData.events = events = {};
+		}
+
+		if ( !eventHandle ) {
+			elemData.handle = eventHandle = function() {
+				// Handle the second event of a trigger and when
+				// an event is called after a page has unloaded
+				return typeof jQuery !== "undefined" && !jQuery.event.triggered ?
+					jQuery.event.handle.apply( eventHandle.elem, arguments ) :
+					undefined;
+			};
+		}
+
+		// Add elem as a property of the handle function
+		// This is to prevent a memory leak with non-native events in IE.
+		eventHandle.elem = elem;
+
+		// Handle multiple events separated by a space
+		// jQuery(...).bind("mouseover mouseout", fn);
+		types = types.split(" ");
+
+		var type, i = 0, namespaces;
+
+		while ( (type = types[ i++ ]) ) {
+			handleObj = handleObjIn ?
+				jQuery.extend({}, handleObjIn) :
+				{ handler: handler, data: data };
+
+			// Namespaced event handlers
+			if ( type.indexOf(".") > -1 ) {
+				namespaces = type.split(".");
+				type = namespaces.shift();
+				handleObj.namespace = namespaces.slice(0).sort().join(".");
+
+			} else {
+				namespaces = [];
+				handleObj.namespace = "";
+			}
+
+			handleObj.type = type;
+			if ( !handleObj.guid ) {
+				handleObj.guid = handler.guid;
+			}
+
+			// Get the current list of functions bound to this event
+			var handlers = events[ type ],
+				special = jQuery.event.special[ type ] || {};
+
+			// Init the event handler queue
+			if ( !handlers ) {
+				handlers = events[ type ] = [];
+
+				// Check for a special event handler
+				// Only use addEventListener/attachEvent if the special
+				// events handler returns false
+				if ( !special.setup || special.setup.call( elem, data, namespaces, eventHandle ) === false ) {
+					// Bind the global event handler to the element
+					if ( elem.addEventListener ) {
+						elem.addEventListener( type, eventHandle, false );
+
+					} else if ( elem.attachEvent ) {
+						elem.attachEvent( "on" + type, eventHandle );
+					}
+				}
+			}
+
+			if ( special.add ) {
+				special.add.call( elem, handleObj );
+
+				if ( !handleObj.handler.guid ) {
+					handleObj.handler.guid = handler.guid;
+				}
+			}
+
+			// Add the function to the element's handler list
+			handlers.push( handleObj );
+
+			// Keep track of which events have been used, for global triggering
+			jQuery.event.global[ type ] = true;
+		}
+
+		// Nullify elem to prevent memory leaks in IE
+		elem = null;
+	},
+
+	global: {},
+
+	// Detach an event or set of events from an element
+	remove: function( elem, types, handler, pos ) {
+		// don't do events on text and comment nodes
+		if ( elem.nodeType === 3 || elem.nodeType === 8 ) {
+			return;
+		}
+
+		if ( handler === false ) {
+			handler = returnFalse;
+		}
+
+		var ret, type, fn, j, i = 0, all, namespaces, namespace, special, eventType, handleObj, origType,
+			elemData = jQuery.hasData( elem ) && jQuery._data( elem ),
+			events = elemData && elemData[ eventKey ];
+
+		if ( !elemData || !events ) {
+			return;
+		}
+
+		if ( typeof events === "function" ) {
+			elemData = events;
+			events = events.events;
+		}
+
+		// types is actually an event object here
+		if ( types && types.type ) {
+			handler = types.handler;
+			types = types.type;
+		}
+
+		// Unbind all events for the element
+		if ( !types || typeof types === "string" && types.charAt(0) === "." ) {
+			types = types || "";
+
+			for ( type in events ) {
+				jQuery.event.remove( elem, type + types );
+			}
+
+			return;
+		}
+
+		// Handle multiple events separated by a space
+		// jQuery(...).unbind("mouseover mouseout", fn);
+		types = types.split(" ");
+
+		while ( (type = types[ i++ ]) ) {
+			origType = type;
+			handleObj = null;
+			all = type.indexOf(".") < 0;
+			namespaces = [];
+
+			if ( !all ) {
+				// Namespaced event handlers
+				namespaces = type.split(".");
+				type = namespaces.shift();
+
+				namespace = new RegExp("(^|\\.)" +
+					jQuery.map( namespaces.slice(0).sort(), fcleanup ).join("\\.(?:.*\\.)?") + "(\\.|$)");
+			}
+
+			eventType = events[ type ];
+
+			if ( !eventType ) {
+				continue;
+			}
+
+			if ( !handler ) {
+				for ( j = 0; j < eventType.length; j++ ) {
+					handleObj = eventType[ j ];
+
+					if ( all || namespace.test( handleObj.namespace ) ) {
+						jQuery.event.remove( elem, origType, handleObj.handler, j );
+						eventType.splice( j--, 1 );
+					}
+				}
+
+				continue;
+			}
+
+			special = jQuery.event.special[ type ] || {};
+
+			for ( j = pos || 0; j < eventType.length; j++ ) {
+				handleObj = eventType[ j ];
+
+				if ( handler.guid === handleObj.guid ) {
+					// remove the given handler for the given type
+					if ( all || namespace.test( handleObj.namespace ) ) {
+						if ( pos == null ) {
+							eventType.splice( j--, 1 );
+						}
+
+						if ( special.remove ) {
+							special.remove.call( elem, handleObj );
+						}
+					}
+
+					if ( pos != null ) {
+						break;
+					}
+				}
+			}
+
+			// remove generic event handler if no more handlers exist
+			if ( eventType.length === 0 || pos != null && eventType.length === 1 ) {
+				if ( !special.teardown || special.teardown.call( elem, namespaces ) === false ) {
+					jQuery.removeEvent( elem, type, elemData.handle );
+				}
+
+				ret = null;
+				delete events[ type ];
+			}
+		}
+
+		// Remove the expando if it's no longer used
+		if ( jQuery.isEmptyObject( events ) ) {
+			var handle = elemData.handle;
+			if ( handle ) {
+				handle.elem = null;
+			}
+
+			delete elemData.events;
+			delete elemData.handle;
+
+			if ( typeof elemData === "function" ) {
+				jQuery.removeData( elem, eventKey, true );
+
+			} else if ( jQuery.isEmptyObject( elemData ) ) {
+				jQuery.removeData( elem, undefined, true );
+			}
+		}
+	},
+
+	// bubbling is internal
+	trigger: function( event, data, elem /*, bubbling */ ) {
+		// Event object or event type
+		var type = event.type || event,
+			bubbling = arguments[3];
+
+		if ( !bubbling ) {
+			event = typeof event === "object" ?
+				// jQuery.Event object
+				event[ jQuery.expando ] ? event :
+				// Object literal
+				jQuery.extend( jQuery.Event(type), event ) :
+				// Just the event type (string)
+				jQuery.Event(type);
+
+			if ( type.indexOf("!") >= 0 ) {
+				event.type = type = type.slice(0, -1);
+				event.exclusive = true;
+			}
+
+			// Handle a global trigger
+			if ( !elem ) {
+				// Don't bubble custom events when global (to avoid too much overhead)
+				event.stopPropagation();
+
+				// Only trigger if we've ever bound an event for it
+				if ( jQuery.event.global[ type ] ) {
+					// XXX This code smells terrible. event.js should not be directly
+					// inspecting the data cache
+					jQuery.each( jQuery.cache, function() {
+						// internalKey variable is just used to make it easier to find
+						// and potentially change this stuff later; currently it just
+						// points to jQuery.expando
+						var internalKey = jQuery.expando,
+							internalCache = this[ internalKey ];
+						if ( internalCache && internalCache.events && internalCache.events[type] ) {
+							jQuery.event.trigger( event, data, internalCache.handle.elem );
+						}
+					});
+				}
+			}
+
+			// Handle triggering a single element
+
+			// don't do events on text and comment nodes
+			if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 ) {
+				return undefined;
+			}
+
+			// Clean up in case it is reused
+			event.result = undefined;
+			event.target = elem;
+
+			// Clone the incoming data, if any
+			data = jQuery.makeArray( data );
+			data.unshift( event );
+		}
+
+		event.currentTarget = elem;
+
+		// Trigger the event, it is assumed that "handle" is a function
+		var handle = elem.nodeType ?
+			jQuery._data( elem, "handle" ) :
+			(jQuery._data( elem, eventKey ) || {}).handle;
+
+		if ( handle ) {
+			handle.apply( elem, data );
+		}
+
+		var parent = elem.parentNode || elem.ownerDocument;
+
+		// Trigger an inline bound script
+		try {
+			if ( !(elem && elem.nodeName && jQuery.noData[elem.nodeName.toLowerCase()]) ) {
+				if ( elem[ "on" + type ] && elem[ "on" + type ].apply( elem, data ) === false ) {
+					event.result = false;
+					event.preventDefault();
+				}
+			}
+
+		// prevent IE from throwing an error for some elements with some event types, see #3533
+		} catch (inlineError) {}
+
+		if ( !event.isPropagationStopped() && parent ) {
+			jQuery.event.trigger( event, data, parent, true );
+
+		} else if ( !event.isDefaultPrevented() ) {
+			var old,
+				target = event.target,
+				targetType = type.replace( rnamespaces, "" ),
+				isClick = jQuery.nodeName( target, "a" ) && targetType === "click",
+				special = jQuery.event.special[ targetType ] || {};
+
+			if ( (!special._default || special._default.call( elem, event ) === false) &&
+				!isClick && !(target && target.nodeName && jQuery.noData[target.nodeName.toLowerCase()]) ) {
+
+				try {
+					if ( target[ targetType ] ) {
+						// Make sure that we don't accidentally re-trigger the onFOO events
+						old = target[ "on" + targetType ];
+
+						if ( old ) {
+							target[ "on" + targetType ] = null;
+						}
+
+						jQuery.event.triggered = true;
+						target[ targetType ]();
+					}
+
+				// prevent IE from throwing an error for some elements with some event types, see #3533
+				} catch (triggerError) {}
+
+				if ( old ) {
+					target[ "on" + targetType ] = old;
+				}
+
+				jQuery.event.triggered = false;
+			}
+		}
+	},
+
+	handle: function( event ) {
+		var all, handlers, namespaces, namespace_re, events,
+			namespace_sort = [],
+			args = jQuery.makeArray( arguments );
+
+		event = args[0] = jQuery.event.fix( event || window.event );
+		event.currentTarget = this;
+
+		// Namespaced event handlers
+		all = event.type.indexOf(".") < 0 && !event.exclusive;
+
+		if ( !all ) {
+			namespaces = event.type.split(".");
+			event.type = namespaces.shift();
+			namespace_sort = namespaces.slice(0).sort();
+			namespace_re = new RegExp("(^|\\.)" + namespace_sort.join("\\.(?:.*\\.)?") + "(\\.|$)");
+		}
+
+		event.namespace = event.namespace || namespace_sort.join(".");
+
+		events = jQuery._data(this, eventKey);
+
+		if ( typeof events === "function" ) {
+			events = events.events;
+		}
+
+		handlers = (events || {})[ event.type ];
+
+		if ( events && handlers ) {
+			// Clone the handlers to prevent manipulation
+			handlers = handlers.slice(0);
+
+			for ( var j = 0, l = handlers.length; j < l; j++ ) {
+				var handleObj = handlers[ j ];
+
+				// Filter the functions by class
+				if ( all || namespace_re.test( handleObj.namespace ) ) {
+					// Pass in a reference to the handler function itself
+					// So that we can later remove it
+					event.handler = handleObj.handler;
+					event.data = handleObj.data;
+					event.handleObj = handleObj;
+
+					var ret = handleObj.handler.apply( this, args );
+
+					if ( ret !== undefined ) {
+						event.result = ret;
+						if ( ret === false ) {
+							event.preventDefault();
+							event.stopPropagation();
+						}
+					}
+
+					if ( event.isImmediatePropagationStopped() ) {
+						break;
+					}
+				}
+			}
+		}
+
+		return event.result;
+	},
+
+	props: "altKey attrChange attrName bubbles button cancelable charCode clientX clientY ctrlKey currentTarget data detail eventPhase fromElement handler keyCode layerX layerY metaKey newValue offsetX offsetY pageX pageY prevValue relatedNode relatedTarget screenX screenY shiftKey srcElement target toElement view wheelDelta which".split(" "),
+
+	fix: function( event ) {
+		if ( event[ jQuery.expando ] ) {
+			return event;
+		}
+
+		// store a copy of the original event object
+		// and "clone" to set read-only properties
+		var originalEvent = event;
+		event = jQuery.Event( originalEvent );
+
+		for ( var i = this.props.length, prop; i; ) {
+			prop = this.props[ --i ];
+			event[ prop ] = originalEvent[ prop ];
+		}
+
+		// Fix target property, if necessary
+		if ( !event.target ) {
+			// Fixes #1925 where srcElement might not be defined either
+			event.target = event.srcElement || document;
+		}
+
+		// check if target is a textnode (safari)
+		if ( event.target.nodeType === 3 ) {
+			event.target = event.target.parentNode;
+		}
+
+		// Add relatedTarget, if necessary
+		if ( !event.relatedTarget && event.fromElement ) {
+			event.relatedTarget = event.fromElement === event.target ? event.toElement : event.fromElement;
+		}
+
+		// Calculate pageX/Y if missing and clientX/Y available
+		if ( event.pageX == null && event.clientX != null ) {
+			var doc = document.documentElement,
+				body = document.body;
+
+			event.pageX = event.clientX + (doc && doc.scrollLeft || body && body.scrollLeft || 0) - (doc && doc.clientLeft || body && body.clientLeft || 0);
+			event.pageY = event.clientY + (doc && doc.scrollTop  || body && body.scrollTop  || 0) - (doc && doc.clientTop  || body && body.clientTop  || 0);
+		}
+
+		// Add which for key events
+		if ( event.which == null && (event.charCode != null || event.keyCode != null) ) {
+			event.which = event.charCode != null ? event.charCode : event.keyCode;
+		}
+
+		// Add metaKey to non-Mac browsers (use ctrl for PC's and Meta for Macs)
+		if ( !event.metaKey && event.ctrlKey ) {
+			event.metaKey = event.ctrlKey;
+		}
+
+		// Add which for click: 1 === left; 2 === middle; 3 === right
+		// Note: button is not normalized, so don't use it
+		if ( !event.which && event.button !== undefined ) {
+			event.which = (event.button & 1 ? 1 : ( event.button & 2 ? 3 : ( event.button & 4 ? 2 : 0 ) ));
+		}
+
+		return event;
+	},
+
+	// Deprecated, use jQuery.guid instead
+	guid: 1E8,
+
+	// Deprecated, use jQuery.proxy instead
+	proxy: jQuery.proxy,
+
+	special: {
+		ready: {
+			// Make sure the ready event is setup
+			setup: jQuery.bindReady,
+			teardown: jQuery.noop
+		},
+
+		live: {
+			add: function( handleObj ) {
+				jQuery.event.add( this,
+					liveConvert( handleObj.origType, handleObj.selector ),
+					jQuery.extend({}, handleObj, {handler: liveHandler, guid: handleObj.handler.guid}) );
+			},
+
+			remove: function( handleObj ) {
+				jQuery.event.remove( this, liveConvert( handleObj.origType, handleObj.selector ), handleObj );
+			}
+		},
+
+		beforeunload: {
+			setup: function( data, namespaces, eventHandle ) {
+				// We only want to do this special case on windows
+				if ( jQuery.isWindow( this ) ) {
+					this.onbeforeunload = eventHandle;
+				}
+			},
+
+			teardown: function( namespaces, eventHandle ) {
+				if ( this.onbeforeunload === eventHandle ) {
+					this.onbeforeunload = null;
+				}
+			}
+		}
+	}
+};
+
+jQuery.removeEvent = document.removeEventListener ?
+	function( elem, type, handle ) {
+		if ( elem.removeEventListener ) {
+			elem.removeEventListener( type, handle, false );
+		}
+	} :
+	function( elem, type, handle ) {
+		if ( elem.detachEvent ) {
+			elem.detachEvent( "on" + type, handle );
+		}
+	};
+
+jQuery.Event = function( src ) {
+	// Allow instantiation without the 'new' keyword
+	if ( !this.preventDefault ) {
+		return new jQuery.Event( src );
+	}
+
+	// Event object
+	if ( src && src.type ) {
+		this.originalEvent = src;
+		this.type = src.type;
+
+		// Events bubbling up the document may have been marked as prevented
+		// by a handler lower down the tree; reflect the correct value.
+		this.isDefaultPrevented = (src.defaultPrevented || src.returnValue === false || 
+			src.getPreventDefault && src.getPreventDefault()) ? returnTrue : returnFalse;
+
+	// Event type
+	} else {
+		this.type = src;
+	}
+
+	// timeStamp is buggy for some events on Firefox(#3843)
+	// So we won't rely on the native value
+	this.timeStamp = jQuery.now();
+
+	// Mark it as fixed
+	this[ jQuery.expando ] = true;
+};
+
+function returnFalse() {
+	return false;
+}
+function returnTrue() {
+	return true;
+}
+
+// jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding
+// http://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html
+jQuery.Event.prototype = {
+	preventDefault: function() {
+		this.isDefaultPrevented = returnTrue;
+
+		var e = this.originalEvent;
+		if ( !e ) {
+			return;
+		}
+
+		// if preventDefault exists run it on the original event
+		if ( e.preventDefault ) {
+			e.preventDefault();
+
+		// otherwise set the returnValue property of the original event to false (IE)
+		} else {
+			e.returnValue = false;
+		}
+	},
+	stopPropagation: function() {
+		this.isPropagationStopped = returnTrue;
+
+		var e = this.originalEvent;
+		if ( !e ) {
+			return;
+		}
+		// if stopPropagation exists run it on the original event
+		if ( e.stopPropagation ) {
+			e.stopPropagation();
+		}
+		// otherwise set the cancelBubble property of the original event to true (IE)
+		e.cancelBubble = true;
+	},
+	stopImmediatePropagation: function() {
+		this.isImmediatePropagationStopped = returnTrue;
+		this.stopPropagation();
+	},
+	isDefaultPrevented: returnFalse,
+	isPropagationStopped: returnFalse,
+	isImmediatePropagationStopped: returnFalse
+};
+
+// Checks if an event happened on an element within another element
+// Used in jQuery.event.special.mouseenter and mouseleave handlers
+var withinElement = function( event ) {
+	// Check if mouse(over|out) are still within the same parent element
+	var parent = event.relatedTarget;
+
+	// Firefox sometimes assigns relatedTarget a XUL element
+	// which we cannot access the parentNode property of
+	try {
+		// Traverse up the tree
+		while ( parent && parent !== this ) {
+			parent = parent.parentNode;
+		}
+
+		if ( parent !== this ) {
+			// set the correct event type
+			event.type = event.data;
+
+			// handle event if we actually just moused on to a non sub-element
+			jQuery.event.handle.apply( this, arguments );
+		}
+
+	// assuming we've left the element since we most likely mousedover a xul element
+	} catch(e) { }
+},
+
+// In case of event delegation, we only need to rename the event.type,
+// liveHandler will take care of the rest.
+delegate = function( event ) {
+	event.type = event.data;
+	jQuery.event.handle.apply( this, arguments );
+};
+
+// Create mouseenter and mouseleave events
+jQuery.each({
+	mouseenter: "mouseover",
+	mouseleave: "mouseout"
+}, function( orig, fix ) {
+	jQuery.event.special[ orig ] = {
+		setup: function( data ) {
+			jQuery.event.add( this, fix, data && data.selector ? delegate : withinElement, orig );
+		},
+		teardown: function( data ) {
+			jQuery.event.remove( this, fix, data && data.selector ? delegate : withinElement );
+		}
+	};
+});
+
+// submit delegation
+if ( !jQuery.support.submitBubbles ) {
+
+	jQuery.event.special.submit = {
+		setup: function( data, namespaces ) {
+			if ( this.nodeName && this.nodeName.toLowerCase() !== "form" ) {
+				jQuery.event.add(this, "click.specialSubmit", function( e ) {
+					var elem = e.target,
+						type = elem.type;
+
+					if ( (type === "submit" || type === "image") && jQuery( elem ).closest("form").length ) {
+						e.liveFired = undefined;
+						return trigger( "submit", this, arguments );
+					}
+				});
+
+				jQuery.event.add(this, "keypress.specialSubmit", function( e ) {
+					var elem = e.target,
+						type = elem.type;
+
+					if ( (type === "text" || type === "password") && jQuery( elem ).closest("form").length && e.keyCode === 13 ) {
+						e.liveFired = undefined;
+						return trigger( "submit", this, arguments );
+					}
+				});
+
+			} else {
+				return false;
+			}
+		},
+
+		teardown: function( namespaces ) {
+			jQuery.event.remove( this, ".specialSubmit" );
+		}
+	};
+
+}
+
+// change delegation, happens here so we have bind.
+if ( !jQuery.support.changeBubbles ) {
+
+	var changeFilters,
+
+	getVal = function( elem ) {
+		var type = elem.type, val = elem.value;
+
+		if ( type === "radio" || type === "checkbox" ) {
+			val = elem.checked;
+
+		} else if ( type === "select-multiple" ) {
+			val = elem.selectedIndex > -1 ?
+				jQuery.map( elem.options, function( elem ) {
+					return elem.selected;
+				}).join("-") :
+				"";
+
+		} else if ( elem.nodeName.toLowerCase() === "select" ) {
+			val = elem.selectedIndex;
+		}
+
+		return val;
+	},
+
+	testChange = function testChange( e ) {
+		var elem = e.target, data, val;
+
+		if ( !rformElems.test( elem.nodeName ) || elem.readOnly ) {
+			return;
+		}
+
+		data = jQuery._data( elem, "_change_data" );
+		val = getVal(elem);
+
+		// the current data will be also retrieved by beforeactivate
+		if ( e.type !== "focusout" || elem.type !== "radio" ) {
+			jQuery._data( elem, "_change_data", val );
+		}
+
+		if ( data === undefined || val === data ) {
+			return;
+		}
+
+		if ( data != null || val ) {
+			e.type = "change";
+			e.liveFired = undefined;
+			return jQuery.event.trigger( e, arguments[1], elem );
+		}
+	};
+
+	jQuery.event.special.change = {
+		filters: {
+			focusout: testChange,
+
+			beforedeactivate: testChange,
+
+			click: function( e ) {
+				var elem = e.target, type = elem.type;
+
+				if ( type === "radio" || type === "checkbox" || elem.nodeName.toLowerCase() === "select" ) {
+					return testChange.call( this, e );
+				}
+			},
+
+			// Change has to be called before submit
+			// Keydown will be called before keypress, which is used in submit-event delegation
+			keydown: function( e ) {
+				var elem = e.target, type = elem.type;
+
+				if ( (e.keyCode === 13 && elem.nodeName.toLowerCase() !== "textarea") ||
+					(e.keyCode === 32 && (type === "checkbox" || type === "radio")) ||
+					type === "select-multiple" ) {
+					return testChange.call( this, e );
+				}
+			},
+
+			// Beforeactivate happens also before the previous element is blurred
+			// with this event you can't trigger a change event, but you can store
+			// information
+			beforeactivate: function( e ) {
+				var elem = e.target;
+				jQuery._data( elem, "_change_data", getVal(elem) );
+			}
+		},
+
+		setup: function( data, namespaces ) {
+			if ( this.type === "file" ) {
+				return false;
+			}
+
+			for ( var type in changeFilters ) {
+				jQuery.event.add( this, type + ".specialChange", changeFilters[type] );
+			}
+
+			return rformElems.test( this.nodeName );
+		},
+
+		teardown: function( namespaces ) {
+			jQuery.event.remove( this, ".specialChange" );
+
+			return rformElems.test( this.nodeName );
+		}
+	};
+
+	changeFilters = jQuery.event.special.change.filters;
+
+	// Handle when the input is .focus()'d
+	changeFilters.focus = changeFilters.beforeactivate;
+}
+
+function trigger( type, elem, args ) {
+	args[0].type = type;
+	return jQuery.event.handle.apply( elem, args );
+}
+
+// Create "bubbling" focus and blur events
+if ( document.addEventListener ) {
+	jQuery.each({ focus: "focusin", blur: "focusout" }, function( orig, fix ) {
+		jQuery.event.special[ fix ] = {
+			setup: function() {
+				this.addEventListener( orig, handler, true );
+			}, 
+			teardown: function() { 
+				this.removeEventListener( orig, handler, true );
+			}
+		};
+
+		function handler( e ) {
+			e = jQuery.event.fix( e );
+			e.type = fix;
+			return jQuery.event.handle.call( this, e );
+		}
+	});
+}
+
+jQuery.each(["bind", "one"], function( i, name ) {
+	jQuery.fn[ name ] = function( type, data, fn ) {
+		// Handle object literals
+		if ( typeof type === "object" ) {
+			for ( var key in type ) {
+				this[ name ](key, data, type[key], fn);
+			}
+			return this;
+		}
+
+		if ( jQuery.isFunction( data ) || data === false ) {
+			fn = data;
+			data = undefined;
+		}
+
+		var handler = name === "one" ? jQuery.proxy( fn, function( event ) {
+			jQuery( this ).unbind( event, handler );
+			return fn.apply( this, arguments );
+		}) : fn;
+
+		if ( type === "unload" && name !== "one" ) {
+			this.one( type, data, fn );
+
+		} else {
+			for ( var i = 0, l = this.length; i < l; i++ ) {
+				jQuery.event.add( this[i], type, handler, data );
+			}
+		}
+
+		return this;
+	};
+});
+
+jQuery.fn.extend({
+	unbind: function( type, fn ) {
+		// Handle object literals
+		if ( typeof type === "object" && !type.preventDefault ) {
+			for ( var key in type ) {
+				this.unbind(key, type[key]);
+			}
+
+		} else {
+			for ( var i = 0, l = this.length; i < l; i++ ) {
+				jQuery.event.remove( this[i], type, fn );
+			}
+		}
+
+		return this;
+	},
+
+	delegate: function( selector, types, data, fn ) {
+		return this.live( types, data, fn, selector );
+	},
+
+	undelegate: function( selector, types, fn ) {
+		if ( arguments.length === 0 ) {
+				return this.unbind( "live" );
+
+		} else {
+			return this.die( types, null, fn, selector );
+		}
+	},
+
+	trigger: function( type, data ) {
+		return this.each(function() {
+			jQuery.event.trigger( type, data, this );
+		});
+	},
+
+	triggerHandler: function( type, data ) {
+		if ( this[0] ) {
+			var event = jQuery.Event( type );
+			event.preventDefault();
+			event.stopPropagation();
+			jQuery.event.trigger( event, data, this[0] );
+			return event.result;
+		}
+	},
+
+	toggle: function( fn ) {
+		// Save reference to arguments for access in closure
+		var args = arguments,
+			i = 1;
+
+		// link all the functions, so any of them can unbind this click handler
+		while ( i < args.length ) {
+			jQuery.proxy( fn, args[ i++ ] );
+		}
+
+		return this.click( jQuery.proxy( fn, function( event ) {
+			// Figure out which function to execute
+			var lastToggle = ( jQuery._data( this, "lastToggle" + fn.guid ) || 0 ) % i;
+			jQuery._data( this, "lastToggle" + fn.guid, lastToggle + 1 );
+
+			// Make sure that clicks stop
+			event.preventDefault();
+
+			// and execute the function
+			return args[ lastToggle ].apply( this, arguments ) || false;
+		}));
+	},
+
+	hover: function( fnOver, fnOut ) {
+		return this.mouseenter( fnOver ).mouseleave( fnOut || fnOver );
+	}
+});
+
+var liveMap = {
+	focus: "focusin",
+	blur: "focusout",
+	mouseenter: "mouseover",
+	mouseleave: "mouseout"
+};
+
+jQuery.each(["live", "die"], function( i, name ) {
+	jQuery.fn[ name ] = function( types, data, fn, origSelector /* Internal Use Only */ ) {
+		var type, i = 0, match, namespaces, preType,
+			selector = origSelector || this.selector,
+			context = origSelector ? this : jQuery( this.context );
+
+		if ( typeof types === "object" && !types.preventDefault ) {
+			for ( var key in types ) {
+				context[ name ]( key, data, types[key], selector );
+			}
+
+			return this;
+		}
+
+		if ( jQuery.isFunction( data ) ) {
+			fn = data;
+			data = undefined;
+		}
+
+		types = (types || "").split(" ");
+
+		while ( (type = types[ i++ ]) != null ) {
+			match = rnamespaces.exec( type );
+			namespaces = "";
+
+			if ( match )  {
+				namespaces = match[0];
+				type = type.replace( rnamespaces, "" );
+			}
+
+			if ( type === "hover" ) {
+				types.push( "mouseenter" + namespaces, "mouseleave" + namespaces );
+				continue;
+			}
+
+			preType = type;
+
+			if ( type === "focus" || type === "blur" ) {
+				types.push( liveMap[ type ] + namespaces );
+				type = type + namespaces;
+
+			} else {
+				type = (liveMap[ type ] || type) + namespaces;
+			}
+
+			if ( name === "live" ) {
+				// bind live handler
+				for ( var j = 0, l = context.length; j < l; j++ ) {
+					jQuery.event.add( context[j], "live." + liveConvert( type, selector ),
+						{ data: data, selector: selector, handler: fn, origType: type, origHandler: fn, preType: preType } );
+				}
+
+			} else {
+				// unbind live handler
+				context.unbind( "live." + liveConvert( type, selector ), fn );
+			}
+		}
+
+		return this;
+	};
+});
+
+function liveHandler( event ) {
+	var stop, maxLevel, related, match, handleObj, elem, j, i, l, data, close, namespace, ret,
+		elems = [],
+		selectors = [],
+		events = jQuery._data( this, eventKey );
+
+	if ( typeof events === "function" ) {
+		events = events.events;
+	}
+
+	// Make sure we avoid non-left-click bubbling in Firefox (#3861) and disabled elements in IE (#6911)
+	if ( event.liveFired === this || !events || !events.live || event.target.disabled || event.button && event.type === "click" ) {
+		return;
+	}
+
+	if ( event.namespace ) {
+		namespace = new RegExp("(^|\\.)" + event.namespace.split(".").join("\\.(?:.*\\.)?") + "(\\.|$)");
+	}
+
+	event.liveFired = this;
+
+	var live = events.live.slice(0);
+
+	for ( j = 0; j < live.length; j++ ) {
+		handleObj = live[j];
+
+		if ( handleObj.origType.replace( rnamespaces, "" ) === event.type ) {
+			selectors.push( handleObj.selector );
+
+		} else {
+			live.splice( j--, 1 );
+		}
+	}
+
+	match = jQuery( event.target ).closest( selectors, event.currentTarget );
+
+	for ( i = 0, l = match.length; i < l; i++ ) {
+		close = match[i];
+
+		for ( j = 0; j < live.length; j++ ) {
+			handleObj = live[j];
+
+			if ( close.selector === handleObj.selector && (!namespace || namespace.test( handleObj.namespace )) ) {
+				elem = close.elem;
+				related = null;
+
+				// Those two events require additional checking
+				if ( handleObj.preType === "mouseenter" || handleObj.preType === "mouseleave" ) {
+					event.type = handleObj.preType;
+					related = jQuery( event.relatedTarget ).closest( handleObj.selector )[0];
+				}
+
+				if ( !related || related !== elem ) {
+					elems.push({ elem: elem, handleObj: handleObj, level: close.level });
+				}
+			}
+		}
+	}
+
+	for ( i = 0, l = elems.length; i < l; i++ ) {
+		match = elems[i];
+
+		if ( maxLevel && match.level > maxLevel ) {
+			break;
+		}
+
+		event.currentTarget = match.elem;
+		event.data = match.handleObj.data;
+		event.handleObj = match.handleObj;
+
+		ret = match.handleObj.origHandler.apply( match.elem, arguments );
+
+		if ( ret === false || event.isPropagationStopped() ) {
+			maxLevel = match.level;
+
+			if ( ret === false ) {
+				stop = false;
+			}
+			if ( event.isImmediatePropagationStopped() ) {
+				break;
+			}
+		}
+	}
+
+	return stop;
+}
+
+function liveConvert( type, selector ) {
+	return (type && type !== "*" ? type + "." : "") + selector.replace(rperiod, "`").replace(rspace, "&");
+}
+
+jQuery.each( ("blur focus focusin focusout load resize scroll unload click dblclick " +
+	"mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave " +
+	"change select submit keydown keypress keyup error").split(" "), function( i, name ) {
+
+	// Handle event binding
+	jQuery.fn[ name ] = function( data, fn ) {
+		if ( fn == null ) {
+			fn = data;
+			data = null;
+		}
+
+		return arguments.length > 0 ?
+			this.bind( name, data, fn ) :
+			this.trigger( name );
+	};
+
+	if ( jQuery.attrFn ) {
+		jQuery.attrFn[ name ] = true;
+	}
+});
+
+
+/*!
+ * Sizzle CSS Selector Engine
+ *  Copyright 2011, The Dojo Foundation
+ *  Released under the MIT, BSD, and GPL Licenses.
+ *  More information: http://sizzlejs.com/
+ */
+(function(){
+
+var chunker = /((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,
+	done = 0,
+	toString = Object.prototype.toString,
+	hasDuplicate = false,
+	baseHasDuplicate = true;
+
+// Here we check if the JavaScript engine is using some sort of
+// optimization where it does not always call our comparision
+// function. If that is the case, discard the hasDuplicate value.
+//   Thus far that includes Google Chrome.
+[0, 0].sort(function() {
+	baseHasDuplicate = false;
+	return 0;
+});
+
+var Sizzle = function( selector, context, results, seed ) {
+	results = results || [];
+	context = context || document;
+
+	var origContext = context;
+
+	if ( context.nodeType !== 1 && context.nodeType !== 9 ) {
+		return [];
+	}
+	
+	if ( !selector || typeof selector !== "string" ) {
+		return results;
+	}
+
+	var m, set, checkSet, extra, ret, cur, pop, i,
+		prune = true,
+		contextXML = Sizzle.isXML( context ),
+		parts = [],
+		soFar = selector;
+	
+	// Reset the position of the chunker regexp (start from head)
+	do {
+		chunker.exec( "" );
+		m = chunker.exec( soFar );
+
+		if ( m ) {
+			soFar = m[3];
+		
+			parts.push( m[1] );
+		
+			if ( m[2] ) {
+				extra = m[3];
+				break;
+			}
+		}
+	} while ( m );
+
+	if ( parts.length > 1 && origPOS.exec( selector ) ) {
+
+		if ( parts.length === 2 && Expr.relative[ parts[0] ] ) {
+			set = posProcess( parts[0] + parts[1], context );
+
+		} else {
+			set = Expr.relative[ parts[0] ] ?
+				[ context ] :
+				Sizzle( parts.shift(), context );
+
+			while ( parts.length ) {
+				selector = parts.shift();
+
+				if ( Expr.relative[ selector ] ) {
+					selector += parts.shift();
+				}
+				
+				set = posProcess( selector, set );
+			}
+		}
+
+	} else {
+		// Take a shortcut and set the context if the root selector is an ID
+		// (but not if it'll be faster if the inner selector is an ID)
+		if ( !seed && parts.length > 1 && context.nodeType === 9 && !contextXML &&
+				Expr.match.ID.test(parts[0]) && !Expr.match.ID.test(parts[parts.length - 1]) ) {
+
+			ret = Sizzle.find( parts.shift(), context, contextXML );
+			context = ret.expr ?
+				Sizzle.filter( ret.expr, ret.set )[0] :
+				ret.set[0];
+		}
+
+		if ( context ) {
+			ret = seed ?
+				{ expr: parts.pop(), set: makeArray(seed) } :
+				Sizzle.find( parts.pop(), parts.length === 1 && (parts[0] === "~" || parts[0] === "+") && context.parentNode ? context.parentNode : context, contextXML );
+
+			set = ret.expr ?
+				Sizzle.filter( ret.expr, ret.set ) :
+				ret.set;
+
+			if ( parts.length > 0 ) {
+				checkSet = makeArray( set );
+
+			} else {
+				prune = false;
+			}
+
+			while ( parts.length ) {
+				cur = parts.pop();
+				pop = cur;
+
+				if ( !Expr.relative[ cur ] ) {
+					cur = "";
+				} else {
+					pop = parts.pop();
+				}
+
+				if ( pop == null ) {
+					pop = context;
+				}
+
+				Expr.relative[ cur ]( checkSet, pop, contextXML );
+			}
+
+		} else {
+			checkSet = parts = [];
+		}
+	}
+
+	if ( !checkSet ) {
+		checkSet = set;
+	}
+
+	if ( !checkSet ) {
+		Sizzle.error( cur || selector );
+	}
+
+	if ( toString.call(checkSet) === "[object Array]" ) {
+		if ( !prune ) {
+			results.push.apply( results, checkSet );
+
+		} else if ( context && context.nodeType === 1 ) {
+			for ( i = 0; checkSet[i] != null; i++ ) {
+				if ( checkSet[i] && (checkSet[i] === true || checkSet[i].nodeType === 1 && Sizzle.contains(context, checkSet[i])) ) {
+					results.push( set[i] );
+				}
+			}
+
+		} else {
+			for ( i = 0; checkSet[i] != null; i++ ) {
+				if ( checkSet[i] && checkSet[i].nodeType === 1 ) {
+					results.push( set[i] );
+				}
+			}
+		}
+
+	} else {
+		makeArray( checkSet, results );
+	}
+
+	if ( extra ) {
+		Sizzle( extra, origContext, results, seed );
+		Sizzle.uniqueSort( results );
+	}
+
+	return results;
+};
+
+Sizzle.uniqueSort = function( results ) {
+	if ( sortOrder ) {
+		hasDuplicate = baseHasDuplicate;
+		results.sort( sortOrder );
+
+		if ( hasDuplicate ) {
+			for ( var i = 1; i < results.length; i++ ) {
+				if ( results[i] === results[ i - 1 ] ) {
+					results.splice( i--, 1 );
+				}
+			}
+		}
+	}
+
+	return results;
+};
+
+Sizzle.matches = function( expr, set ) {
+	return Sizzle( expr, null, null, set );
+};
+
+Sizzle.matchesSelector = function( node, expr ) {
+	return Sizzle( expr, null, null, [node] ).length > 0;
+};
+
+Sizzle.find = function( expr, context, isXML ) {
+	var set;
+
+	if ( !expr ) {
+		return [];
+	}
+
+	for ( var i = 0, l = Expr.order.length; i < l; i++ ) {
+		var match,
+			type = Expr.order[i];
+		
+		if ( (match = Expr.leftMatch[ type ].exec( expr )) ) {
+			var left = match[1];
+			match.splice( 1, 1 );
+
+			if ( left.substr( left.length - 1 ) !== "\\" ) {
+				match[1] = (match[1] || "").replace(/\\/g, "");
+				set = Expr.find[ type ]( match, context, isXML );
+
+				if ( set != null ) {
+					expr = expr.replace( Expr.match[ type ], "" );
+					break;
+				}
+			}
+		}
+	}
+
+	if ( !set ) {
+		set = typeof context.getElementsByTagName !== "undefined" ?
+			context.getElementsByTagName( "*" ) :
+			[];
+	}
+
+	return { set: set, expr: expr };
+};
+
+Sizzle.filter = function( expr, set, inplace, not ) {
+	var match, anyFound,
+		old = expr,
+		result = [],
+		curLoop = set,
+		isXMLFilter = set && set[0] && Sizzle.isXML( set[0] );
+
+	while ( expr && set.length ) {
+		for ( var type in Expr.filter ) {
+			if ( (match = Expr.leftMatch[ type ].exec( expr )) != null && match[2] ) {
+				var found, item,
+					filter = Expr.filter[ type ],
+					left = match[1];
+
+				anyFound = false;
+
+				match.splice(1,1);
+
+				if ( left.substr( left.length - 1 ) === "\\" ) {
+					continue;
+				}
+
+				if ( curLoop === result ) {
+					result = [];
+				}
+
+				if ( Expr.preFilter[ type ] ) {
+					match = Expr.preFilter[ type ]( match, curLoop, inplace, result, not, isXMLFilter );
+
+					if ( !match ) {
+						anyFound = found = true;
+
+					} else if ( match === true ) {
+						continue;
+					}
+				}
+
+				if ( match ) {
+					for ( var i = 0; (item = curLoop[i]) != null; i++ ) {
+						if ( item ) {
+							found = filter( item, match, i, curLoop );
+							var pass = not ^ !!found;
+
+							if ( inplace && found != null ) {
+								if ( pass ) {
+									anyFound = true;
+
+								} else {
+									curLoop[i] = false;
+								}
+
+							} else if ( pass ) {
+								result.push( item );
+								anyFound = true;
+							}
+						}
+					}
+				}
+
+				if ( found !== undefined ) {
+					if ( !inplace ) {
+						curLoop = result;
+					}
+
+					expr = expr.replace( Expr.match[ type ], "" );
+
+					if ( !anyFound ) {
+						return [];
+					}
+
+					break;
+				}
+			}
+		}
+
+		// Improper expression
+		if ( expr === old ) {
+			if ( anyFound == null ) {
+				Sizzle.error( expr );
+
+			} else {
+				break;
+			}
+		}
+
+		old = expr;
+	}
+
+	return curLoop;
+};
+
+Sizzle.error = function( msg ) {
+	throw "Syntax error, unrecognized expression: " + msg;
+};
+
+var Expr = Sizzle.selectors = {
+	order: [ "ID", "NAME", "TAG" ],
+
+	match: {
+		ID: /#((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,
+		CLASS: /\.((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,
+		NAME: /\[name=['"]*((?:[\w\u00c0-\uFFFF\-]|\\.)+)['"]*\]/,
+		ATTR: /\[\s*((?:[\w\u00c0-\uFFFF\-]|\\.)+)\s*(?:(\S?=)\s*(?:(['"])(.*?)\3|(#?(?:[\w\u00c0-\uFFFF\-]|\\.)*)|)|)\s*\]/,
+		TAG: /^((?:[\w\u00c0-\uFFFF\*\-]|\\.)+)/,
+		CHILD: /:(only|nth|last|first)-child(?:\(\s*(even|odd|(?:[+\-]?\d+|(?:[+\-]?\d*)?n\s*(?:[+\-]\s*\d+)?))\s*\))?/,
+		POS: /:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^\-]|$)/,
+		PSEUDO: /:((?:[\w\u00c0-\uFFFF\-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/
+	},
+
+	leftMatch: {},
+
+	attrMap: {
+		"class": "className",
+		"for": "htmlFor"
+	},
+
+	attrHandle: {
+		href: function( elem ) {
+			return elem.getAttribute( "href" );
+		}
+	},
+
+	relative: {
+		"+": function(checkSet, part){
+			var isPartStr = typeof part === "string",
+				isTag = isPartStr && !/\W/.test( part ),
+				isPartStrNotTag = isPartStr && !isTag;
+
+			if ( isTag ) {
+				part = part.toLowerCase();
+			}
+
+			for ( var i = 0, l = checkSet.length, elem; i < l; i++ ) {
+				if ( (elem = checkSet[i]) ) {
+					while ( (elem = elem.previousSibling) && elem.nodeType !== 1 ) {}
+
+					checkSet[i] = isPartStrNotTag || elem && elem.nodeName.toLowerCase() === part ?
+						elem || false :
+						elem === part;
+				}
+			}
+
+			if ( isPartStrNotTag ) {
+				Sizzle.filter( part, checkSet, true );
+			}
+		},
+
+		">": function( checkSet, part ) {
+			var elem,
+				isPartStr = typeof part === "string",
+				i = 0,
+				l = checkSet.length;
+
+			if ( isPartStr && !/\W/.test( part ) ) {
+				part = part.toLowerCase();
+
+				for ( ; i < l; i++ ) {
+					elem = checkSet[i];
+
+					if ( elem ) {
+						var parent = elem.parentNode;
+						checkSet[i] = parent.nodeName.toLowerCase() === part ? parent : false;
+					}
+				}
+
+			} else {
+				for ( ; i < l; i++ ) {
+					elem = checkSet[i];
+
+					if ( elem ) {
+						checkSet[i] = isPartStr ?
+							elem.parentNode :
+							elem.parentNode === part;
+					}
+				}
+
+				if ( isPartStr ) {
+					Sizzle.filter( part, checkSet, true );
+				}
+			}
+		},
+
+		"": function(checkSet, part, isXML){
+			var nodeCheck,
+				doneName = done++,
+				checkFn = dirCheck;
+
+			if ( typeof part === "string" && !/\W/.test(part) ) {
+				part = part.toLowerCase();
+				nodeCheck = part;
+				checkFn = dirNodeCheck;
+			}
+
+			checkFn( "parentNode", part, doneName, checkSet, nodeCheck, isXML );
+		},
+
+		"~": function( checkSet, part, isXML ) {
+			var nodeCheck,
+				doneName = done++,
+				checkFn = dirCheck;
+
+			if ( typeof part === "string" && !/\W/.test( part ) ) {
+				part = part.toLowerCase();
+				nodeCheck = part;
+				checkFn = dirNodeCheck;
+			}
+
+			checkFn( "previousSibling", part, doneName, checkSet, nodeCheck, isXML );
+		}
+	},
+
+	find: {
+		ID: function( match, context, isXML ) {
+			if ( typeof context.getElementById !== "undefined" && !isXML ) {
+				var m = context.getElementById(match[1]);
+				// Check parentNode to catch when Blackberry 4.6 returns
+				// nodes that are no longer in the document #6963
+				return m && m.parentNode ? [m] : [];
+			}
+		},
+
+		NAME: function( match, context ) {
+			if ( typeof context.getElementsByName !== "undefined" ) {
+				var ret = [],
+					results = context.getElementsByName( match[1] );
+
+				for ( var i = 0, l = results.length; i < l; i++ ) {
+					if ( results[i].getAttribute("name") === match[1] ) {
+						ret.push( results[i] );
+					}
+				}
+
+				return ret.length === 0 ? null : ret;
+			}
+		},
+
+		TAG: function( match, context ) {
+			if ( typeof context.getElementsByTagName !== "undefined" ) {
+				return context.getElementsByTagName( match[1] );
+			}
+		}
+	},
+	preFilter: {
+		CLASS: function( match, curLoop, inplace, result, not, isXML ) {
+			match = " " + match[1].replace(/\\/g, "") + " ";
+
+			if ( isXML ) {
+				return match;
+			}
+
+			for ( var i = 0, elem; (elem = curLoop[i]) != null; i++ ) {
+				if ( elem ) {
+					if ( not ^ (elem.className && (" " + elem.className + " ").replace(/[\t\n\r]/g, " ").indexOf(match) >= 0) ) {
+						if ( !inplace ) {
+							result.push( elem );
+						}
+
+					} else if ( inplace ) {
+						curLoop[i] = false;
+					}
+				}
+			}
+
+			return false;
+		},
+
+		ID: function( match ) {
+			return match[1].replace(/\\/g, "");
+		},
+
+		TAG: function( match, curLoop ) {
+			return match[1].toLowerCase();
+		},
+
+		CHILD: function( match ) {
+			if ( match[1] === "nth" ) {
+				if ( !match[2] ) {
+					Sizzle.error( match[0] );
+				}
+
+				match[2] = match[2].replace(/^\+|\s*/g, '');
+
+				// parse equations like 'even', 'odd', '5', '2n', '3n+2', '4n-1', '-n+6'
+				var test = /(-?)(\d*)(?:n([+\-]?\d*))?/.exec(
+					match[2] === "even" && "2n" || match[2] === "odd" && "2n+1" ||
+					!/\D/.test( match[2] ) && "0n+" + match[2] || match[2]);
+
+				// calculate the numbers (first)n+(last) including if they are negative
+				match[2] = (test[1] + (test[2] || 1)) - 0;
+				match[3] = test[3] - 0;
+			}
+			else if ( match[2] ) {
+				Sizzle.error( match[0] );
+			}
+
+			// TODO: Move to normal caching system
+			match[0] = done++;
+
+			return match;
+		},
+
+		ATTR: function( match, curLoop, inplace, result, not, isXML ) {
+			var name = match[1] = match[1].replace(/\\/g, "");
+			
+			if ( !isXML && Expr.attrMap[name] ) {
+				match[1] = Expr.attrMap[name];
+			}
+
+			// Handle if an un-quoted value was used
+			match[4] = ( match[4] || match[5] || "" ).replace(/\\/g, "");
+
+			if ( match[2] === "~=" ) {
+				match[4] = " " + match[4] + " ";
+			}
+
+			return match;
+		},
+
+		PSEUDO: function( match, curLoop, inplace, result, not ) {
+			if ( match[1] === "not" ) {
+				// If we're dealing with a complex expression, or a simple one
+				if ( ( chunker.exec(match[3]) || "" ).length > 1 || /^\w/.test(match[3]) ) {
+					match[3] = Sizzle(match[3], null, null, curLoop);
+
+				} else {
+					var ret = Sizzle.filter(match[3], curLoop, inplace, true ^ not);
+
+					if ( !inplace ) {
+						result.push.apply( result, ret );
+					}
+
+					return false;
+				}
+
+			} else if ( Expr.match.POS.test( match[0] ) || Expr.match.CHILD.test( match[0] ) ) {
+				return true;
+			}
+			
+			return match;
+		},
+
+		POS: function( match ) {
+			match.unshift( true );
+
+			return match;
+		}
+	},
+	
+	filters: {
+		enabled: function( elem ) {
+			return elem.disabled === false && elem.type !== "hidden";
+		},
+
+		disabled: function( elem ) {
+			return elem.disabled === true;
+		},
+
+		checked: function( elem ) {
+			return elem.checked === true;
+		},
+		
+		selected: function( elem ) {
+			// Accessing this property makes selected-by-default
+			// options in Safari work properly
+			elem.parentNode.selectedIndex;
+			
+			return elem.selected === true;
+		},
+
+		parent: function( elem ) {
+			return !!elem.firstChild;
+		},
+
+		empty: function( elem ) {
+			return !elem.firstChild;
+		},
+
+		has: function( elem, i, match ) {
+			return !!Sizzle( match[3], elem ).length;
+		},
+
+		header: function( elem ) {
+			return (/h\d/i).test( elem.nodeName );
+		},
+
+		text: function( elem ) {
+			return "text" === elem.type;
+		},
+		radio: function( elem ) {
+			return "radio" === elem.type;
+		},
+
+		checkbox: function( elem ) {
+			return "checkbox" === elem.type;
+		},
+
+		file: function( elem ) {
+			return "file" === elem.type;
+		},
+		password: function( elem ) {
+			return "password" === elem.type;
+		},
+
+		submit: function( elem ) {
+			return "submit" === elem.type;
+		},
+
+		image: function( elem ) {
+			return "image" === elem.type;
+		},
+
+		reset: function( elem ) {
+			return "reset" === elem.type;
+		},
+
+		button: function( elem ) {
+			return "button" === elem.type || elem.nodeName.toLowerCase() === "button";
+		},
+
+		input: function( elem ) {
+			return (/input|select|textarea|button/i).test( elem.nodeName );
+		}
+	},
+	setFilters: {
+		first: function( elem, i ) {
+			return i === 0;
+		},
+
+		last: function( elem, i, match, array ) {
+			return i === array.length - 1;
+		},
+
+		even: function( elem, i ) {
+			return i % 2 === 0;
+		},
+
+		odd: function( elem, i ) {
+			return i % 2 === 1;
+		},
+
+		lt: function( elem, i, match ) {
+			return i < match[3] - 0;
+		},
+
+		gt: function( elem, i, match ) {
+			return i > match[3] - 0;
+		},
+
+		nth: function( elem, i, match ) {
+			return match[3] - 0 === i;
+		},
+
+		eq: function( elem, i, match ) {
+			return match[3] - 0 === i;
+		}
+	},
+	filter: {
+		PSEUDO: function( elem, match, i, array ) {
+			var name = match[1],
+				filter = Expr.filters[ name ];
+
+			if ( filter ) {
+				return filter( elem, i, match, array );
+
+			} else if ( name === "contains" ) {
+				return (elem.textContent || elem.innerText || Sizzle.getText([ elem ]) || "").indexOf(match[3]) >= 0;
+
+			} else if ( name === "not" ) {
+				var not = match[3];
+
+				for ( var j = 0, l = not.length; j < l; j++ ) {
+					if ( not[j] === elem ) {
+						return false;
+					}
+				}
+
+				return true;
+
+			} else {
+				Sizzle.error( name );
+			}
+		},
+
+		CHILD: function( elem, match ) {
+			var type = match[1],
+				node = elem;
+
+			switch ( type ) {
+				case "only":
+				case "first":
+					while ( (node = node.previousSibling) )	 {
+						if ( node.nodeType === 1 ) { 
+							return false; 
+						}
+					}
+
+					if ( type === "first" ) { 
+						return true; 
+					}
+
+					node = elem;
+
+				case "last":
+					while ( (node = node.nextSibling) )	 {
+						if ( node.nodeType === 1 ) { 
+							return false; 
+						}
+					}
+
+					return true;
+
+				case "nth":
+					var first = match[2],
+						last = match[3];
+
+					if ( first === 1 && last === 0 ) {
+						return true;
+					}
+					
+					var doneName = match[0],
+						parent = elem.parentNode;
+	
+					if ( parent && (parent.sizcache !== doneName || !elem.nodeIndex) ) {
+						var count = 0;
+						
+						for ( node = parent.firstChild; node; node = node.nextSibling ) {
+							if ( node.nodeType === 1 ) {
+								node.nodeIndex = ++count;
+							}
+						} 
+
+						parent.sizcache = doneName;
+					}
+					
+					var diff = elem.nodeIndex - last;
+
+					if ( first === 0 ) {
+						return diff === 0;
+
+					} else {
+						return ( diff % first === 0 && diff / first >= 0 );
+					}
+			}
+		},
+
+		ID: function( elem, match ) {
+			return elem.nodeType === 1 && elem.getAttribute("id") === match;
+		},
+
+		TAG: function( elem, match ) {
+			return (match === "*" && elem.nodeType === 1) || elem.nodeName.toLowerCase() === match;
+		},
+		
+		CLASS: function( elem, match ) {
+			return (" " + (elem.className || elem.getAttribute("class")) + " ")
+				.indexOf( match ) > -1;
+		},
+
+		ATTR: function( elem, match ) {
+			var name = match[1],
+				result = Expr.attrHandle[ name ] ?
+					Expr.attrHandle[ name ]( elem ) :
+					elem[ name ] != null ?
+						elem[ name ] :
+						elem.getAttribute( name ),
+				value = result + "",
+				type = match[2],
+				check = match[4];
+
+			return result == null ?
+				type === "!=" :
+				type === "=" ?
+				value === check :
+				type === "*=" ?
+				value.indexOf(check) >= 0 :
+				type === "~=" ?
+				(" " + value + " ").indexOf(check) >= 0 :
+				!check ?
+				value && result !== false :
+				type === "!=" ?
+				value !== check :
+				type === "^=" ?
+				value.indexOf(check) === 0 :
+				type === "$=" ?
+				value.substr(value.length - check.length) === check :
+				type === "|=" ?
+				value === check || value.substr(0, check.length + 1) === check + "-" :
+				false;
+		},
+
+		POS: function( elem, match, i, array ) {
+			var name = match[2],
+				filter = Expr.setFilters[ name ];
+
+			if ( filter ) {
+				return filter( elem, i, match, array );
+			}
+		}
+	}
+};
+
+var origPOS = Expr.match.POS,
+	fescape = function(all, num){
+		return "\\" + (num - 0 + 1);
+	};
+
+for ( var type in Expr.match ) {
+	Expr.match[ type ] = new RegExp( Expr.match[ type ].source + (/(?![^\[]*\])(?![^\(]*\))/.source) );
+	Expr.leftMatch[ type ] = new RegExp( /(^(?:.|\r|\n)*?)/.source + Expr.match[ type ].source.replace(/\\(\d+)/g, fescape) );
+}
+
+var makeArray = function( array, results ) {
+	array = Array.prototype.slice.call( array, 0 );
+
+	if ( results ) {
+		results.push.apply( results, array );
+		return results;
+	}
+	
+	return array;
+};
+
+// Perform a simple check to determine if the browser is capable of
+// converting a NodeList to an array using builtin methods.
+// Also verifies that the returned array holds DOM nodes
+// (which is not the case in the Blackberry browser)
+try {
+	Array.prototype.slice.call( document.documentElement.childNodes, 0 )[0].nodeType;
+
+// Provide a fallback method if it does not work
+} catch( e ) {
+	makeArray = function( array, results ) {
+		var i = 0,
+			ret = results || [];
+
+		if ( toString.call(array) === "[object Array]" ) {
+			Array.prototype.push.apply( ret, array );
+
+		} else {
+			if ( typeof array.length === "number" ) {
+				for ( var l = array.length; i < l; i++ ) {
+					ret.push( array[i] );
+				}
+
+			} else {
+				for ( ; array[i]; i++ ) {
+					ret.push( array[i] );
+				}
+			}
+		}
+
+		return ret;
+	};
+}
+
+var sortOrder, siblingCheck;
+
+if ( document.documentElement.compareDocumentPosition ) {
+	sortOrder = function( a, b ) {
+		if ( a === b ) {
+			hasDuplicate = true;
+			return 0;
+		}
+
+		if ( !a.compareDocumentPosition || !b.compareDocumentPosition ) {
+			return a.compareDocumentPosition ? -1 : 1;
+		}
+
+		return a.compareDocumentPosition(b) & 4 ? -1 : 1;
+	};
+
+} else {
+	sortOrder = function( a, b ) {
+		var al, bl,
+			ap = [],
+			bp = [],
+			aup = a.parentNode,
+			bup = b.parentNode,
+			cur = aup;
+
+		// The nodes are identical, we can exit early
+		if ( a === b ) {
+			hasDuplicate = true;
+			return 0;
+
+		// If the nodes are siblings (or identical) we can do a quick check
+		} else if ( aup === bup ) {
+			return siblingCheck( a, b );
+
+		// If no parents were found then the nodes are disconnected
+		} else if ( !aup ) {
+			return -1;
+
+		} else if ( !bup ) {
+			return 1;
+		}
+
+		// Otherwise they're somewhere else in the tree so we need
+		// to build up a full list of the parentNodes for comparison
+		while ( cur ) {
+			ap.unshift( cur );
+			cur = cur.parentNode;
+		}
+
+		cur = bup;
+
+		while ( cur ) {
+			bp.unshift( cur );
+			cur = cur.parentNode;
+		}
+
+		al = ap.length;
+		bl = bp.length;
+
+		// Start walking down the tree looking for a discrepancy
+		for ( var i = 0; i < al && i < bl; i++ ) {
+			if ( ap[i] !== bp[i] ) {
+				return siblingCheck( ap[i], bp[i] );
+			}
+		}
+
+		// We ended someplace up the tree so do a sibling check
+		return i === al ?
+			siblingCheck( a, bp[i], -1 ) :
+			siblingCheck( ap[i], b, 1 );
+	};
+
+	siblingCheck = function( a, b, ret ) {
+		if ( a === b ) {
+			return ret;
+		}
+
+		var cur = a.nextSibling;
+
+		while ( cur ) {
+			if ( cur === b ) {
+				return -1;
+			}
+
+			cur = cur.nextSibling;
+		}
+
+		return 1;
+	};
+}
+
+// Utility function for retreiving the text value of an array of DOM nodes
+Sizzle.getText = function( elems ) {
+	var ret = "", elem;
+
+	for ( var i = 0; elems[i]; i++ ) {
+		elem = elems[i];
+
+		// Get the text from text nodes and CDATA nodes
+		if ( elem.nodeType === 3 || elem.nodeType === 4 ) {
+			ret += elem.nodeValue;
+
+		// Traverse everything else, except comment nodes
+		} else if ( elem.nodeType !== 8 ) {
+			ret += Sizzle.getText( elem.childNodes );
+		}
+	}
+
+	return ret;
+};
+
+// Check to see if the browser returns elements by name when
+// querying by getElementById (and provide a workaround)
+(function(){
+	// We're going to inject a fake input element with a specified name
+	var form = document.createElement("div"),
+		id = "script" + (new Date()).getTime(),
+		root = document.documentElement;
+
+	form.innerHTML = "<a name='" + id + "'/>";
+
+	// Inject it into the root element, check its status, and remove it quickly
+	root.insertBefore( form, root.firstChild );
+
+	// The workaround has to do additional checks after a getElementById
+	// Which slows things down for other browsers (hence the branching)
+	if ( document.getElementById( id ) ) {
+		Expr.find.ID = function( match, context, isXML ) {
+			if ( typeof context.getElementById !== "undefined" && !isXML ) {
+				var m = context.getElementById(match[1]);
+
+				return m ?
+					m.id === match[1] || typeof m.getAttributeNode !== "undefined" && m.getAttributeNode("id").nodeValue === match[1] ?
+						[m] :
+						undefined :
+					[];
+			}
+		};
+
+		Expr.filter.ID = function( elem, match ) {
+			var node = typeof elem.getAttributeNode !== "undefined" && elem.getAttributeNode("id");
+
+			return elem.nodeType === 1 && node && node.nodeValue === match;
+		};
+	}
+
+	root.removeChild( form );
+
+	// release memory in IE
+	root = form = null;
+})();
+
+(function(){
+	// Check to see if the browser returns only elements
+	// when doing getElementsByTagName("*")
+
+	// Create a fake element
+	var div = document.createElement("div");
+	div.appendChild( document.createComment("") );
+
+	// Make sure no comments are found
+	if ( div.getElementsByTagName("*").length > 0 ) {
+		Expr.find.TAG = function( match, context ) {
+			var results = context.getElementsByTagName( match[1] );
+
+			// Filter out possible comments
+			if ( match[1] === "*" ) {
+				var tmp = [];
+
+				for ( var i = 0; results[i]; i++ ) {
+					if ( results[i].nodeType === 1 ) {
+						tmp.push( results[i] );
+					}
+				}
+
+				results = tmp;
+			}
+
+			return results;
+		};
+	}
+
+	// Check to see if an attribute returns normalized href attributes
+	div.innerHTML = "<a href='#'></a>";
+
+	if ( div.firstChild && typeof div.firstChild.getAttribute !== "undefined" &&
+			div.firstChild.getAttribute("href") !== "#" ) {
+
+		Expr.attrHandle.href = function( elem ) {
+			return elem.getAttribute( "href", 2 );
+		};
+	}
+
+	// release memory in IE
+	div = null;
+})();
+
+if ( document.querySelectorAll ) {
+	(function(){
+		var oldSizzle = Sizzle,
+			div = document.createElement("div"),
+			id = "__sizzle__";
+
+		div.innerHTML = "<p class='TEST'></p>";
+
+		// Safari can't handle uppercase or unicode characters when
+		// in quirks mode.
+		if ( div.querySelectorAll && div.querySelectorAll(".TEST").length === 0 ) {
+			return;
+		}
+	
+		Sizzle = function( query, context, extra, seed ) {
+			context = context || document;
+
+			// Only use querySelectorAll on non-XML documents
+			// (ID selectors don't work in non-HTML documents)
+			if ( !seed && !Sizzle.isXML(context) ) {
+				// See if we find a selector to speed up
+				var match = /^(\w+$)|^\.([\w\-]+$)|^#([\w\-]+$)/.exec( query );
+				
+				if ( match && (context.nodeType === 1 || context.nodeType === 9) ) {
+					// Speed-up: Sizzle("TAG")
+					if ( match[1] ) {
+						return makeArray( context.getElementsByTagName( query ), extra );
+					
+					// Speed-up: Sizzle(".CLASS")
+					} else if ( match[2] && Expr.find.CLASS && context.getElementsByClassName ) {
+						return makeArray( context.getElementsByClassName( match[2] ), extra );
+					}
+				}
+				
+				if ( context.nodeType === 9 ) {
+					// Speed-up: Sizzle("body")
+					// The body element only exists once, optimize finding it
+					if ( query === "body" && context.body ) {
+						return makeArray( [ context.body ], extra );
+						
+					// Speed-up: Sizzle("#ID")
+					} else if ( match && match[3] ) {
+						var elem = context.getElementById( match[3] );
+
+						// Check parentNode to catch when Blackberry 4.6 returns
+						// nodes that are no longer in the document #6963
+						if ( elem && elem.parentNode ) {
+							// Handle the case where IE and Opera return items
+							// by name instead of ID
+							if ( elem.id === match[3] ) {
+								return makeArray( [ elem ], extra );
+							}
+							
+						} else {
+							return makeArray( [], extra );
+						}
+					}
+					
+					try {
+						return makeArray( context.querySelectorAll(query), extra );
+					} catch(qsaError) {}
+
+				// qSA works strangely on Element-rooted queries
+				// We can work around this by specifying an extra ID on the root
+				// and working up from there (Thanks to Andrew Dupont for the technique)
+				// IE 8 doesn't work on object elements
+				} else if ( context.nodeType === 1 && context.nodeName.toLowerCase() !== "object" ) {
+					var old = context.getAttribute( "id" ),
+						nid = old || id,
+						hasParent = context.parentNode,
+						relativeHierarchySelector = /^\s*[+~]/.test( query );
+
+					if ( !old ) {
+						context.setAttribute( "id", nid );
+					} else {
+						nid = nid.replace( /'/g, "\\$&" );
+					}
+					if ( relativeHierarchySelector && hasParent ) {
+						context = context.parentNode;
+					}
+
+					try {
+						if ( !relativeHierarchySelector || hasParent ) {
+							return makeArray( context.querySelectorAll( "[id='" + nid + "'] " + query ), extra );
+						}
+
+					} catch(pseudoError) {
+					} finally {
+						if ( !old ) {
+							context.removeAttribute( "id" );
+						}
+					}
+				}
+			}
+		
+			return oldSizzle(query, context, extra, seed);
+		};
+
+		for ( var prop in oldSizzle ) {
+			Sizzle[ prop ] = oldSizzle[ prop ];
+		}
+
+		// release memory in IE
+		div = null;
+	})();
+}
+
+(function(){
+	var html = document.documentElement,
+		matches = html.matchesSelector || html.mozMatchesSelector || html.webkitMatchesSelector || html.msMatchesSelector,
+		pseudoWorks = false;
+
+	try {
+		// This should fail with an exception
+		// Gecko does not error, returns false instead
+		matches.call( document.documentElement, "[test!='']:sizzle" );
+	
+	} catch( pseudoError ) {
+		pseudoWorks = true;
+	}
+
+	if ( matches ) {
+		Sizzle.matchesSelector = function( node, expr ) {
+			// Make sure that attribute selectors are quoted
+			expr = expr.replace(/\=\s*([^'"\]]*)\s*\]/g, "='$1']");
+
+			if ( !Sizzle.isXML( node ) ) {
+				try { 
+					if ( pseudoWorks || !Expr.match.PSEUDO.test( expr ) && !/!=/.test( expr ) ) {
+						return matches.call( node, expr );
+					}
+				} catch(e) {}
+			}
+
+			return Sizzle(expr, null, null, [node]).length > 0;
+		};
+	}
+})();
+
+(function(){
+	var div = document.createElement("div");
+
+	div.innerHTML = "<div class='test e'></div><div class='test'></div>";
+
+	// Opera can't find a second classname (in 9.6)
+	// Also, make sure that getElementsByClassName actually exists
+	if ( !div.getElementsByClassName || div.getElementsByClassName("e").length === 0 ) {
+		return;
+	}
+
+	// Safari caches class attributes, doesn't catch changes (in 3.2)
+	div.lastChild.className = "e";
+
+	if ( div.getElementsByClassName("e").length === 1 ) {
+		return;
+	}
+	
+	Expr.order.splice(1, 0, "CLASS");
+	Expr.find.CLASS = function( match, context, isXML ) {
+		if ( typeof context.getElementsByClassName !== "undefined" && !isXML ) {
+			return context.getElementsByClassName(match[1]);
+		}
+	};
+
+	// release memory in IE
+	div = null;
+})();
+
+function dirNodeCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) {
+	for ( var i = 0, l = checkSet.length; i < l; i++ ) {
+		var elem = checkSet[i];
+
+		if ( elem ) {
+			var match = false;
+
+			elem = elem[dir];
+
+			while ( elem ) {
+				if ( elem.sizcache === doneName ) {
+					match = checkSet[elem.sizset];
+					break;
+				}
+
+				if ( elem.nodeType === 1 && !isXML ){
+					elem.sizcache = doneName;
+					elem.sizset = i;
+				}
+
+				if ( elem.nodeName.toLowerCase() === cur ) {
+					match = elem;
+					break;
+				}
+
+				elem = elem[dir];
+			}
+
+			checkSet[i] = match;
+		}
+	}
+}
+
+function dirCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) {
+	for ( var i = 0, l = checkSet.length; i < l; i++ ) {
+		var elem = checkSet[i];
+
+		if ( elem ) {
+			var match = false;
+			
+			elem = elem[dir];
+
+			while ( elem ) {
+				if ( elem.sizcache === doneName ) {
+					match = checkSet[elem.sizset];
+					break;
+				}
+
+				if ( elem.nodeType === 1 ) {
+					if ( !isXML ) {
+						elem.sizcache = doneName;
+						elem.sizset = i;
+					}
+
+					if ( typeof cur !== "string" ) {
+						if ( elem === cur ) {
+							match = true;
+							break;
+						}
+
+					} else if ( Sizzle.filter( cur, [elem] ).length > 0 ) {
+						match = elem;
+						break;
+					}
+				}
+
+				elem = elem[dir];
+			}
+
+			checkSet[i] = match;
+		}
+	}
+}
+
+if ( document.documentElement.contains ) {
+	Sizzle.contains = function( a, b ) {
+		return a !== b && (a.contains ? a.contains(b) : true);
+	};
+
+} else if ( document.documentElement.compareDocumentPosition ) {
+	Sizzle.contains = function( a, b ) {
+		return !!(a.compareDocumentPosition(b) & 16);
+	};
+
+} else {
+	Sizzle.contains = function() {
+		return false;
+	};
+}
+
+Sizzle.isXML = function( elem ) {
+	// documentElement is verified for cases where it doesn't yet exist
+	// (such as loading iframes in IE - #4833) 
+	var documentElement = (elem ? elem.ownerDocument || elem : 0).documentElement;
+
+	return documentElement ? documentElement.nodeName !== "HTML" : false;
+};
+
+var posProcess = function( selector, context ) {
+	var match,
+		tmpSet = [],
+		later = "",
+		root = context.nodeType ? [context] : context;
+
+	// Position selectors must be done after the filter
+	// And so must :not(positional) so we move all PSEUDOs to the end
+	while ( (match = Expr.match.PSEUDO.exec( selector )) ) {
+		later += match[0];
+		selector = selector.replace( Expr.match.PSEUDO, "" );
+	}
+
+	selector = Expr.relative[selector] ? selector + "*" : selector;
+
+	for ( var i = 0, l = root.length; i < l; i++ ) {
+		Sizzle( selector, root[i], tmpSet );
+	}
+
+	return Sizzle.filter( later, tmpSet );
+};
+
+// EXPOSE
+jQuery.find = Sizzle;
+jQuery.expr = Sizzle.selectors;
+jQuery.expr[":"] = jQuery.expr.filters;
+jQuery.unique = Sizzle.uniqueSort;
+jQuery.text = Sizzle.getText;
+jQuery.isXMLDoc = Sizzle.isXML;
+jQuery.contains = Sizzle.contains;
+
+
+})();
+
+
+var runtil = /Until$/,
+	rparentsprev = /^(?:parents|prevUntil|prevAll)/,
+	// Note: This RegExp should be improved, or likely pulled from Sizzle
+	rmultiselector = /,/,
+	isSimple = /^.[^:#\[\.,]*$/,
+	slice = Array.prototype.slice,
+	POS = jQuery.expr.match.POS,
+	// methods guaranteed to produce a unique set when starting from a unique set
+	guaranteedUnique = {
+		children: true,
+		contents: true,
+		next: true,
+		prev: true
+	};
+
+jQuery.fn.extend({
+	find: function( selector ) {
+		var ret = this.pushStack( "", "find", selector ),
+			length = 0;
+
+		for ( var i = 0, l = this.length; i < l; i++ ) {
+			length = ret.length;
+			jQuery.find( selector, this[i], ret );
+
+			if ( i > 0 ) {
+				// Make sure that the results are unique
+				for ( var n = length; n < ret.length; n++ ) {
+					for ( var r = 0; r < length; r++ ) {
+						if ( ret[r] === ret[n] ) {
+							ret.splice(n--, 1);
+							break;
+						}
+					}
+				}
+			}
+		}
+
+		return ret;
+	},
+
+	has: function( target ) {
+		var targets = jQuery( target );
+		return this.filter(function() {
+			for ( var i = 0, l = targets.length; i < l; i++ ) {
+				if ( jQuery.contains( this, targets[i] ) ) {
+					return true;
+				}
+			}
+		});
+	},
+
+	not: function( selector ) {
+		return this.pushStack( winnow(this, selector, false), "not", selector);
+	},
+
+	filter: function( selector ) {
+		return this.pushStack( winnow(this, selector, true), "filter", selector );
+	},
+
+	is: function( selector ) {
+		return !!selector && jQuery.filter( selector, this ).length > 0;
+	},
+
+	closest: function( selectors, context ) {
+		var ret = [], i, l, cur = this[0];
+
+		if ( jQuery.isArray( selectors ) ) {
+			var match, selector,
+				matches = {},
+				level = 1;
+
+			if ( cur && selectors.length ) {
+				for ( i = 0, l = selectors.length; i < l; i++ ) {
+					selector = selectors[i];
+
+					if ( !matches[selector] ) {
+						matches[selector] = jQuery.expr.match.POS.test( selector ) ?
+							jQuery( selector, context || this.context ) :
+							selector;
+					}
+				}
+
+				while ( cur && cur.ownerDocument && cur !== context ) {
+					for ( selector in matches ) {
+						match = matches[selector];
+
+						if ( match.jquery ? match.index(cur) > -1 : jQuery(cur).is(match) ) {
+							ret.push({ selector: selector, elem: cur, level: level });
+						}
+					}
+
+					cur = cur.parentNode;
+					level++;
+				}
+			}
+
+			return ret;
+		}
+
+		var pos = POS.test( selectors ) ?
+			jQuery( selectors, context || this.context ) : null;
+
+		for ( i = 0, l = this.length; i < l; i++ ) {
+			cur = this[i];
+
+			while ( cur ) {
+				if ( pos ? pos.index(cur) > -1 : jQuery.find.matchesSelector(cur, selectors) ) {
+					ret.push( cur );
+					break;
+
+				} else {
+					cur = cur.parentNode;
+					if ( !cur || !cur.ownerDocument || cur === context ) {
+						break;
+					}
+				}
+			}
+		}
+
+		ret = ret.length > 1 ? jQuery.unique(ret) : ret;
+
+		return this.pushStack( ret, "closest", selectors );
+	},
+
+	// Determine the position of an element within
+	// the matched set of elements
+	index: function( elem ) {
+		if ( !elem || typeof elem === "string" ) {
+			return jQuery.inArray( this[0],
+				// If it receives a string, the selector is used
+				// If it receives nothing, the siblings are used
+				elem ? jQuery( elem ) : this.parent().children() );
+		}
+		// Locate the position of the desired element
+		return jQuery.inArray(
+			// If it receives a jQuery object, the first element is used
+			elem.jquery ? elem[0] : elem, this );
+	},
+
+	add: function( selector, context ) {
+		var set = typeof selector === "string" ?
+				jQuery( selector, context ) :
+				jQuery.makeArray( selector ),
+			all = jQuery.merge( this.get(), set );
+
+		return this.pushStack( isDisconnected( set[0] ) || isDisconnected( all[0] ) ?
+			all :
+			jQuery.unique( all ) );
+	},
+
+	andSelf: function() {
+		return this.add( this.prevObject );
+	}
+});
+
+// A painfully simple check to see if an element is disconnected
+// from a document (should be improved, where feasible).
+function isDisconnected( node ) {
+	return !node || !node.parentNode || node.parentNode.nodeType === 11;
+}
+
+jQuery.each({
+	parent: function( elem ) {
+		var parent = elem.parentNode;
+		return parent && parent.nodeType !== 11 ? parent : null;
+	},
+	parents: function( elem ) {
+		return jQuery.dir( elem, "parentNode" );
+	},
+	parentsUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "parentNode", until );
+	},
+	next: function( elem ) {
+		return jQuery.nth( elem, 2, "nextSibling" );
+	},
+	prev: function( elem ) {
+		return jQuery.nth( elem, 2, "previousSibling" );
+	},
+	nextAll: function( elem ) {
+		return jQuery.dir( elem, "nextSibling" );
+	},
+	prevAll: function( elem ) {
+		return jQuery.dir( elem, "previousSibling" );
+	},
+	nextUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "nextSibling", until );
+	},
+	prevUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "previousSibling", until );
+	},
+	siblings: function( elem ) {
+		return jQuery.sibling( elem.parentNode.firstChild, elem );
+	},
+	children: function( elem ) {
+		return jQuery.sibling( elem.firstChild );
+	},
+	contents: function( elem ) {
+		return jQuery.nodeName( elem, "iframe" ) ?
+			elem.contentDocument || elem.contentWindow.document :
+			jQuery.makeArray( elem.childNodes );
+	}
+}, function( name, fn ) {
+	jQuery.fn[ name ] = function( until, selector ) {
+		var ret = jQuery.map( this, fn, until ),
+                // The variable 'args' was introduced in
+                // https://github.com/jquery/jquery/commit/52a0238
+                // to work around a bug in Chrome 10 (Dev) and should be removed when the bug is fixed.
+                // http://code.google.com/p/v8/issues/detail?id=1050
+                    args = slice.call(arguments);
+
+		if ( !runtil.test( name ) ) {
+			selector = until;
+		}
+
+		if ( selector && typeof selector === "string" ) {
+			ret = jQuery.filter( selector, ret );
+		}
+
+		ret = this.length > 1 && !guaranteedUnique[ name ] ? jQuery.unique( ret ) : ret;
+
+		if ( (this.length > 1 || rmultiselector.test( selector )) && rparentsprev.test( name ) ) {
+			ret = ret.reverse();
+		}
+
+		return this.pushStack( ret, name, args.join(",") );
+	};
+});
+
+jQuery.extend({
+	filter: function( expr, elems, not ) {
+		if ( not ) {
+			expr = ":not(" + expr + ")";
+		}
+
+		return elems.length === 1 ?
+			jQuery.find.matchesSelector(elems[0], expr) ? [ elems[0] ] : [] :
+			jQuery.find.matches(expr, elems);
+	},
+
+	dir: function( elem, dir, until ) {
+		var matched = [],
+			cur = elem[ dir ];
+
+		while ( cur && cur.nodeType !== 9 && (until === undefined || cur.nodeType !== 1 || !jQuery( cur ).is( until )) ) {
+			if ( cur.nodeType === 1 ) {
+				matched.push( cur );
+			}
+			cur = cur[dir];
+		}
+		return matched;
+	},
+
+	nth: function( cur, result, dir, elem ) {
+		result = result || 1;
+		var num = 0;
+
+		for ( ; cur; cur = cur[dir] ) {
+			if ( cur.nodeType === 1 && ++num === result ) {
+				break;
+			}
+		}
+
+		return cur;
+	},
+
+	sibling: function( n, elem ) {
+		var r = [];
+
+		for ( ; n; n = n.nextSibling ) {
+			if ( n.nodeType === 1 && n !== elem ) {
+				r.push( n );
+			}
+		}
+
+		return r;
+	}
+});
+
+// Implement the identical functionality for filter and not
+function winnow( elements, qualifier, keep ) {
+	if ( jQuery.isFunction( qualifier ) ) {
+		return jQuery.grep(elements, function( elem, i ) {
+			var retVal = !!qualifier.call( elem, i, elem );
+			return retVal === keep;
+		});
+
+	} else if ( qualifier.nodeType ) {
+		return jQuery.grep(elements, function( elem, i ) {
+			return (elem === qualifier) === keep;
+		});
+
+	} else if ( typeof qualifier === "string" ) {
+		var filtered = jQuery.grep(elements, function( elem ) {
+			return elem.nodeType === 1;
+		});
+
+		if ( isSimple.test( qualifier ) ) {
+			return jQuery.filter(qualifier, filtered, !keep);
+		} else {
+			qualifier = jQuery.filter( qualifier, filtered );
+		}
+	}
+
+	return jQuery.grep(elements, function( elem, i ) {
+		return (jQuery.inArray( elem, qualifier ) >= 0) === keep;
+	});
+}
+
+
+
+
+var rinlinejQuery = / jQuery\d+="(?:\d+|null)"/g,
+	rleadingWhitespace = /^\s+/,
+	rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig,
+	rtagName = /<([\w:]+)/,
+	rtbody = /<tbody/i,
+	rhtml = /<|&#?\w+;/,
+	rnocache = /<(?:script|object|embed|option|style)/i,
+	// checked="checked" or checked (html5)
+	rchecked = /checked\s*(?:[^=]|=\s*.checked.)/i,
+	wrapMap = {
+		option: [ 1, "<select multiple='multiple'>", "</select>" ],
+		legend: [ 1, "<fieldset>", "</fieldset>" ],
+		thead: [ 1, "<table>", "</table>" ],
+		tr: [ 2, "<table><tbody>", "</tbody></table>" ],
+		td: [ 3, "<table><tbody><tr>", "</tr></tbody></table>" ],
+		col: [ 2, "<table><tbody></tbody><colgroup>", "</colgroup></table>" ],
+		area: [ 1, "<map>", "</map>" ],
+		_default: [ 0, "", "" ]
+	};
+
+wrapMap.optgroup = wrapMap.option;
+wrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead;
+wrapMap.th = wrapMap.td;
+
+// IE can't serialize <link> and <script> tags normally
+if ( !jQuery.support.htmlSerialize ) {
+	wrapMap._default = [ 1, "div<div>", "</div>" ];
+}
+
+jQuery.fn.extend({
+	text: function( text ) {
+		if ( jQuery.isFunction(text) ) {
+			return this.each(function(i) {
+				var self = jQuery( this );
+
+				self.text( text.call(this, i, self.text()) );
+			});
+		}
+
+		if ( typeof text !== "object" && text !== undefined ) {
+			return this.empty().append( (this[0] && this[0].ownerDocument || document).createTextNode( text ) );
+		}
+
+		return jQuery.text( this );
+	},
+
+	wrapAll: function( html ) {
+		if ( jQuery.isFunction( html ) ) {
+			return this.each(function(i) {
+				jQuery(this).wrapAll( html.call(this, i) );
+			});
+		}
+
+		if ( this[0] ) {
+			// The elements to wrap the target around
+			var wrap = jQuery( html, this[0].ownerDocument ).eq(0).clone(true);
+
+			if ( this[0].parentNode ) {
+				wrap.insertBefore( this[0] );
+			}
+
+			wrap.map(function() {
+				var elem = this;
+
+				while ( elem.firstChild && elem.firstChild.nodeType === 1 ) {
+					elem = elem.firstChild;
+				}
+
+				return elem;
+			}).append(this);
+		}
+
+		return this;
+	},
+
+	wrapInner: function( html ) {
+		if ( jQuery.isFunction( html ) ) {
+			return this.each(function(i) {
+				jQuery(this).wrapInner( html.call(this, i) );
+			});
+		}
+
+		return this.each(function() {
+			var self = jQuery( this ),
+				contents = self.contents();
+
+			if ( contents.length ) {
+				contents.wrapAll( html );
+
+			} else {
+				self.append( html );
+			}
+		});
+	},
+
+	wrap: function( html ) {
+		return this.each(function() {
+			jQuery( this ).wrapAll( html );
+		});
+	},
+
+	unwrap: function() {
+		return this.parent().each(function() {
+			if ( !jQuery.nodeName( this, "body" ) ) {
+				jQuery( this ).replaceWith( this.childNodes );
+			}
+		}).end();
+	},
+
+	append: function() {
+		return this.domManip(arguments, true, function( elem ) {
+			if ( this.nodeType === 1 ) {
+				this.appendChild( elem );
+			}
+		});
+	},
+
+	prepend: function() {
+		return this.domManip(arguments, true, function( elem ) {
+			if ( this.nodeType === 1 ) {
+				this.insertBefore( elem, this.firstChild );
+			}
+		});
+	},
+
+	before: function() {
+		if ( this[0] && this[0].parentNode ) {
+			return this.domManip(arguments, false, function( elem ) {
+				this.parentNode.insertBefore( elem, this );
+			});
+		} else if ( arguments.length ) {
+			var set = jQuery(arguments[0]);
+			set.push.apply( set, this.toArray() );
+			return this.pushStack( set, "before", arguments );
+		}
+	},
+
+	after: function() {
+		if ( this[0] && this[0].parentNode ) {
+			return this.domManip(arguments, false, function( elem ) {
+				this.parentNode.insertBefore( elem, this.nextSibling );
+			});
+		} else if ( arguments.length ) {
+			var set = this.pushStack( this, "after", arguments );
+			set.push.apply( set, jQuery(arguments[0]).toArray() );
+			return set;
+		}
+	},
+
+	// keepData is for internal use only--do not document
+	remove: function( selector, keepData ) {
+		for ( var i = 0, elem; (elem = this[i]) != null; i++ ) {
+			if ( !selector || jQuery.filter( selector, [ elem ] ).length ) {
+				if ( !keepData && elem.nodeType === 1 ) {
+					jQuery.cleanData( elem.getElementsByTagName("*") );
+					jQuery.cleanData( [ elem ] );
+				}
+
+				if ( elem.parentNode ) {
+					 elem.parentNode.removeChild( elem );
+				}
+			}
+		}
+
+		return this;
+	},
+
+	empty: function() {
+		for ( var i = 0, elem; (elem = this[i]) != null; i++ ) {
+			// Remove element nodes and prevent memory leaks
+			if ( elem.nodeType === 1 ) {
+				jQuery.cleanData( elem.getElementsByTagName("*") );
+			}
+
+			// Remove any remaining nodes
+			while ( elem.firstChild ) {
+				elem.removeChild( elem.firstChild );
+			}
+		}
+
+		return this;
+	},
+
+	clone: function( dataAndEvents, deepDataAndEvents ) {
+		dataAndEvents = dataAndEvents == null ? true : dataAndEvents;
+		deepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents;
+
+		return this.map( function () {
+			return jQuery.clone( this, dataAndEvents, deepDataAndEvents );
+		});
+	},
+
+	html: function( value ) {
+		if ( value === undefined ) {
+			return this[0] && this[0].nodeType === 1 ?
+				this[0].innerHTML.replace(rinlinejQuery, "") :
+				null;
+
+		// See if we can take a shortcut and just use innerHTML
+		} else if ( typeof value === "string" && !rnocache.test( value ) &&
+			(jQuery.support.leadingWhitespace || !rleadingWhitespace.test( value )) &&
+			!wrapMap[ (rtagName.exec( value ) || ["", ""])[1].toLowerCase() ] ) {
+
+			value = value.replace(rxhtmlTag, "<$1></$2>");
+
+			try {
+				for ( var i = 0, l = this.length; i < l; i++ ) {
+					// Remove element nodes and prevent memory leaks
+					if ( this[i].nodeType === 1 ) {
+						jQuery.cleanData( this[i].getElementsByTagName("*") );
+						this[i].innerHTML = value;
+					}
+				}
+
+			// If using innerHTML throws an exception, use the fallback method
+			} catch(e) {
+				this.empty().append( value );
+			}
+
+		} else if ( jQuery.isFunction( value ) ) {
+			this.each(function(i){
+				var self = jQuery( this );
+
+				self.html( value.call(this, i, self.html()) );
+			});
+
+		} else {
+			this.empty().append( value );
+		}
+
+		return this;
+	},
+
+	replaceWith: function( value ) {
+		if ( this[0] && this[0].parentNode ) {
+			// Make sure that the elements are removed from the DOM before they are inserted
+			// this can help fix replacing a parent with child elements
+			if ( jQuery.isFunction( value ) ) {
+				return this.each(function(i) {
+					var self = jQuery(this), old = self.html();
+					self.replaceWith( value.call( this, i, old ) );
+				});
+			}
+
+			if ( typeof value !== "string" ) {
+				value = jQuery( value ).detach();
+			}
+
+			return this.each(function() {
+				var next = this.nextSibling,
+					parent = this.parentNode;
+
+				jQuery( this ).remove();
+
+				if ( next ) {
+					jQuery(next).before( value );
+				} else {
+					jQuery(parent).append( value );
+				}
+			});
+		} else {
+			return this.pushStack( jQuery(jQuery.isFunction(value) ? value() : value), "replaceWith", value );
+		}
+	},
+
+	detach: function( selector ) {
+		return this.remove( selector, true );
+	},
+
+	domManip: function( args, table, callback ) {
+		var results, first, fragment, parent,
+			value = args[0],
+			scripts = [];
+
+		// We can't cloneNode fragments that contain checked, in WebKit
+		if ( !jQuery.support.checkClone && arguments.length === 3 && typeof value === "string" && rchecked.test( value ) ) {
+			return this.each(function() {
+				jQuery(this).domManip( args, table, callback, true );
+			});
+		}
+
+		if ( jQuery.isFunction(value) ) {
+			return this.each(function(i) {
+				var self = jQuery(this);
+				args[0] = value.call(this, i, table ? self.html() : undefined);
+				self.domManip( args, table, callback );
+			});
+		}
+
+		if ( this[0] ) {
+			parent = value && value.parentNode;
+
+			// If we're in a fragment, just use that instead of building a new one
+			if ( jQuery.support.parentNode && parent && parent.nodeType === 11 && parent.childNodes.length === this.length ) {
+				results = { fragment: parent };
+
+			} else {
+				results = jQuery.buildFragment( args, this, scripts );
+			}
+
+			fragment = results.fragment;
+
+			if ( fragment.childNodes.length === 1 ) {
+				first = fragment = fragment.firstChild;
+			} else {
+				first = fragment.firstChild;
+			}
+
+			if ( first ) {
+				table = table && jQuery.nodeName( first, "tr" );
+
+				for ( var i = 0, l = this.length, lastIndex = l - 1; i < l; i++ ) {
+					callback.call(
+						table ?
+							root(this[i], first) :
+							this[i],
+						// Make sure that we do not leak memory by inadvertently discarding
+						// the original fragment (which might have attached data) instead of
+						// using it; in addition, use the original fragment object for the last
+						// item instead of first because it can end up being emptied incorrectly
+						// in certain situations (Bug #8070).
+						// Fragments from the fragment cache must always be cloned and never used
+						// in place.
+						results.cacheable || (l > 1 && i < lastIndex) ?
+							jQuery.clone( fragment, true, true ) :
+							fragment
+					);
+				}
+			}
+
+			if ( scripts.length ) {
+				jQuery.each( scripts, evalScript );
+			}
+		}
+
+		return this;
+	}
+});
+
+function root( elem, cur ) {
+	return jQuery.nodeName(elem, "table") ?
+		(elem.getElementsByTagName("tbody")[0] ||
+		elem.appendChild(elem.ownerDocument.createElement("tbody"))) :
+		elem;
+}
+
+function cloneCopyEvent( src, dest ) {
+
+	if ( dest.nodeType !== 1 || !jQuery.hasData( src ) ) {
+		return;
+	}
+
+	var internalKey = jQuery.expando,
+			oldData = jQuery.data( src ),
+			curData = jQuery.data( dest, oldData );
+
+	// Switch to use the internal data object, if it exists, for the next
+	// stage of data copying
+	if ( (oldData = oldData[ internalKey ]) ) {
+		var events = oldData.events;
+				curData = curData[ internalKey ] = jQuery.extend({}, oldData);
+
+		if ( events ) {
+			delete curData.handle;
+			curData.events = {};
+
+			for ( var type in events ) {
+				for ( var i = 0, l = events[ type ].length; i < l; i++ ) {
+					jQuery.event.add( dest, type, events[ type ][ i ], events[ type ][ i ].data );
+				}
+			}
+		}
+	}
+}
+
+function cloneFixAttributes(src, dest) {
+	// We do not need to do anything for non-Elements
+	if ( dest.nodeType !== 1 ) {
+		return;
+	}
+
+	var nodeName = dest.nodeName.toLowerCase();
+
+	// clearAttributes removes the attributes, which we don't want,
+	// but also removes the attachEvent events, which we *do* want
+	dest.clearAttributes();
+
+	// mergeAttributes, in contrast, only merges back on the
+	// original attributes, not the events
+	dest.mergeAttributes(src);
+
+	// IE6-8 fail to clone children inside object elements that use
+	// the proprietary classid attribute value (rather than the type
+	// attribute) to identify the type of content to display
+	if ( nodeName === "object" ) {
+		dest.outerHTML = src.outerHTML;
+
+	} else if ( nodeName === "input" && (src.type === "checkbox" || src.type === "radio") ) {
+		// IE6-8 fails to persist the checked state of a cloned checkbox
+		// or radio button. Worse, IE6-7 fail to give the cloned element
+		// a checked appearance if the defaultChecked value isn't also set
+		if ( src.checked ) {
+			dest.defaultChecked = dest.checked = src.checked;
+		}
+
+		// IE6-7 get confused and end up setting the value of a cloned
+		// checkbox/radio button to an empty string instead of "on"
+		if ( dest.value !== src.value ) {
+			dest.value = src.value;
+		}
+
+	// IE6-8 fails to return the selected option to the default selected
+	// state when cloning options
+	} else if ( nodeName === "option" ) {
+		dest.selected = src.defaultSelected;
+
+	// IE6-8 fails to set the defaultValue to the correct value when
+	// cloning other types of input fields
+	} else if ( nodeName === "input" || nodeName === "textarea" ) {
+		dest.defaultValue = src.defaultValue;
+	}
+
+	// Event data gets referenced instead of copied if the expando
+	// gets copied too
+	dest.removeAttribute( jQuery.expando );
+}
+
+jQuery.buildFragment = function( args, nodes, scripts ) {
+	var fragment, cacheable, cacheresults,
+		doc = (nodes && nodes[0] ? nodes[0].ownerDocument || nodes[0] : document);
+
+	// Only cache "small" (1/2 KB) HTML strings that are associated with the main document
+	// Cloning options loses the selected state, so don't cache them
+	// IE 6 doesn't like it when you put <object> or <embed> elements in a fragment
+	// Also, WebKit does not clone 'checked' attributes on cloneNode, so don't cache
+	if ( args.length === 1 && typeof args[0] === "string" && args[0].length < 512 && doc === document &&
+		args[0].charAt(0) === "<" && !rnocache.test( args[0] ) && (jQuery.support.checkClone || !rchecked.test( args[0] )) ) {
+
+		cacheable = true;
+		cacheresults = jQuery.fragments[ args[0] ];
+		if ( cacheresults ) {
+			if ( cacheresults !== 1 ) {
+				fragment = cacheresults;
+			}
+		}
+	}
+
+	if ( !fragment ) {
+		fragment = doc.createDocumentFragment();
+		jQuery.clean( args, doc, fragment, scripts );
+	}
+
+	if ( cacheable ) {
+		jQuery.fragments[ args[0] ] = cacheresults ? fragment : 1;
+	}
+
+	return { fragment: fragment, cacheable: cacheable };
+};
+
+jQuery.fragments = {};
+
+jQuery.each({
+	appendTo: "append",
+	prependTo: "prepend",
+	insertBefore: "before",
+	insertAfter: "after",
+	replaceAll: "replaceWith"
+}, function( name, original ) {
+	jQuery.fn[ name ] = function( selector ) {
+		var ret = [],
+			insert = jQuery( selector ),
+			parent = this.length === 1 && this[0].parentNode;
+
+		if ( parent && parent.nodeType === 11 && parent.childNodes.length === 1 && insert.length === 1 ) {
+			insert[ original ]( this[0] );
+			return this;
+
+		} else {
+			for ( var i = 0, l = insert.length; i < l; i++ ) {
+				var elems = (i > 0 ? this.clone(true) : this).get();
+				jQuery( insert[i] )[ original ]( elems );
+				ret = ret.concat( elems );
+			}
+
+			return this.pushStack( ret, name, insert.selector );
+		}
+	};
+});
+
+jQuery.extend({
+	clone: function( elem, dataAndEvents, deepDataAndEvents ) {
+		var clone = elem.cloneNode(true),
+				srcElements,
+				destElements,
+				i;
+
+		if ( !jQuery.support.noCloneEvent && (elem.nodeType === 1 || elem.nodeType === 11) && !jQuery.isXMLDoc(elem) ) {
+			// IE copies events bound via attachEvent when using cloneNode.
+			// Calling detachEvent on the clone will also remove the events
+			// from the original. In order to get around this, we use some
+			// proprietary methods to clear the events. Thanks to MooTools
+			// guys for this hotness.
+
+			// Using Sizzle here is crazy slow, so we use getElementsByTagName
+			// instead
+			srcElements = elem.getElementsByTagName("*");
+			destElements = clone.getElementsByTagName("*");
+
+			// Weird iteration because IE will replace the length property
+			// with an element if you are cloning the body and one of the
+			// elements on the page has a name or id of "length"
+			for ( i = 0; srcElements[i]; ++i ) {
+				cloneFixAttributes( srcElements[i], destElements[i] );
+			}
+
+			cloneFixAttributes( elem, clone );
+		}
+
+		// Copy the events from the original to the clone
+		if ( dataAndEvents ) {
+
+			cloneCopyEvent( elem, clone );
+
+			if ( deepDataAndEvents && "getElementsByTagName" in elem ) {
+
+				srcElements = elem.getElementsByTagName("*");
+				destElements = clone.getElementsByTagName("*");
+
+				if ( srcElements.length ) {
+					for ( i = 0; srcElements[i]; ++i ) {
+						cloneCopyEvent( srcElements[i], destElements[i] );
+					}
+				}
+			}
+		}
+		// Return the cloned set
+		return clone;
+  },
+	clean: function( elems, context, fragment, scripts ) {
+		context = context || document;
+
+		// !context.createElement fails in IE with an error but returns typeof 'object'
+		if ( typeof context.createElement === "undefined" ) {
+			context = context.ownerDocument || context[0] && context[0].ownerDocument || document;
+		}
+
+		var ret = [];
+
+		for ( var i = 0, elem; (elem = elems[i]) != null; i++ ) {
+			if ( typeof elem === "number" ) {
+				elem += "";
+			}
+
+			if ( !elem ) {
+				continue;
+			}
+
+			// Convert html string into DOM nodes
+			if ( typeof elem === "string" && !rhtml.test( elem ) ) {
+				elem = context.createTextNode( elem );
+
+			} else if ( typeof elem === "string" ) {
+				// Fix "XHTML"-style tags in all browsers
+				elem = elem.replace(rxhtmlTag, "<$1></$2>");
+
+				// Trim whitespace, otherwise indexOf won't work as expected
+				var tag = (rtagName.exec( elem ) || ["", ""])[1].toLowerCase(),
+					wrap = wrapMap[ tag ] || wrapMap._default,
+					depth = wrap[0],
+					div = context.createElement("div");
+
+				// Go to html and back, then peel off extra wrappers
+				div.innerHTML = wrap[1] + elem + wrap[2];
+
+				// Move to the right depth
+				while ( depth-- ) {
+					div = div.lastChild;
+				}
+
+				// Remove IE's autoinserted <tbody> from table fragments
+				if ( !jQuery.support.tbody ) {
+
+					// String was a <table>, *may* have spurious <tbody>
+					var hasBody = rtbody.test(elem),
+						tbody = tag === "table" && !hasBody ?
+							div.firstChild && div.firstChild.childNodes :
+
+							// String was a bare <thead> or <tfoot>
+							wrap[1] === "<table>" && !hasBody ?
+								div.childNodes :
+								[];
+
+					for ( var j = tbody.length - 1; j >= 0 ; --j ) {
+						if ( jQuery.nodeName( tbody[ j ], "tbody" ) && !tbody[ j ].childNodes.length ) {
+							tbody[ j ].parentNode.removeChild( tbody[ j ] );
+						}
+					}
+
+				}
+
+				// IE completely kills leading whitespace when innerHTML is used
+				if ( !jQuery.support.leadingWhitespace && rleadingWhitespace.test( elem ) ) {
+					div.insertBefore( context.createTextNode( rleadingWhitespace.exec(elem)[0] ), div.firstChild );
+				}
+
+				elem = div.childNodes;
+			}
+
+			if ( elem.nodeType ) {
+				ret.push( elem );
+			} else {
+				ret = jQuery.merge( ret, elem );
+			}
+		}
+
+		if ( fragment ) {
+			for ( i = 0; ret[i]; i++ ) {
+				if ( scripts && jQuery.nodeName( ret[i], "script" ) && (!ret[i].type || ret[i].type.toLowerCase() === "text/javascript") ) {
+					scripts.push( ret[i].parentNode ? ret[i].parentNode.removeChild( ret[i] ) : ret[i] );
+
+				} else {
+					if ( ret[i].nodeType === 1 ) {
+						ret.splice.apply( ret, [i + 1, 0].concat(jQuery.makeArray(ret[i].getElementsByTagName("script"))) );
+					}
+					fragment.appendChild( ret[i] );
+				}
+			}
+		}
+
+		return ret;
+	},
+
+	cleanData: function( elems ) {
+		var data, id, cache = jQuery.cache, internalKey = jQuery.expando, special = jQuery.event.special,
+			deleteExpando = jQuery.support.deleteExpando;
+
+		for ( var i = 0, elem; (elem = elems[i]) != null; i++ ) {
+			if ( elem.nodeName && jQuery.noData[elem.nodeName.toLowerCase()] ) {
+				continue;
+			}
+
+			id = elem[ jQuery.expando ];
+
+			if ( id ) {
+				data = cache[ id ] && cache[ id ][ internalKey ];
+
+				if ( data && data.events ) {
+					for ( var type in data.events ) {
+						if ( special[ type ] ) {
+							jQuery.event.remove( elem, type );
+
+						// This is a shortcut to avoid jQuery.event.remove's overhead
+						} else {
+							jQuery.removeEvent( elem, type, data.handle );
+						}
+					}
+
+					// Null the DOM reference to avoid IE6/7/8 leak (#7054)
+					if ( data.handle ) {
+						data.handle.elem = null;
+					}
+				}
+
+				if ( deleteExpando ) {
+					delete elem[ jQuery.expando ];
+
+				} else if ( elem.removeAttribute ) {
+					elem.removeAttribute( jQuery.expando );
+				}
+
+				delete cache[ id ];
+			}
+		}
+	}
+});
+
+function evalScript( i, elem ) {
+	if ( elem.src ) {
+		jQuery.ajax({
+			url: elem.src,
+			async: false,
+			dataType: "script"
+		});
+	} else {
+		jQuery.globalEval( elem.text || elem.textContent || elem.innerHTML || "" );
+	}
+
+	if ( elem.parentNode ) {
+		elem.parentNode.removeChild( elem );
+	}
+}
+
+
+
+
+var ralpha = /alpha\([^)]*\)/i,
+	ropacity = /opacity=([^)]*)/,
+	rdashAlpha = /-([a-z])/ig,
+	rupper = /([A-Z])/g,
+	rnumpx = /^-?\d+(?:px)?$/i,
+	rnum = /^-?\d/,
+
+	cssShow = { position: "absolute", visibility: "hidden", display: "block" },
+	cssWidth = [ "Left", "Right" ],
+	cssHeight = [ "Top", "Bottom" ],
+	curCSS,
+
+	getComputedStyle,
+	currentStyle,
+
+	fcamelCase = function( all, letter ) {
+		return letter.toUpperCase();
+	};
+
+jQuery.fn.css = function( name, value ) {
+	// Setting 'undefined' is a no-op
+	if ( arguments.length === 2 && value === undefined ) {
+		return this;
+	}
+
+	return jQuery.access( this, name, value, true, function( elem, name, value ) {
+		return value !== undefined ?
+			jQuery.style( elem, name, value ) :
+			jQuery.css( elem, name );
+	});
+};
+
+jQuery.extend({
+	// Add in style property hooks for overriding the default
+	// behavior of getting and setting a style property
+	cssHooks: {
+		opacity: {
+			get: function( elem, computed ) {
+				if ( computed ) {
+					// We should always get a number back from opacity
+					var ret = curCSS( elem, "opacity", "opacity" );
+					return ret === "" ? "1" : ret;
+
+				} else {
+					return elem.style.opacity;
+				}
+			}
+		}
+	},
+
+	// Exclude the following css properties to add px
+	cssNumber: {
+		"zIndex": true,
+		"fontWeight": true,
+		"opacity": true,
+		"zoom": true,
+		"lineHeight": true
+	},
+
+	// Add in properties whose names you wish to fix before
+	// setting or getting the value
+	cssProps: {
+		// normalize float css property
+		"float": jQuery.support.cssFloat ? "cssFloat" : "styleFloat"
+	},
+
+	// Get and set the style property on a DOM Node
+	style: function( elem, name, value, extra ) {
+		// Don't set styles on text and comment nodes
+		if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) {
+			return;
+		}
+
+		// Make sure that we're working with the right name
+		var ret, origName = jQuery.camelCase( name ),
+			style = elem.style, hooks = jQuery.cssHooks[ origName ];
+
+		name = jQuery.cssProps[ origName ] || origName;
+
+		// Check if we're setting a value
+		if ( value !== undefined ) {
+			// Make sure that NaN and null values aren't set. See: #7116
+			if ( typeof value === "number" && isNaN( value ) || value == null ) {
+				return;
+			}
+
+			// If a number was passed in, add 'px' to the (except for certain CSS properties)
+			if ( typeof value === "number" && !jQuery.cssNumber[ origName ] ) {
+				value += "px";
+			}
+
+			// If a hook was provided, use that value, otherwise just set the specified value
+			if ( !hooks || !("set" in hooks) || (value = hooks.set( elem, value )) !== undefined ) {
+				// Wrapped to prevent IE from throwing errors when 'invalid' values are provided
+				// Fixes bug #5509
+				try {
+					style[ name ] = value;
+				} catch(e) {}
+			}
+
+		} else {
+			// If a hook was provided get the non-computed value from there
+			if ( hooks && "get" in hooks && (ret = hooks.get( elem, false, extra )) !== undefined ) {
+				return ret;
+			}
+
+			// Otherwise just get the value from the style object
+			return style[ name ];
+		}
+	},
+
+	css: function( elem, name, extra ) {
+		// Make sure that we're working with the right name
+		var ret, origName = jQuery.camelCase( name ),
+			hooks = jQuery.cssHooks[ origName ];
+
+		name = jQuery.cssProps[ origName ] || origName;
+
+		// If a hook was provided get the computed value from there
+		if ( hooks && "get" in hooks && (ret = hooks.get( elem, true, extra )) !== undefined ) {
+			return ret;
+
+		// Otherwise, if a way to get the computed value exists, use that
+		} else if ( curCSS ) {
+			return curCSS( elem, name, origName );
+		}
+	},
+
+	// A method for quickly swapping in/out CSS properties to get correct calculations
+	swap: function( elem, options, callback ) {
+		var old = {};
+
+		// Remember the old values, and insert the new ones
+		for ( var name in options ) {
+			old[ name ] = elem.style[ name ];
+			elem.style[ name ] = options[ name ];
+		}
+
+		callback.call( elem );
+
+		// Revert the old values
+		for ( name in options ) {
+			elem.style[ name ] = old[ name ];
+		}
+	},
+
+	camelCase: function( string ) {
+		return string.replace( rdashAlpha, fcamelCase );
+	}
+});
+
+// DEPRECATED, Use jQuery.css() instead
+jQuery.curCSS = jQuery.css;
+
+jQuery.each(["height", "width"], function( i, name ) {
+	jQuery.cssHooks[ name ] = {
+		get: function( elem, computed, extra ) {
+			var val;
+
+			if ( computed ) {
+				if ( elem.offsetWidth !== 0 ) {
+					val = getWH( elem, name, extra );
+
+				} else {
+					jQuery.swap( elem, cssShow, function() {
+						val = getWH( elem, name, extra );
+					});
+				}
+
+				if ( val <= 0 ) {
+					val = curCSS( elem, name, name );
+
+					if ( val === "0px" && currentStyle ) {
+						val = currentStyle( elem, name, name );
+					}
+
+					if ( val != null ) {
+						// Should return "auto" instead of 0, use 0 for
+						// temporary backwards-compat
+						return val === "" || val === "auto" ? "0px" : val;
+					}
+				}
+
+				if ( val < 0 || val == null ) {
+					val = elem.style[ name ];
+
+					// Should return "auto" instead of 0, use 0 for
+					// temporary backwards-compat
+					return val === "" || val === "auto" ? "0px" : val;
+				}
+
+				return typeof val === "string" ? val : val + "px";
+			}
+		},
+
+		set: function( elem, value ) {
+			if ( rnumpx.test( value ) ) {
+				// ignore negative width and height values #1599
+				value = parseFloat(value);
+
+				if ( value >= 0 ) {
+					return value + "px";
+				}
+
+			} else {
+				return value;
+			}
+		}
+	};
+});
+
+if ( !jQuery.support.opacity ) {
+	jQuery.cssHooks.opacity = {
+		get: function( elem, computed ) {
+			// IE uses filters for opacity
+			return ropacity.test((computed && elem.currentStyle ? elem.currentStyle.filter : elem.style.filter) || "") ?
+				(parseFloat(RegExp.$1) / 100) + "" :
+				computed ? "1" : "";
+		},
+
+		set: function( elem, value ) {
+			var style = elem.style;
+
+			// IE has trouble with opacity if it does not have layout
+			// Force it by setting the zoom level
+			style.zoom = 1;
+
+			// Set the alpha filter to set the opacity
+			var opacity = jQuery.isNaN(value) ?
+				"" :
+				"alpha(opacity=" + value * 100 + ")",
+				filter = style.filter || "";
+
+			style.filter = ralpha.test(filter) ?
+				filter.replace(ralpha, opacity) :
+				style.filter + ' ' + opacity;
+		}
+	};
+}
+
+if ( document.defaultView && document.defaultView.getComputedStyle ) {
+	getComputedStyle = function( elem, newName, name ) {
+		var ret, defaultView, computedStyle;
+
+		name = name.replace( rupper, "-$1" ).toLowerCase();
+
+		if ( !(defaultView = elem.ownerDocument.defaultView) ) {
+			return undefined;
+		}
+
+		if ( (computedStyle = defaultView.getComputedStyle( elem, null )) ) {
+			ret = computedStyle.getPropertyValue( name );
+			if ( ret === "" && !jQuery.contains( elem.ownerDocument.documentElement, elem ) ) {
+				ret = jQuery.style( elem, name );
+			}
+		}
+
+		return ret;
+	};
+}
+
+if ( document.documentElement.currentStyle ) {
+	currentStyle = function( elem, name ) {
+		var left, 
+			ret = elem.currentStyle && elem.currentStyle[ name ],
+			rsLeft = elem.runtimeStyle && elem.runtimeStyle[ name ],
+			style = elem.style;
+
+		// From the awesome hack by Dean Edwards
+		// http://erik.eae.net/archives/2007/07/27/18.54.15/#comment-102291
+
+		// If we're not dealing with a regular pixel number
+		// but a number that has a weird ending, we need to convert it to pixels
+		if ( !rnumpx.test( ret ) && rnum.test( ret ) ) {
+			// Remember the original values
+			left = style.left;
+
+			// Put in the new values to get a computed value out
+			if ( rsLeft ) {
+				elem.runtimeStyle.left = elem.currentStyle.left;
+			}
+			style.left = name === "fontSize" ? "1em" : (ret || 0);
+			ret = style.pixelLeft + "px";
+
+			// Revert the changed values
+			style.left = left;
+			if ( rsLeft ) {
+				elem.runtimeStyle.left = rsLeft;
+			}
+		}
+
+		return ret === "" ? "auto" : ret;
+	};
+}
+
+curCSS = getComputedStyle || currentStyle;
+
+function getWH( elem, name, extra ) {
+	var which = name === "width" ? cssWidth : cssHeight,
+		val = name === "width" ? elem.offsetWidth : elem.offsetHeight;
+
+	if ( extra === "border" ) {
+		return val;
+	}
+
+	jQuery.each( which, function() {
+		if ( !extra ) {
+			val -= parseFloat(jQuery.css( elem, "padding" + this )) || 0;
+		}
+
+		if ( extra === "margin" ) {
+			val += parseFloat(jQuery.css( elem, "margin" + this )) || 0;
+
+		} else {
+			val -= parseFloat(jQuery.css( elem, "border" + this + "Width" )) || 0;
+		}
+	});
+
+	return val;
+}
+
+if ( jQuery.expr && jQuery.expr.filters ) {
+	jQuery.expr.filters.hidden = function( elem ) {
+		var width = elem.offsetWidth,
+			height = elem.offsetHeight;
+
+		return (width === 0 && height === 0) || (!jQuery.support.reliableHiddenOffsets && (elem.style.display || jQuery.css( elem, "display" )) === "none");
+	};
+
+	jQuery.expr.filters.visible = function( elem ) {
+		return !jQuery.expr.filters.hidden( elem );
+	};
+}
+
+
+
+
+var r20 = /%20/g,
+	rbracket = /\[\]$/,
+	rCRLF = /\r?\n/g,
+	rhash = /#.*$/,
+	rheaders = /^(.*?):\s*(.*?)\r?$/mg, // IE leaves an \r character at EOL
+	rinput = /^(?:color|date|datetime|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,
+	rnoContent = /^(?:GET|HEAD)$/,
+	rprotocol = /^\/\//,
+	rquery = /\?/,
+	rscript = /<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,
+	rselectTextarea = /^(?:select|textarea)/i,
+	rspacesAjax = /\s+/,
+	rts = /([?&])_=[^&]*/,
+	rurl = /^(\w+:)\/\/([^\/?#:]+)(?::(\d+))?/,
+
+	// Keep a copy of the old load method
+	_load = jQuery.fn.load,
+
+	/* Prefilters
+	 * 1) They are useful to introduce custom dataTypes (see ajax/jsonp.js for an example)
+	 * 2) These are called:
+	 *    - BEFORE asking for a transport
+	 *    - AFTER param serialization (s.data is a string if s.processData is true)
+	 * 3) key is the dataType
+	 * 4) the catchall symbol "*" can be used
+	 * 5) execution will start with transport dataType and THEN continue down to "*" if needed
+	 */
+	prefilters = {},
+
+	/* Transports bindings
+	 * 1) key is the dataType
+	 * 2) the catchall symbol "*" can be used
+	 * 3) selection will start with transport dataType and THEN go to "*" if needed
+	 */
+	transports = {};
+
+// Base "constructor" for jQuery.ajaxPrefilter and jQuery.ajaxTransport
+function addToPrefiltersOrTransports( structure ) {
+
+	// dataTypeExpression is optional and defaults to "*"
+	return function( dataTypeExpression, func ) {
+
+		if ( typeof dataTypeExpression !== "string" ) {
+			func = dataTypeExpression;
+			dataTypeExpression = "*";
+		}
+
+		if ( jQuery.isFunction( func ) ) {
+			var dataTypes = dataTypeExpression.toLowerCase().split( rspacesAjax ),
+				i = 0,
+				length = dataTypes.length,
+				dataType,
+				list,
+				placeBefore;
+
+			// For each dataType in the dataTypeExpression
+			for(; i < length; i++ ) {
+				dataType = dataTypes[ i ];
+				// We control if we're asked to add before
+				// any existing element
+				placeBefore = /^\+/.test( dataType );
+				if ( placeBefore ) {
+					dataType = dataType.substr( 1 ) || "*";
+				}
+				list = structure[ dataType ] = structure[ dataType ] || [];
+				// then we add to the structure accordingly
+				list[ placeBefore ? "unshift" : "push" ]( func );
+			}
+		}
+	};
+}
+
+//Base inspection function for prefilters and transports
+function inspectPrefiltersOrTransports( structure, options, originalOptions, jXHR,
+		dataType /* internal */, inspected /* internal */ ) {
+
+	dataType = dataType || options.dataTypes[ 0 ];
+	inspected = inspected || {};
+
+	inspected[ dataType ] = true;
+
+	var list = structure[ dataType ],
+		i = 0,
+		length = list ? list.length : 0,
+		executeOnly = ( structure === prefilters ),
+		selection;
+
+	for(; i < length && ( executeOnly || !selection ); i++ ) {
+		selection = list[ i ]( options, originalOptions, jXHR );
+		// If we got redirected to another dataType
+		// we try there if not done already
+		if ( typeof selection === "string" ) {
+			if ( inspected[ selection ] ) {
+				selection = undefined;
+			} else {
+				options.dataTypes.unshift( selection );
+				selection = inspectPrefiltersOrTransports(
+						structure, options, originalOptions, jXHR, selection, inspected );
+			}
+		}
+	}
+	// If we're only executing or nothing was selected
+	// we try the catchall dataType if not done already
+	if ( ( executeOnly || !selection ) && !inspected[ "*" ] ) {
+		selection = inspectPrefiltersOrTransports(
+				structure, options, originalOptions, jXHR, "*", inspected );
+	}
+	// unnecessary when only executing (prefilters)
+	// but it'll be ignored by the caller in that case
+	return selection;
+}
+
+jQuery.fn.extend({
+	load: function( url, params, callback ) {
+		if ( typeof url !== "string" && _load ) {
+			return _load.apply( this, arguments );
+
+		// Don't do a request if no elements are being requested
+		} else if ( !this.length ) {
+			return this;
+		}
+
+		var off = url.indexOf( " " );
+		if ( off >= 0 ) {
+			var selector = url.slice( off, url.length );
+			url = url.slice( 0, off );
+		}
+
+		// Default to a GET request
+		var type = "GET";
+
+		// If the second parameter was provided
+		if ( params ) {
+			// If it's a function
+			if ( jQuery.isFunction( params ) ) {
+				// We assume that it's the callback
+				callback = params;
+				params = null;
+
+			// Otherwise, build a param string
+			} else if ( typeof params === "object" ) {
+				params = jQuery.param( params, jQuery.ajaxSettings.traditional );
+				type = "POST";
+			}
+		}
+
+		var self = this;
+
+		// Request the remote document
+		jQuery.ajax({
+			url: url,
+			type: type,
+			dataType: "html",
+			data: params,
+			// Complete callback (responseText is used internally)
+			complete: function( jXHR, status, responseText ) {
+				// Store the response as specified by the jXHR object
+				responseText = jXHR.responseText;
+				// If successful, inject the HTML into all the matched elements
+				if ( jXHR.isResolved() ) {
+					// #4825: Get the actual response in case
+					// a dataFilter is present in ajaxSettings
+					jXHR.done(function( r ) {
+						responseText = r;
+					});
+					// See if a selector was specified
+					self.html( selector ?
+						// Create a dummy div to hold the results
+						jQuery("<div>")
+							// inject the contents of the document in, removing the scripts
+							// to avoid any 'Permission Denied' errors in IE
+							.append(responseText.replace(rscript, ""))
+
+							// Locate the specified elements
+							.find(selector) :
+
+						// If not, just inject the full result
+						responseText );
+				}
+
+				if ( callback ) {
+					self.each( callback, [ responseText, status, jXHR ] );
+				}
+			}
+		});
+
+		return this;
+	},
+
+	serialize: function() {
+		return jQuery.param( this.serializeArray() );
+	},
+
+	serializeArray: function() {
+		return this.map(function(){
+			return this.elements ? jQuery.makeArray( this.elements ) : this;
+		})
+		.filter(function(){
+			return this.name && !this.disabled &&
+				( this.checked || rselectTextarea.test( this.nodeName ) ||
+					rinput.test( this.type ) );
+		})
+		.map(function( i, elem ){
+			var val = jQuery( this ).val();
+
+			return val == null ?
+				null :
+				jQuery.isArray( val ) ?
+					jQuery.map( val, function( val, i ){
+						return { name: elem.name, value: val.replace( rCRLF, "\r\n" ) };
+					}) :
+					{ name: elem.name, value: val.replace( rCRLF, "\r\n" ) };
+		}).get();
+	}
+});
+
+// Attach a bunch of functions for handling common AJAX events
+jQuery.each( "ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split( " " ), function( i, o ){
+	jQuery.fn[ o ] = function( f ){
+		return this.bind( o, f );
+	};
+} );
+
+jQuery.each( [ "get", "post" ], function( i, method ) {
+	jQuery[ method ] = function( url, data, callback, type ) {
+		// shift arguments if data argument was omitted
+		if ( jQuery.isFunction( data ) ) {
+			type = type || callback;
+			callback = data;
+			data = null;
+		}
+
+		return jQuery.ajax({
+			type: method,
+			url: url,
+			data: data,
+			success: callback,
+			dataType: type
+		});
+	};
+} );
+
+jQuery.extend({
+
+	getScript: function( url, callback ) {
+		return jQuery.get( url, null, callback, "script" );
+	},
+
+	getJSON: function( url, data, callback ) {
+		return jQuery.get( url, data, callback, "json" );
+	},
+
+	ajaxSetup: function( settings ) {
+		jQuery.extend( true, jQuery.ajaxSettings, settings );
+		if ( settings.context ) {
+			jQuery.ajaxSettings.context = settings.context;
+		}
+	},
+
+	ajaxSettings: {
+		url: location.href,
+		global: true,
+		type: "GET",
+		contentType: "application/x-www-form-urlencoded",
+		processData: true,
+		async: true,
+		/*
+		timeout: 0,
+		data: null,
+		dataType: null,
+		username: null,
+		password: null,
+		cache: null,
+		traditional: false,
+		headers: {},
+		crossDomain: null,
+		*/
+
+		accepts: {
+			xml: "application/xml, text/xml",
+			html: "text/html",
+			text: "text/plain",
+			json: "application/json, text/javascript",
+			"*": "*/*"
+		},
+
+		contents: {
+			xml: /xml/,
+			html: /html/,
+			json: /json/
+		},
+
+		responseFields: {
+			xml: "responseXML",
+			text: "responseText"
+		},
+
+		// List of data converters
+		// 1) key format is "source_type destination_type" (a single space in-between)
+		// 2) the catchall symbol "*" can be used for source_type
+		converters: {
+
+			// Convert anything to text
+			"* text": window.String,
+
+			// Text to html (true = no transformation)
+			"text html": true,
+
+			// Evaluate text as a json expression
+			"text json": jQuery.parseJSON,
+
+			// Parse text as xml
+			"text xml": jQuery.parseXML
+		}
+	},
+
+	ajaxPrefilter: addToPrefiltersOrTransports( prefilters ),
+	ajaxTransport: addToPrefiltersOrTransports( transports ),
+
+	// Main method
+	ajax: function( url, options ) {
+
+		// If options is not an object,
+		// we simulate pre-1.5 signature
+		if ( typeof options !== "object" ) {
+			options = url;
+			url = undefined;
+		}
+
+		// Force options to be an object
+		options = options || {};
+
+		var // Create the final options object
+			s = jQuery.extend( true, {}, jQuery.ajaxSettings, options ),
+			// Callbacks contexts
+			// We force the original context if it exists
+			// or take it from jQuery.ajaxSettings otherwise
+			// (plain objects used as context get extended)
+			callbackContext =
+				( s.context = ( "context" in options ? options : jQuery.ajaxSettings ).context ) || s,
+			globalEventContext = callbackContext === s ? jQuery.event : jQuery( callbackContext ),
+			// Deferreds
+			deferred = jQuery.Deferred(),
+			completeDeferred = jQuery._Deferred(),
+			// Status-dependent callbacks
+			statusCode = s.statusCode || {},
+			// Headers (they are sent all at once)
+			requestHeaders = {},
+			// Response headers
+			responseHeadersString,
+			responseHeaders,
+			// transport
+			transport,
+			// timeout handle
+			timeoutTimer,
+			// Cross-domain detection vars
+			loc = document.location,
+			protocol = loc.protocol || "http:",
+			parts,
+			// The jXHR state
+			state = 0,
+			// Loop variable
+			i,
+			// Fake xhr
+			jXHR = {
+
+				readyState: 0,
+
+				// Caches the header
+				setRequestHeader: function( name, value ) {
+					if ( state === 0 ) {
+						requestHeaders[ name.toLowerCase() ] = value;
+					}
+					return this;
+				},
+
+				// Raw string
+				getAllResponseHeaders: function() {
+					return state === 2 ? responseHeadersString : null;
+				},
+
+				// Builds headers hashtable if needed
+				getResponseHeader: function( key ) {
+					var match;
+					if ( state === 2 ) {
+						if ( !responseHeaders ) {
+							responseHeaders = {};
+							while( ( match = rheaders.exec( responseHeadersString ) ) ) {
+								responseHeaders[ match[1].toLowerCase() ] = match[ 2 ];
+							}
+						}
+						match = responseHeaders[ key.toLowerCase() ];
+					}
+					return match || null;
+				},
+
+				// Cancel the request
+				abort: function( statusText ) {
+					statusText = statusText || "abort";
+					if ( transport ) {
+						transport.abort( statusText );
+					}
+					done( 0, statusText );
+					return this;
+				}
+			};
+
+		// Callback for when everything is done
+		// It is defined here because jslint complains if it is declared
+		// at the end of the function (which would be more logical and readable)
+		function done( status, statusText, responses, headers) {
+
+			// Called once
+			if ( state === 2 ) {
+				return;
+			}
+
+			// State is "done" now
+			state = 2;
+
+			// Clear timeout if it exists
+			if ( timeoutTimer ) {
+				clearTimeout( timeoutTimer );
+			}
+
+			// Dereference transport for early garbage collection
+			// (no matter how long the jXHR object will be used)
+			transport = undefined;
+
+			// Cache response headers
+			responseHeadersString = headers || "";
+
+			// Set readyState
+			jXHR.readyState = status ? 4 : 0;
+
+			var isSuccess,
+				success,
+				error,
+				response = responses ? ajaxHandleResponses( s, jXHR, responses ) : undefined,
+				lastModified,
+				etag;
+
+			// If successful, handle type chaining
+			if ( status >= 200 && status < 300 || status === 304 ) {
+
+				// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
+				if ( s.ifModified ) {
+
+					if ( ( lastModified = jXHR.getResponseHeader( "Last-Modified" ) ) ) {
+						jQuery.lastModified[ s.url ] = lastModified;
+					}
+					if ( ( etag = jXHR.getResponseHeader( "Etag" ) ) ) {
+						jQuery.etag[ s.url ] = etag;
+					}
+				}
+
+				// If not modified
+				if ( status === 304 ) {
+
+					statusText = "notmodified";
+					isSuccess = true;
+
+				// If we have data
+				} else {
+
+					try {
+						success = ajaxConvert( s, response );
+						statusText = "success";
+						isSuccess = true;
+					} catch(e) {
+						// We have a parsererror
+						statusText = "parsererror";
+						error = e;
+					}
+				}
+			} else {
+				// We extract error from statusText
+				// then normalize statusText and status for non-aborts
+				error = statusText;
+				if( status ) {
+					statusText = "error";
+					if ( status < 0 ) {
+						status = 0;
+					}
+				}
+			}
+
+			// Set data for the fake xhr object
+			jXHR.status = status;
+			jXHR.statusText = statusText;
+
+			// Success/Error
+			if ( isSuccess ) {
+				deferred.resolveWith( callbackContext, [ success, statusText, jXHR ] );
+			} else {
+				deferred.rejectWith( callbackContext, [ jXHR, statusText, error ] );
+			}
+
+			// Status-dependent callbacks
+			jXHR.statusCode( statusCode );
+			statusCode = undefined;
+
+			if ( s.global ) {
+				globalEventContext.trigger( "ajax" + ( isSuccess ? "Success" : "Error" ),
+						[ jXHR, s, isSuccess ? success : error ] );
+			}
+
+			// Complete
+			completeDeferred.resolveWith( callbackContext, [ jXHR, statusText ] );
+
+			if ( s.global ) {
+				globalEventContext.trigger( "ajaxComplete", [ jXHR, s] );
+				// Handle the global AJAX counter
+				if ( !( --jQuery.active ) ) {
+					jQuery.event.trigger( "ajaxStop" );
+				}
+			}
+		}
+
+		// Attach deferreds
+		deferred.promise( jXHR );
+		jXHR.success = jXHR.done;
+		jXHR.error = jXHR.fail;
+		jXHR.complete = completeDeferred.done;
+
+		// Status-dependent callbacks
+		jXHR.statusCode = function( map ) {
+			if ( map ) {
+				var tmp;
+				if ( state < 2 ) {
+					for( tmp in map ) {
+						statusCode[ tmp ] = [ statusCode[tmp], map[tmp] ];
+					}
+				} else {
+					tmp = map[ jXHR.status ];
+					jXHR.then( tmp, tmp );
+				}
+			}
+			return this;
+		};
+
+		// Remove hash character (#7531: and string promotion)
+		// Add protocol if not provided (#5866: IE7 issue with protocol-less urls)
+		// We also use the url parameter if available
+		s.url = ( "" + ( url || s.url ) ).replace( rhash, "" ).replace( rprotocol, protocol + "//" );
+
+		// Extract dataTypes list
+		s.dataTypes = jQuery.trim( s.dataType || "*" ).toLowerCase().split( rspacesAjax );
+
+		// Determine if a cross-domain request is in order
+		if ( !s.crossDomain ) {
+			parts = rurl.exec( s.url.toLowerCase() );
+			s.crossDomain = !!( parts &&
+				( parts[ 1 ] != protocol || parts[ 2 ] != loc.hostname ||
+					( parts[ 3 ] || ( parts[ 1 ] === "http:" ? 80 : 443 ) ) !=
+						( loc.port || ( protocol === "http:" ? 80 : 443 ) ) )
+			);
+		}
+
+		// Convert data if not already a string
+		if ( s.data && s.processData && typeof s.data !== "string" ) {
+			s.data = jQuery.param( s.data, s.traditional );
+		}
+
+		// Apply prefilters
+		inspectPrefiltersOrTransports( prefilters, s, options, jXHR );
+
+		// Uppercase the type
+		s.type = s.type.toUpperCase();
+
+		// Determine if request has content
+		s.hasContent = !rnoContent.test( s.type );
+
+		// Watch for a new set of requests
+		if ( s.global && jQuery.active++ === 0 ) {
+			jQuery.event.trigger( "ajaxStart" );
+		}
+
+		// More options handling for requests with no content
+		if ( !s.hasContent ) {
+
+			// If data is available, append data to url
+			if ( s.data ) {
+				s.url += ( rquery.test( s.url ) ? "&" : "?" ) + s.data;
+			}
+
+			// Add anti-cache in url if needed
+			if ( s.cache === false ) {
+
+				var ts = jQuery.now(),
+					// try replacing _= if it is there
+					ret = s.url.replace( rts, "$1_=" + ts );
+
+				// if nothing was replaced, add timestamp to the end
+				s.url = ret + ( (ret === s.url ) ? ( rquery.test( s.url ) ? "&" : "?" ) + "_=" + ts : "" );
+			}
+		}
+
+		// Set the correct header, if data is being sent
+		if ( s.data && s.hasContent && s.contentType !== false || options.contentType ) {
+			requestHeaders[ "content-type" ] = s.contentType;
+		}
+
+		// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
+		if ( s.ifModified ) {
+			if ( jQuery.lastModified[ s.url ] ) {
+				requestHeaders[ "if-modified-since" ] = jQuery.lastModified[ s.url ];
+			}
+			if ( jQuery.etag[ s.url ] ) {
+				requestHeaders[ "if-none-match" ] = jQuery.etag[ s.url ];
+			}
+		}
+
+		// Set the Accepts header for the server, depending on the dataType
+		requestHeaders.accept = s.dataTypes[ 0 ] && s.accepts[ s.dataTypes[0] ] ?
+			s.accepts[ s.dataTypes[0] ] + ( s.dataTypes[ 0 ] !== "*" ? ", */*; q=0.01" : "" ) :
+			s.accepts[ "*" ];
+
+		// Check for headers option
+		for ( i in s.headers ) {
+			requestHeaders[ i.toLowerCase() ] = s.headers[ i ];
+		}
+
+		// Allow custom headers/mimetypes and early abort
+		if ( s.beforeSend && ( s.beforeSend.call( callbackContext, jXHR, s ) === false || state === 2 ) ) {
+				// Abort if not done already
+				done( 0, "abort" );
+				// Return false
+				jXHR = false;
+
+		} else {
+
+			// Install callbacks on deferreds
+			for ( i in { success: 1, error: 1, complete: 1 } ) {
+				jXHR[ i ]( s[ i ] );
+			}
+
+			// Get transport
+			transport = inspectPrefiltersOrTransports( transports, s, options, jXHR );
+
+			// If no transport, we auto-abort
+			if ( !transport ) {
+				done( -1, "No Transport" );
+			} else {
+				// Set state as sending
+				state = jXHR.readyState = 1;
+				// Send global event
+				if ( s.global ) {
+					globalEventContext.trigger( "ajaxSend", [ jXHR, s ] );
+				}
+				// Timeout
+				if ( s.async && s.timeout > 0 ) {
+					timeoutTimer = setTimeout( function(){
+						jXHR.abort( "timeout" );
+					}, s.timeout );
+				}
+
+				try {
+					transport.send( requestHeaders, done );
+				} catch (e) {
+					// Propagate exception as error if not done
+					if ( status < 2 ) {
+						done( -1, e );
+					// Simply rethrow otherwise
+					} else {
+						jQuery.error( e );
+					}
+				}
+			}
+		}
+		return jXHR;
+	},
+
+	// Serialize an array of form elements or a set of
+	// key/values into a query string
+	param: function( a, traditional ) {
+		var s = [],
+			add = function( key, value ) {
+				// If value is a function, invoke it and return its value
+				value = jQuery.isFunction( value ) ? value() : value;
+				s[ s.length ] = encodeURIComponent( key ) + "=" + encodeURIComponent( value );
+			};
+
+		// Set traditional to true for jQuery <= 1.3.2 behavior.
+		if ( traditional === undefined ) {
+			traditional = jQuery.ajaxSettings.traditional;
+		}
+
+		// If an array was passed in, assume that it is an array of form elements.
+		if ( jQuery.isArray( a ) || a.jquery ) {
+			// Serialize the form elements
+			jQuery.each( a, function() {
+				add( this.name, this.value );
+			} );
+
+		} else {
+			// If traditional, encode the "old" way (the way 1.3.2 or older
+			// did it), otherwise encode params recursively.
+			for ( var prefix in a ) {
+				buildParams( prefix, a[ prefix ], traditional, add );
+			}
+		}
+
+		// Return the resulting serialization
+		return s.join( "&" ).replace( r20, "+" );
+	}
+});
+
+function buildParams( prefix, obj, traditional, add ) {
+	if ( jQuery.isArray( obj ) && obj.length ) {
+		// Serialize array item.
+		jQuery.each( obj, function( i, v ) {
+			if ( traditional || rbracket.test( prefix ) ) {
+				// Treat each array item as a scalar.
+				add( prefix, v );
+
+			} else {
+				// If array item is non-scalar (array or object), encode its
+				// numeric index to resolve deserialization ambiguity issues.
+				// Note that rack (as of 1.0.0) can't currently deserialize
+				// nested arrays properly, and attempting to do so may cause
+				// a server error. Possible fixes are to modify rack's
+				// deserialization algorithm or to provide an option or flag
+				// to force array serialization to be shallow.
+				buildParams( prefix + "[" + ( typeof v === "object" || jQuery.isArray(v) ? i : "" ) + "]", v, traditional, add );
+			}
+		});
+
+	} else if ( !traditional && obj != null && typeof obj === "object" ) {
+		// If we see an array here, it is empty and should be treated as an empty
+		// object
+		if ( jQuery.isArray( obj ) || jQuery.isEmptyObject( obj ) ) {
+			add( prefix, "" );
+
+		// Serialize object item.
+		} else {
+			jQuery.each( obj, function( k, v ) {
+				buildParams( prefix + "[" + k + "]", v, traditional, add );
+			});
+		}
+
+	} else {
+		// Serialize scalar item.
+		add( prefix, obj );
+	}
+}
+
+// This is still on the jQuery object... for now
+// Want to move this to jQuery.ajax some day
+jQuery.extend({
+
+	// Counter for holding the number of active queries
+	active: 0,
+
+	// Last-Modified header cache for next request
+	lastModified: {},
+	etag: {}
+
+});
+
+/* Handles responses to an ajax request:
+ * - sets all responseXXX fields accordingly
+ * - finds the right dataType (mediates between content-type and expected dataType)
+ * - returns the corresponding response
+ */
+function ajaxHandleResponses( s, jXHR, responses ) {
+
+	var contents = s.contents,
+		dataTypes = s.dataTypes,
+		responseFields = s.responseFields,
+		ct,
+		type,
+		finalDataType,
+		firstDataType;
+
+	// Fill responseXXX fields
+	for( type in responseFields ) {
+		if ( type in responses ) {
+			jXHR[ responseFields[type] ] = responses[ type ];
+		}
+	}
+
+	// Remove auto dataType and get content-type in the process
+	while( dataTypes[ 0 ] === "*" ) {
+		dataTypes.shift();
+		if ( ct === undefined ) {
+			ct = jXHR.getResponseHeader( "content-type" );
+		}
+	}
+
+	// Check if we're dealing with a known content-type
+	if ( ct ) {
+		for ( type in contents ) {
+			if ( contents[ type ] && contents[ type ].test( ct ) ) {
+				dataTypes.unshift( type );
+				break;
+			}
+		}
+	}
+
+	// Check to see if we have a response for the expected dataType
+	if ( dataTypes[ 0 ] in responses ) {
+		finalDataType = dataTypes[ 0 ];
+	} else {
+		// Try convertible dataTypes
+		for ( type in responses ) {
+			if ( !dataTypes[ 0 ] || s.converters[ type + " " + dataTypes[0] ] ) {
+				finalDataType = type;
+				break;
+			}
+			if ( !firstDataType ) {
+				firstDataType = type;
+			}
+		}
+		// Or just use first one
+		finalDataType = finalDataType || firstDataType;
+	}
+
+	// If we found a dataType
+	// We add the dataType to the list if needed
+	// and return the corresponding response
+	if ( finalDataType ) {
+		if ( finalDataType !== dataTypes[ 0 ] ) {
+			dataTypes.unshift( finalDataType );
+		}
+		return responses[ finalDataType ];
+	}
+}
+
+// Chain conversions given the request and the original response
+function ajaxConvert( s, response ) {
+
+	// Apply the dataFilter if provided
+	if ( s.dataFilter ) {
+		response = s.dataFilter( response, s.dataType );
+	}
+
+	var dataTypes = s.dataTypes,
+		converters = s.converters,
+		i,
+		length = dataTypes.length,
+		tmp,
+		// Current and previous dataTypes
+		current = dataTypes[ 0 ],
+		prev,
+		// Conversion expression
+		conversion,
+		// Conversion function
+		conv,
+		// Conversion functions (transitive conversion)
+		conv1,
+		conv2;
+
+	// For each dataType in the chain
+	for( i = 1; i < length; i++ ) {
+
+		// Get the dataTypes
+		prev = current;
+		current = dataTypes[ i ];
+
+		// If current is auto dataType, update it to prev
+		if( current === "*" ) {
+			current = prev;
+		// If no auto and dataTypes are actually different
+		} else if ( prev !== "*" && prev !== current ) {
+
+			// Get the converter
+			conversion = prev + " " + current;
+			conv = converters[ conversion ] || converters[ "* " + current ];
+
+			// If there is no direct converter, search transitively
+			if ( !conv ) {
+				conv2 = undefined;
+				for( conv1 in converters ) {
+					tmp = conv1.split( " " );
+					if ( tmp[ 0 ] === prev || tmp[ 0 ] === "*" ) {
+						conv2 = converters[ tmp[1] + " " + current ];
+						if ( conv2 ) {
+							conv1 = converters[ conv1 ];
+							if ( conv1 === true ) {
+								conv = conv2;
+							} else if ( conv2 === true ) {
+								conv = conv1;
+							}
+							break;
+						}
+					}
+				}
+			}
+			// If we found no converter, dispatch an error
+			if ( !( conv || conv2 ) ) {
+				jQuery.error( "No conversion from " + conversion.replace(" "," to ") );
+			}
+			// If found converter is not an equivalence
+			if ( conv !== true ) {
+				// Convert with 1 or 2 converters accordingly
+				response = conv ? conv( response ) : conv2( conv1(response) );
+			}
+		}
+	}
+	return response;
+}
+
+
+
+
+var jsc = jQuery.now(),
+	jsre = /(\=)\?(&|$)|()\?\?()/i;
+
+// Default jsonp settings
+jQuery.ajaxSetup({
+	jsonp: "callback",
+	jsonpCallback: function() {
+		return jQuery.expando + "_" + ( jsc++ );
+	}
+});
+
+// Detect, normalize options and install callbacks for jsonp requests
+jQuery.ajaxPrefilter( "json jsonp", function( s, originalSettings, dataIsString /* internal */ ) {
+
+	dataIsString = ( typeof s.data === "string" );
+
+	if ( s.dataTypes[ 0 ] === "jsonp" ||
+		originalSettings.jsonpCallback ||
+		originalSettings.jsonp != null ||
+		s.jsonp !== false && ( jsre.test( s.url ) ||
+				dataIsString && jsre.test( s.data ) ) ) {
+
+		var responseContainer,
+			jsonpCallback = s.jsonpCallback =
+				jQuery.isFunction( s.jsonpCallback ) ? s.jsonpCallback() : s.jsonpCallback,
+			previous = window[ jsonpCallback ],
+			url = s.url,
+			data = s.data,
+			replace = "$1" + jsonpCallback + "$2";
+
+		if ( s.jsonp !== false ) {
+			url = url.replace( jsre, replace );
+			if ( s.url === url ) {
+				if ( dataIsString ) {
+					data = data.replace( jsre, replace );
+				}
+				if ( s.data === data ) {
+					// Add callback manually
+					url += (/\?/.test( url ) ? "&" : "?") + s.jsonp + "=" + jsonpCallback;
+				}
+			}
+		}
+
+		s.url = url;
+		s.data = data;
+
+		window[ jsonpCallback ] = function( response ) {
+			responseContainer = [ response ];
+		};
+
+		s.complete = [ function() {
+
+			// Set callback back to previous value
+			window[ jsonpCallback ] = previous;
+
+			// Call if it was a function and we have a response
+			if ( previous) {
+				if ( responseContainer && jQuery.isFunction( previous ) ) {
+					window[ jsonpCallback ] ( responseContainer[ 0 ] );
+				}
+			} else {
+				// else, more memory leak avoidance
+				try{
+					delete window[ jsonpCallback ];
+				} catch( e ) {}
+			}
+
+		}, s.complete ];
+
+		// Use data converter to retrieve json after script execution
+		s.converters["script json"] = function() {
+			if ( ! responseContainer ) {
+				jQuery.error( jsonpCallback + " was not called" );
+			}
+			return responseContainer[ 0 ];
+		};
+
+		// force json dataType
+		s.dataTypes[ 0 ] = "json";
+
+		// Delegate to script
+		return "script";
+	}
+} );
+
+
+
+
+// Install script dataType
+jQuery.ajaxSetup({
+	accepts: {
+		script: "text/javascript, application/javascript"
+	},
+	contents: {
+		script: /javascript/
+	},
+	converters: {
+		"text script": function( text ) {
+			jQuery.globalEval( text );
+			return text;
+		}
+	}
+});
+
+// Handle cache's special case and global
+jQuery.ajaxPrefilter( "script", function( s ) {
+	if ( s.cache === undefined ) {
+		s.cache = false;
+	}
+	if ( s.crossDomain ) {
+		s.type = "GET";
+		s.global = false;
+	}
+} );
+
+// Bind script tag hack transport
+jQuery.ajaxTransport( "script", function(s) {
+
+	// This transport only deals with cross domain requests
+	if ( s.crossDomain ) {
+
+		var script,
+			head = document.getElementsByTagName( "head" )[ 0 ] || document.documentElement;
+
+		return {
+
+			send: function( _, callback ) {
+
+				script = document.createElement( "script" );
+
+				script.async = "async";
+
+				if ( s.scriptCharset ) {
+					script.charset = s.scriptCharset;
+				}
+
+				script.src = s.url;
+
+				// Attach handlers for all browsers
+				script.onload = script.onreadystatechange = function( _, isAbort ) {
+
+					if ( !script.readyState || /loaded|complete/.test( script.readyState ) ) {
+
+						// Handle memory leak in IE
+						script.onload = script.onreadystatechange = null;
+
+						// Remove the script
+						if ( head && script.parentNode ) {
+							head.removeChild( script );
+						}
+
+						// Dereference the script
+						script = undefined;
+
+						// Callback if not abort
+						if ( !isAbort ) {
+							callback( 200, "success" );
+						}
+					}
+				};
+				// Use insertBefore instead of appendChild  to circumvent an IE6 bug.
+				// This arises when a base node is used (#2709 and #4378).
+				head.insertBefore( script, head.firstChild );
+			},
+
+			abort: function() {
+				if ( script ) {
+					script.onload( 0, 1 );
+				}
+			}
+		};
+	}
+} );
+
+
+
+
+var // Next active xhr id
+	xhrId = jQuery.now(),
+
+	// active xhrs
+	xhrs = {},
+
+	// #5280: see below
+	xhrUnloadAbortInstalled,
+
+	// XHR used to determine supports properties
+	testXHR;
+
+// Create the request object
+// (This is still attached to ajaxSettings for backward compatibility)
+jQuery.ajaxSettings.xhr = window.ActiveXObject ?
+	/* Microsoft failed to properly
+	 * implement the XMLHttpRequest in IE7 (can't request local files),
+	 * so we use the ActiveXObject when it is available
+	 * Additionally XMLHttpRequest can be disabled in IE7/IE8 so
+	 * we need a fallback.
+	 */
+	function() {
+		if ( window.location.protocol !== "file:" ) {
+			try {
+				return new window.XMLHttpRequest();
+			} catch( xhrError ) {}
+		}
+
+		try {
+			return new window.ActiveXObject("Microsoft.XMLHTTP");
+		} catch( activeError ) {}
+	} :
+	// For all other browsers, use the standard XMLHttpRequest object
+	function() {
+		return new window.XMLHttpRequest();
+	};
+
+// Test if we can create an xhr object
+try {
+	testXHR = jQuery.ajaxSettings.xhr();
+} catch( xhrCreationException ) {}
+
+//Does this browser support XHR requests?
+jQuery.support.ajax = !!testXHR;
+
+// Does this browser support crossDomain XHR requests
+jQuery.support.cors = testXHR && ( "withCredentials" in testXHR );
+
+// No need for the temporary xhr anymore
+testXHR = undefined;
+
+// Create transport if the browser can provide an xhr
+if ( jQuery.support.ajax ) {
+
+	jQuery.ajaxTransport(function( s ) {
+		// Cross domain only allowed if supported through XMLHttpRequest
+		if ( !s.crossDomain || jQuery.support.cors ) {
+
+			var callback;
+
+			return {
+				send: function( headers, complete ) {
+
+					// #5280: we need to abort on unload or IE will keep connections alive
+					if ( !xhrUnloadAbortInstalled ) {
+
+						xhrUnloadAbortInstalled = 1;
+
+						jQuery(window).bind( "unload", function() {
+
+							// Abort all pending requests
+							jQuery.each( xhrs, function( _, xhr ) {
+								if ( xhr.onreadystatechange ) {
+									xhr.onreadystatechange( 1 );
+								}
+							} );
+
+						} );
+					}
+
+					// Get a new xhr
+					var xhr = s.xhr(),
+						handle;
+
+					// Open the socket
+					// Passing null username, generates a login popup on Opera (#2865)
+					if ( s.username ) {
+						xhr.open( s.type, s.url, s.async, s.username, s.password );
+					} else {
+						xhr.open( s.type, s.url, s.async );
+					}
+
+					// Requested-With header
+					// Not set for crossDomain requests with no content
+					// (see why at http://trac.dojotoolkit.org/ticket/9486)
+					// Won't change header if already provided
+					if ( !( s.crossDomain && !s.hasContent ) && !headers["x-requested-with"] ) {
+						headers[ "x-requested-with" ] = "XMLHttpRequest";
+					}
+
+					// Need an extra try/catch for cross domain requests in Firefox 3
+					try {
+						jQuery.each( headers, function( key, value ) {
+							xhr.setRequestHeader( key, value );
+						} );
+					} catch( _ ) {}
+
+					// Do send the request
+					// This may raise an exception which is actually
+					// handled in jQuery.ajax (so no try/catch here)
+					xhr.send( ( s.hasContent && s.data ) || null );
+
+					// Listener
+					callback = function( _, isAbort ) {
+
+						// Was never called and is aborted or complete
+						if ( callback && ( isAbort || xhr.readyState === 4 ) ) {
+
+							// Only called once
+							callback = 0;
+
+							// Do not keep as active anymore
+							if ( handle ) {
+								xhr.onreadystatechange = jQuery.noop;
+								delete xhrs[ handle ];
+							}
+
+							// If it's an abort
+							if ( isAbort ) {
+								// Abort it manually if needed
+								if ( xhr.readyState !== 4 ) {
+									xhr.abort();
+								}
+							} else {
+								// Get info
+								var status = xhr.status,
+									statusText,
+									responseHeaders = xhr.getAllResponseHeaders(),
+									responses = {},
+									xml = xhr.responseXML;
+
+								// Construct response list
+								if ( xml && xml.documentElement /* #4958 */ ) {
+									responses.xml = xml;
+								}
+								responses.text = xhr.responseText;
+
+								// Firefox throws an exception when accessing
+								// statusText for faulty cross-domain requests
+								try {
+									statusText = xhr.statusText;
+								} catch( e ) {
+									// We normalize with Webkit giving an empty statusText
+									statusText = "";
+								}
+
+								// Filter status for non standard behaviours
+								status =
+									// Opera returns 0 when it should be 304
+									// Webkit returns 0 for failing cross-domain no matter the real status
+									status === 0 ?
+										(
+											// Webkit, Firefox: filter out faulty cross-domain requests
+											!s.crossDomain || statusText ?
+											(
+												// Opera: filter out real aborts #6060
+												responseHeaders ?
+												304 :
+												0
+											) :
+											// We assume 302 but could be anything cross-domain related
+											302
+										) :
+										(
+											// IE sometimes returns 1223 when it should be 204 (see #1450)
+											status == 1223 ?
+												204 :
+												status
+										);
+
+								// Call complete
+								complete( status, statusText, responses, responseHeaders );
+							}
+						}
+					};
+
+					// if we're in sync mode or it's in cache
+					// and has been retrieved directly (IE6 & IE7)
+					// we need to manually fire the callback
+					if ( !s.async || xhr.readyState === 4 ) {
+						callback();
+					} else {
+						// Add to list of active xhrs
+						handle = xhrId++;
+						xhrs[ handle ] = xhr;
+						xhr.onreadystatechange = callback;
+					}
+				},
+
+				abort: function() {
+					if ( callback ) {
+						callback(0,1);
+					}
+				}
+			};
+		}
+	});
+}
+
+
+
+
+var elemdisplay = {},
+	rfxtypes = /^(?:toggle|show|hide)$/,
+	rfxnum = /^([+\-]=)?([\d+.\-]+)([a-z%]*)$/i,
+	timerId,
+	fxAttrs = [
+		// height animations
+		[ "height", "marginTop", "marginBottom", "paddingTop", "paddingBottom" ],
+		// width animations
+		[ "width", "marginLeft", "marginRight", "paddingLeft", "paddingRight" ],
+		// opacity animations
+		[ "opacity" ]
+	];
+
+jQuery.fn.extend({
+	show: function( speed, easing, callback ) {
+		var elem, display;
+
+		if ( speed || speed === 0 ) {
+			return this.animate( genFx("show", 3), speed, easing, callback);
+
+		} else {
+			for ( var i = 0, j = this.length; i < j; i++ ) {
+				elem = this[i];
+				display = elem.style.display;
+
+				// Reset the inline display of this element to learn if it is
+				// being hidden by cascaded rules or not
+				if ( !jQuery._data(elem, "olddisplay") && display === "none" ) {
+					display = elem.style.display = "";
+				}
+
+				// Set elements which have been overridden with display: none
+				// in a stylesheet to whatever the default browser style is
+				// for such an element
+				if ( display === "" && jQuery.css( elem, "display" ) === "none" ) {
+					jQuery._data(elem, "olddisplay", defaultDisplay(elem.nodeName));
+				}
+			}
+
+			// Set the display of most of the elements in a second loop
+			// to avoid the constant reflow
+			for ( i = 0; i < j; i++ ) {
+				elem = this[i];
+				display = elem.style.display;
+
+				if ( display === "" || display === "none" ) {
+					elem.style.display = jQuery._data(elem, "olddisplay") || "";
+				}
+			}
+
+			return this;
+		}
+	},
+
+	hide: function( speed, easing, callback ) {
+		if ( speed || speed === 0 ) {
+			return this.animate( genFx("hide", 3), speed, easing, callback);
+
+		} else {
+			for ( var i = 0, j = this.length; i < j; i++ ) {
+				var display = jQuery.css( this[i], "display" );
+
+				if ( display !== "none" && !jQuery._data( this[i], "olddisplay" ) ) {
+					jQuery._data( this[i], "olddisplay", display );
+				}
+			}
+
+			// Set the display of the elements in a second loop
+			// to avoid the constant reflow
+			for ( i = 0; i < j; i++ ) {
+				this[i].style.display = "none";
+			}
+
+			return this;
+		}
+	},
+
+	// Save the old toggle function
+	_toggle: jQuery.fn.toggle,
+
+	toggle: function( fn, fn2, callback ) {
+		var bool = typeof fn === "boolean";
+
+		if ( jQuery.isFunction(fn) && jQuery.isFunction(fn2) ) {
+			this._toggle.apply( this, arguments );
+
+		} else if ( fn == null || bool ) {
+			this.each(function() {
+				var state = bool ? fn : jQuery(this).is(":hidden");
+				jQuery(this)[ state ? "show" : "hide" ]();
+			});
+
+		} else {
+			this.animate(genFx("toggle", 3), fn, fn2, callback);
+		}
+
+		return this;
+	},
+
+	fadeTo: function( speed, to, easing, callback ) {
+		return this.filter(":hidden").css("opacity", 0).show().end()
+					.animate({opacity: to}, speed, easing, callback);
+	},
+
+	animate: function( prop, speed, easing, callback ) {
+		var optall = jQuery.speed(speed, easing, callback);
+
+		if ( jQuery.isEmptyObject( prop ) ) {
+			return this.each( optall.complete );
+		}
+
+		return this[ optall.queue === false ? "each" : "queue" ](function() {
+			// XXX 'this' does not always have a nodeName when running the
+			// test suite
+
+			var opt = jQuery.extend({}, optall), p,
+				isElement = this.nodeType === 1,
+				hidden = isElement && jQuery(this).is(":hidden"),
+				self = this;
+
+			for ( p in prop ) {
+				var name = jQuery.camelCase( p );
+
+				if ( p !== name ) {
+					prop[ name ] = prop[ p ];
+					delete prop[ p ];
+					p = name;
+				}
+
+				if ( prop[p] === "hide" && hidden || prop[p] === "show" && !hidden ) {
+					return opt.complete.call(this);
+				}
+
+				if ( isElement && ( p === "height" || p === "width" ) ) {
+					// Make sure that nothing sneaks out
+					// Record all 3 overflow attributes because IE does not
+					// change the overflow attribute when overflowX and
+					// overflowY are set to the same value
+					opt.overflow = [ this.style.overflow, this.style.overflowX, this.style.overflowY ];
+
+					// Set display property to inline-block for height/width
+					// animations on inline elements that are having width/height
+					// animated
+					if ( jQuery.css( this, "display" ) === "inline" &&
+							jQuery.css( this, "float" ) === "none" ) {
+						if ( !jQuery.support.inlineBlockNeedsLayout ) {
+							this.style.display = "inline-block";
+
+						} else {
+							var display = defaultDisplay(this.nodeName);
+
+							// inline-level elements accept inline-block;
+							// block-level elements need to be inline with layout
+							if ( display === "inline" ) {
+								this.style.display = "inline-block";
+
+							} else {
+								this.style.display = "inline";
+								this.style.zoom = 1;
+							}
+						}
+					}
+				}
+
+				if ( jQuery.isArray( prop[p] ) ) {
+					// Create (if needed) and add to specialEasing
+					(opt.specialEasing = opt.specialEasing || {})[p] = prop[p][1];
+					prop[p] = prop[p][0];
+				}
+			}
+
+			if ( opt.overflow != null ) {
+				this.style.overflow = "hidden";
+			}
+
+			opt.curAnim = jQuery.extend({}, prop);
+
+			jQuery.each( prop, function( name, val ) {
+				var e = new jQuery.fx( self, opt, name );
+
+				if ( rfxtypes.test(val) ) {
+					e[ val === "toggle" ? hidden ? "show" : "hide" : val ]( prop );
+
+				} else {
+					var parts = rfxnum.exec(val),
+						start = e.cur() || 0;
+
+					if ( parts ) {
+						var end = parseFloat( parts[2] ),
+							unit = parts[3] || "px";
+
+						// We need to compute starting value
+						if ( unit !== "px" ) {
+							jQuery.style( self, name, (end || 1) + unit);
+							start = ((end || 1) / e.cur()) * start;
+							jQuery.style( self, name, start + unit);
+						}
+
+						// If a +=/-= token was provided, we're doing a relative animation
+						if ( parts[1] ) {
+							end = ((parts[1] === "-=" ? -1 : 1) * end) + start;
+						}
+
+						e.custom( start, end, unit );
+
+					} else {
+						e.custom( start, val, "" );
+					}
+				}
+			});
+
+			// For JS strict compliance
+			return true;
+		});
+	},
+
+	stop: function( clearQueue, gotoEnd ) {
+		var timers = jQuery.timers;
+
+		if ( clearQueue ) {
+			this.queue([]);
+		}
+
+		this.each(function() {
+			// go in reverse order so anything added to the queue during the loop is ignored
+			for ( var i = timers.length - 1; i >= 0; i-- ) {
+				if ( timers[i].elem === this ) {
+					if (gotoEnd) {
+						// force the next step to be the last
+						timers[i](true);
+					}
+
+					timers.splice(i, 1);
+				}
+			}
+		});
+
+		// start the next in the queue if the last step wasn't forced
+		if ( !gotoEnd ) {
+			this.dequeue();
+		}
+
+		return this;
+	}
+
+});
+
+function genFx( type, num ) {
+	var obj = {};
+
+	jQuery.each( fxAttrs.concat.apply([], fxAttrs.slice(0,num)), function() {
+		obj[ this ] = type;
+	});
+
+	return obj;
+}
+
+// Generate shortcuts for custom animations
+jQuery.each({
+	slideDown: genFx("show", 1),
+	slideUp: genFx("hide", 1),
+	slideToggle: genFx("toggle", 1),
+	fadeIn: { opacity: "show" },
+	fadeOut: { opacity: "hide" },
+	fadeToggle: { opacity: "toggle" }
+}, function( name, props ) {
+	jQuery.fn[ name ] = function( speed, easing, callback ) {
+		return this.animate( props, speed, easing, callback );
+	};
+});
+
+jQuery.extend({
+	speed: function( speed, easing, fn ) {
+		var opt = speed && typeof speed === "object" ? jQuery.extend({}, speed) : {
+			complete: fn || !fn && easing ||
+				jQuery.isFunction( speed ) && speed,
+			duration: speed,
+			easing: fn && easing || easing && !jQuery.isFunction(easing) && easing
+		};
+
+		opt.duration = jQuery.fx.off ? 0 : typeof opt.duration === "number" ? opt.duration :
+			opt.duration in jQuery.fx.speeds ? jQuery.fx.speeds[opt.duration] : jQuery.fx.speeds._default;
+
+		// Queueing
+		opt.old = opt.complete;
+		opt.complete = function() {
+			if ( opt.queue !== false ) {
+				jQuery(this).dequeue();
+			}
+			if ( jQuery.isFunction( opt.old ) ) {
+				opt.old.call( this );
+			}
+		};
+
+		return opt;
+	},
+
+	easing: {
+		linear: function( p, n, firstNum, diff ) {
+			return firstNum + diff * p;
+		},
+		swing: function( p, n, firstNum, diff ) {
+			return ((-Math.cos(p*Math.PI)/2) + 0.5) * diff + firstNum;
+		}
+	},
+
+	timers: [],
+
+	fx: function( elem, options, prop ) {
+		this.options = options;
+		this.elem = elem;
+		this.prop = prop;
+
+		if ( !options.orig ) {
+			options.orig = {};
+		}
+	}
+
+});
+
+jQuery.fx.prototype = {
+	// Simple function for setting a style value
+	update: function() {
+		if ( this.options.step ) {
+			this.options.step.call( this.elem, this.now, this );
+		}
+
+		(jQuery.fx.step[this.prop] || jQuery.fx.step._default)( this );
+	},
+
+	// Get the current size
+	cur: function() {
+		if ( this.elem[this.prop] != null && (!this.elem.style || this.elem.style[this.prop] == null) ) {
+			return this.elem[ this.prop ];
+		}
+
+		var r = parseFloat( jQuery.css( this.elem, this.prop ) );
+		return r || 0;
+	},
+
+	// Start an animation from one number to another
+	custom: function( from, to, unit ) {
+		var self = this,
+			fx = jQuery.fx;
+
+		this.startTime = jQuery.now();
+		this.start = from;
+		this.end = to;
+		this.unit = unit || this.unit || "px";
+		this.now = this.start;
+		this.pos = this.state = 0;
+
+		function t( gotoEnd ) {
+			return self.step(gotoEnd);
+		}
+
+		t.elem = this.elem;
+
+		if ( t() && jQuery.timers.push(t) && !timerId ) {
+			timerId = setInterval(fx.tick, fx.interval);
+		}
+	},
+
+	// Simple 'show' function
+	show: function() {
+		// Remember where we started, so that we can go back to it later
+		this.options.orig[this.prop] = jQuery.style( this.elem, this.prop );
+		this.options.show = true;
+
+		// Begin the animation
+		// Make sure that we start at a small width/height to avoid any
+		// flash of content
+		this.custom(this.prop === "width" || this.prop === "height" ? 1 : 0, this.cur());
+
+		// Start by showing the element
+		jQuery( this.elem ).show();
+	},
+
+	// Simple 'hide' function
+	hide: function() {
+		// Remember where we started, so that we can go back to it later
+		this.options.orig[this.prop] = jQuery.style( this.elem, this.prop );
+		this.options.hide = true;
+
+		// Begin the animation
+		this.custom(this.cur(), 0);
+	},
+
+	// Each step of an animation
+	step: function( gotoEnd ) {
+		var t = jQuery.now(), done = true;
+
+		if ( gotoEnd || t >= this.options.duration + this.startTime ) {
+			this.now = this.end;
+			this.pos = this.state = 1;
+			this.update();
+
+			this.options.curAnim[ this.prop ] = true;
+
+			for ( var i in this.options.curAnim ) {
+				if ( this.options.curAnim[i] !== true ) {
+					done = false;
+				}
+			}
+
+			if ( done ) {
+				// Reset the overflow
+				if ( this.options.overflow != null && !jQuery.support.shrinkWrapBlocks ) {
+					var elem = this.elem,
+						options = this.options;
+
+					jQuery.each( [ "", "X", "Y" ], function (index, value) {
+						elem.style[ "overflow" + value ] = options.overflow[index];
+					} );
+				}
+
+				// Hide the element if the "hide" operation was done
+				if ( this.options.hide ) {
+					jQuery(this.elem).hide();
+				}
+
+				// Reset the properties, if the item has been hidden or shown
+				if ( this.options.hide || this.options.show ) {
+					for ( var p in this.options.curAnim ) {
+						jQuery.style( this.elem, p, this.options.orig[p] );
+					}
+				}
+
+				// Execute the complete function
+				this.options.complete.call( this.elem );
+			}
+
+			return false;
+
+		} else {
+			var n = t - this.startTime;
+			this.state = n / this.options.duration;
+
+			// Perform the easing function, defaults to swing
+			var specialEasing = this.options.specialEasing && this.options.specialEasing[this.prop];
+			var defaultEasing = this.options.easing || (jQuery.easing.swing ? "swing" : "linear");
+			this.pos = jQuery.easing[specialEasing || defaultEasing](this.state, n, 0, 1, this.options.duration);
+			this.now = this.start + ((this.end - this.start) * this.pos);
+
+			// Perform the next step of the animation
+			this.update();
+		}
+
+		return true;
+	}
+};
+
+jQuery.extend( jQuery.fx, {
+	tick: function() {
+		var timers = jQuery.timers;
+
+		for ( var i = 0; i < timers.length; i++ ) {
+			if ( !timers[i]() ) {
+				timers.splice(i--, 1);
+			}
+		}
+
+		if ( !timers.length ) {
+			jQuery.fx.stop();
+		}
+	},
+
+	interval: 13,
+
+	stop: function() {
+		clearInterval( timerId );
+		timerId = null;
+	},
+
+	speeds: {
+		slow: 600,
+		fast: 200,
+		// Default speed
+		_default: 400
+	},
+
+	step: {
+		opacity: function( fx ) {
+			jQuery.style( fx.elem, "opacity", fx.now );
+		},
+
+		_default: function( fx ) {
+			if ( fx.elem.style && fx.elem.style[ fx.prop ] != null ) {
+				fx.elem.style[ fx.prop ] = (fx.prop === "width" || fx.prop === "height" ? Math.max(0, fx.now) : fx.now) + fx.unit;
+			} else {
+				fx.elem[ fx.prop ] = fx.now;
+			}
+		}
+	}
+});
+
+if ( jQuery.expr && jQuery.expr.filters ) {
+	jQuery.expr.filters.animated = function( elem ) {
+		return jQuery.grep(jQuery.timers, function( fn ) {
+			return elem === fn.elem;
+		}).length;
+	};
+}
+
+function defaultDisplay( nodeName ) {
+	if ( !elemdisplay[ nodeName ] ) {
+		var elem = jQuery("<" + nodeName + ">").appendTo("body"),
+			display = elem.css("display");
+
+		elem.remove();
+
+		if ( display === "none" || display === "" ) {
+			display = "block";
+		}
+
+		elemdisplay[ nodeName ] = display;
+	}
+
+	return elemdisplay[ nodeName ];
+}
+
+
+
+
+var rtable = /^t(?:able|d|h)$/i,
+	rroot = /^(?:body|html)$/i;
+
+if ( "getBoundingClientRect" in document.documentElement ) {
+	jQuery.fn.offset = function( options ) {
+		var elem = this[0], box;
+
+		if ( options ) {
+			return this.each(function( i ) {
+				jQuery.offset.setOffset( this, options, i );
+			});
+		}
+
+		if ( !elem || !elem.ownerDocument ) {
+			return null;
+		}
+
+		if ( elem === elem.ownerDocument.body ) {
+			return jQuery.offset.bodyOffset( elem );
+		}
+
+		try {
+			box = elem.getBoundingClientRect();
+		} catch(e) {}
+
+		var doc = elem.ownerDocument,
+			docElem = doc.documentElement;
+
+		// Make sure we're not dealing with a disconnected DOM node
+		if ( !box || !jQuery.contains( docElem, elem ) ) {
+			return box ? { top: box.top, left: box.left } : { top: 0, left: 0 };
+		}
+
+		var body = doc.body,
+			win = getWindow(doc),
+			clientTop  = docElem.clientTop  || body.clientTop  || 0,
+			clientLeft = docElem.clientLeft || body.clientLeft || 0,
+			scrollTop  = (win.pageYOffset || jQuery.support.boxModel && docElem.scrollTop  || body.scrollTop ),
+			scrollLeft = (win.pageXOffset || jQuery.support.boxModel && docElem.scrollLeft || body.scrollLeft),
+			top  = box.top  + scrollTop  - clientTop,
+			left = box.left + scrollLeft - clientLeft;
+
+		return { top: top, left: left };
+	};
+
+} else {
+	jQuery.fn.offset = function( options ) {
+		var elem = this[0];
+
+		if ( options ) {
+			return this.each(function( i ) {
+				jQuery.offset.setOffset( this, options, i );
+			});
+		}
+
+		if ( !elem || !elem.ownerDocument ) {
+			return null;
+		}
+
+		if ( elem === elem.ownerDocument.body ) {
+			return jQuery.offset.bodyOffset( elem );
+		}
+
+		jQuery.offset.initialize();
+
+		var computedStyle,
+			offsetParent = elem.offsetParent,
+			prevOffsetParent = elem,
+			doc = elem.ownerDocument,
+			docElem = doc.documentElement,
+			body = doc.body,
+			defaultView = doc.defaultView,
+			prevComputedStyle = defaultView ? defaultView.getComputedStyle( elem, null ) : elem.currentStyle,
+			top = elem.offsetTop,
+			left = elem.offsetLeft;
+
+		while ( (elem = elem.parentNode) && elem !== body && elem !== docElem ) {
+			if ( jQuery.offset.supportsFixedPosition && prevComputedStyle.position === "fixed" ) {
+				break;
+			}
+
+			computedStyle = defaultView ? defaultView.getComputedStyle(elem, null) : elem.currentStyle;
+			top  -= elem.scrollTop;
+			left -= elem.scrollLeft;
+
+			if ( elem === offsetParent ) {
+				top  += elem.offsetTop;
+				left += elem.offsetLeft;
+
+				if ( jQuery.offset.doesNotAddBorder && !(jQuery.offset.doesAddBorderForTableAndCells && rtable.test(elem.nodeName)) ) {
+					top  += parseFloat( computedStyle.borderTopWidth  ) || 0;
+					left += parseFloat( computedStyle.borderLeftWidth ) || 0;
+				}
+
+				prevOffsetParent = offsetParent;
+				offsetParent = elem.offsetParent;
+			}
+
+			if ( jQuery.offset.subtractsBorderForOverflowNotVisible && computedStyle.overflow !== "visible" ) {
+				top  += parseFloat( computedStyle.borderTopWidth  ) || 0;
+				left += parseFloat( computedStyle.borderLeftWidth ) || 0;
+			}
+
+			prevComputedStyle = computedStyle;
+		}
+
+		if ( prevComputedStyle.position === "relative" || prevComputedStyle.position === "static" ) {
+			top  += body.offsetTop;
+			left += body.offsetLeft;
+		}
+
+		if ( jQuery.offset.supportsFixedPosition && prevComputedStyle.position === "fixed" ) {
+			top  += Math.max( docElem.scrollTop, body.scrollTop );
+			left += Math.max( docElem.scrollLeft, body.scrollLeft );
+		}
+
+		return { top: top, left: left };
+	};
+}
+
+jQuery.offset = {
+	initialize: function() {
+		var body = document.body, container = document.createElement("div"), innerDiv, checkDiv, table, td, bodyMarginTop = parseFloat( jQuery.css(body, "marginTop") ) || 0,
+			html = "<div style='position:absolute;top:0;left:0;margin:0;border:5px solid #000;padding:0;width:1px;height:1px;'><div></div></div><table style='position:absolute;top:0;left:0;margin:0;border:5px solid #000;padding:0;width:1px;height:1px;' cellpadding='0' cellspacing='0'><tr><td></td></tr></table>";
+
+		jQuery.extend( container.style, { position: "absolute", top: 0, left: 0, margin: 0, border: 0, width: "1px", height: "1px", visibility: "hidden" } );
+
+		container.innerHTML = html;
+		body.insertBefore( container, body.firstChild );
+		innerDiv = container.firstChild;
+		checkDiv = innerDiv.firstChild;
+		td = innerDiv.nextSibling.firstChild.firstChild;
+
+		this.doesNotAddBorder = (checkDiv.offsetTop !== 5);
+		this.doesAddBorderForTableAndCells = (td.offsetTop === 5);
+
+		checkDiv.style.position = "fixed";
+		checkDiv.style.top = "20px";
+
+		// safari subtracts parent border width here which is 5px
+		this.supportsFixedPosition = (checkDiv.offsetTop === 20 || checkDiv.offsetTop === 15);
+		checkDiv.style.position = checkDiv.style.top = "";
+
+		innerDiv.style.overflow = "hidden";
+		innerDiv.style.position = "relative";
+
+		this.subtractsBorderForOverflowNotVisible = (checkDiv.offsetTop === -5);
+
+		this.doesNotIncludeMarginInBodyOffset = (body.offsetTop !== bodyMarginTop);
+
+		body.removeChild( container );
+		body = container = innerDiv = checkDiv = table = td = null;
+		jQuery.offset.initialize = jQuery.noop;
+	},
+
+	bodyOffset: function( body ) {
+		var top = body.offsetTop,
+			left = body.offsetLeft;
+
+		jQuery.offset.initialize();
+
+		if ( jQuery.offset.doesNotIncludeMarginInBodyOffset ) {
+			top  += parseFloat( jQuery.css(body, "marginTop") ) || 0;
+			left += parseFloat( jQuery.css(body, "marginLeft") ) || 0;
+		}
+
+		return { top: top, left: left };
+	},
+
+	setOffset: function( elem, options, i ) {
+		var position = jQuery.css( elem, "position" );
+
+		// set position first, in-case top/left are set even on static elem
+		if ( position === "static" ) {
+			elem.style.position = "relative";
+		}
+
+		var curElem = jQuery( elem ),
+			curOffset = curElem.offset(),
+			curCSSTop = jQuery.css( elem, "top" ),
+			curCSSLeft = jQuery.css( elem, "left" ),
+			calculatePosition = (position === "absolute" && jQuery.inArray('auto', [curCSSTop, curCSSLeft]) > -1),
+			props = {}, curPosition = {}, curTop, curLeft;
+
+		// need to be able to calculate position if either top or left is auto and position is absolute
+		if ( calculatePosition ) {
+			curPosition = curElem.position();
+		}
+
+		curTop  = calculatePosition ? curPosition.top  : parseInt( curCSSTop,  10 ) || 0;
+		curLeft = calculatePosition ? curPosition.left : parseInt( curCSSLeft, 10 ) || 0;
+
+		if ( jQuery.isFunction( options ) ) {
+			options = options.call( elem, i, curOffset );
+		}
+
+		if (options.top != null) {
+			props.top = (options.top - curOffset.top) + curTop;
+		}
+		if (options.left != null) {
+			props.left = (options.left - curOffset.left) + curLeft;
+		}
+
+		if ( "using" in options ) {
+			options.using.call( elem, props );
+		} else {
+			curElem.css( props );
+		}
+	}
+};
+
+
+jQuery.fn.extend({
+	position: function() {
+		if ( !this[0] ) {
+			return null;
+		}
+
+		var elem = this[0],
+
+		// Get *real* offsetParent
+		offsetParent = this.offsetParent(),
+
+		// Get correct offsets
+		offset       = this.offset(),
+		parentOffset = rroot.test(offsetParent[0].nodeName) ? { top: 0, left: 0 } : offsetParent.offset();
+
+		// Subtract element margins
+		// note: when an element has margin: auto the offsetLeft and marginLeft
+		// are the same in Safari causing offset.left to incorrectly be 0
+		offset.top  -= parseFloat( jQuery.css(elem, "marginTop") ) || 0;
+		offset.left -= parseFloat( jQuery.css(elem, "marginLeft") ) || 0;
+
+		// Add offsetParent borders
+		parentOffset.top  += parseFloat( jQuery.css(offsetParent[0], "borderTopWidth") ) || 0;
+		parentOffset.left += parseFloat( jQuery.css(offsetParent[0], "borderLeftWidth") ) || 0;
+
+		// Subtract the two offsets
+		return {
+			top:  offset.top  - parentOffset.top,
+			left: offset.left - parentOffset.left
+		};
+	},
+
+	offsetParent: function() {
+		return this.map(function() {
+			var offsetParent = this.offsetParent || document.body;
+			while ( offsetParent && (!rroot.test(offsetParent.nodeName) && jQuery.css(offsetParent, "position") === "static") ) {
+				offsetParent = offsetParent.offsetParent;
+			}
+			return offsetParent;
+		});
+	}
+});
+
+
+// Create scrollLeft and scrollTop methods
+jQuery.each( ["Left", "Top"], function( i, name ) {
+	var method = "scroll" + name;
+
+	jQuery.fn[ method ] = function(val) {
+		var elem = this[0], win;
+
+		if ( !elem ) {
+			return null;
+		}
+
+		if ( val !== undefined ) {
+			// Set the scroll offset
+			return this.each(function() {
+				win = getWindow( this );
+
+				if ( win ) {
+					win.scrollTo(
+						!i ? val : jQuery(win).scrollLeft(),
+						 i ? val : jQuery(win).scrollTop()
+					);
+
+				} else {
+					this[ method ] = val;
+				}
+			});
+		} else {
+			win = getWindow( elem );
+
+			// Return the scroll offset
+			return win ? ("pageXOffset" in win) ? win[ i ? "pageYOffset" : "pageXOffset" ] :
+				jQuery.support.boxModel && win.document.documentElement[ method ] ||
+					win.document.body[ method ] :
+				elem[ method ];
+		}
+	};
+});
+
+function getWindow( elem ) {
+	return jQuery.isWindow( elem ) ?
+		elem :
+		elem.nodeType === 9 ?
+			elem.defaultView || elem.parentWindow :
+			false;
+}
+
+
+
+
+// Create innerHeight, innerWidth, outerHeight and outerWidth methods
+jQuery.each([ "Height", "Width" ], function( i, name ) {
+
+	var type = name.toLowerCase();
+
+	// innerHeight and innerWidth
+	jQuery.fn["inner" + name] = function() {
+		return this[0] ?
+			parseFloat( jQuery.css( this[0], type, "padding" ) ) :
+			null;
+	};
+
+	// outerHeight and outerWidth
+	jQuery.fn["outer" + name] = function( margin ) {
+		return this[0] ?
+			parseFloat( jQuery.css( this[0], type, margin ? "margin" : "border" ) ) :
+			null;
+	};
+
+	jQuery.fn[ type ] = function( size ) {
+		// Get window width or height
+		var elem = this[0];
+		if ( !elem ) {
+			return size == null ? null : this;
+		}
+
+		if ( jQuery.isFunction( size ) ) {
+			return this.each(function( i ) {
+				var self = jQuery( this );
+				self[ type ]( size.call( this, i, self[ type ]() ) );
+			});
+		}
+
+		if ( jQuery.isWindow( elem ) ) {
+			// Everyone else use document.documentElement or document.body depending on Quirks vs Standards mode
+			// 3rd condition allows Nokia support, as it supports the docElem prop but not CSS1Compat
+			var docElemProp = elem.document.documentElement[ "client" + name ];
+			return elem.document.compatMode === "CSS1Compat" && docElemProp ||
+				elem.document.body[ "client" + name ] || docElemProp;
+
+		// Get document width or height
+		} else if ( elem.nodeType === 9 ) {
+			// Either scroll[Width/Height] or offset[Width/Height], whichever is greater
+			return Math.max(
+				elem.documentElement["client" + name],
+				elem.body["scroll" + name], elem.documentElement["scroll" + name],
+				elem.body["offset" + name], elem.documentElement["offset" + name]
+			);
+
+		// Get or set width or height on the element
+		} else if ( size === undefined ) {
+			var orig = jQuery.css( elem, type ),
+				ret = parseFloat( orig );
+
+			return jQuery.isNaN( ret ) ? orig : ret;
+
+		// Set the width or height on the element (default to pixels if value is unitless)
+		} else {
+			return this.css( type, typeof size === "string" ? size : size + "px" );
+		}
+	};
+
+});
+
+
+})(window);
diff --git a/documentation/build/html/_static/minus.png b/documentation/build/html/_static/minus.png
new file mode 100644
index 0000000000000000000000000000000000000000..da1c5620d10c047525a467a425abe9ff5269cfc2
Binary files /dev/null and b/documentation/build/html/_static/minus.png differ
diff --git a/documentation/build/html/_static/plus.png b/documentation/build/html/_static/plus.png
new file mode 100644
index 0000000000000000000000000000000000000000..b3cb37425ea68b39ffa7b2e5fb69161275a87541
Binary files /dev/null and b/documentation/build/html/_static/plus.png differ
diff --git a/documentation/build/html/_static/pygments.css b/documentation/build/html/_static/pygments.css
new file mode 100644
index 0000000000000000000000000000000000000000..1f2d2b61871ec0f3e33776555e196834b754ae60
--- /dev/null
+++ b/documentation/build/html/_static/pygments.css
@@ -0,0 +1,61 @@
+.hll { background-color: #ffffcc }
+.c { color: #408090; font-style: italic } /* Comment */
+.err { border: 1px solid #FF0000 } /* Error */
+.k { color: #007020; font-weight: bold } /* Keyword */
+.o { color: #666666 } /* Operator */
+.cm { color: #408090; font-style: italic } /* Comment.Multiline */
+.cp { color: #007020 } /* Comment.Preproc */
+.c1 { color: #408090; font-style: italic } /* Comment.Single */
+.cs { color: #408090; background-color: #fff0f0 } /* Comment.Special */
+.gd { color: #A00000 } /* Generic.Deleted */
+.ge { font-style: italic } /* Generic.Emph */
+.gr { color: #FF0000 } /* Generic.Error */
+.gh { color: #000080; font-weight: bold } /* Generic.Heading */
+.gi { color: #00A000 } /* Generic.Inserted */
+.go { color: #303030 } /* Generic.Output */
+.gp { color: #c65d09; font-weight: bold } /* Generic.Prompt */
+.gs { font-weight: bold } /* Generic.Strong */
+.gu { color: #800080; font-weight: bold } /* Generic.Subheading */
+.gt { color: #0040D0 } /* Generic.Traceback */
+.kc { color: #007020; font-weight: bold } /* Keyword.Constant */
+.kd { color: #007020; font-weight: bold } /* Keyword.Declaration */
+.kn { color: #007020; font-weight: bold } /* Keyword.Namespace */
+.kp { color: #007020 } /* Keyword.Pseudo */
+.kr { color: #007020; font-weight: bold } /* Keyword.Reserved */
+.kt { color: #902000 } /* Keyword.Type */
+.m { color: #208050 } /* Literal.Number */
+.s { color: #4070a0 } /* Literal.String */
+.na { color: #4070a0 } /* Name.Attribute */
+.nb { color: #007020 } /* Name.Builtin */
+.nc { color: #0e84b5; font-weight: bold } /* Name.Class */
+.no { color: #60add5 } /* Name.Constant */
+.nd { color: #555555; font-weight: bold } /* Name.Decorator */
+.ni { color: #d55537; font-weight: bold } /* Name.Entity */
+.ne { color: #007020 } /* Name.Exception */
+.nf { color: #06287e } /* Name.Function */
+.nl { color: #002070; font-weight: bold } /* Name.Label */
+.nn { color: #0e84b5; font-weight: bold } /* Name.Namespace */
+.nt { color: #062873; font-weight: bold } /* Name.Tag */
+.nv { color: #bb60d5 } /* Name.Variable */
+.ow { color: #007020; font-weight: bold } /* Operator.Word */
+.w { color: #bbbbbb } /* Text.Whitespace */
+.mf { color: #208050 } /* Literal.Number.Float */
+.mh { color: #208050 } /* Literal.Number.Hex */
+.mi { color: #208050 } /* Literal.Number.Integer */
+.mo { color: #208050 } /* Literal.Number.Oct */
+.sb { color: #4070a0 } /* Literal.String.Backtick */
+.sc { color: #4070a0 } /* Literal.String.Char */
+.sd { color: #4070a0; font-style: italic } /* Literal.String.Doc */
+.s2 { color: #4070a0 } /* Literal.String.Double */
+.se { color: #4070a0; font-weight: bold } /* Literal.String.Escape */
+.sh { color: #4070a0 } /* Literal.String.Heredoc */
+.si { color: #70a0d0; font-style: italic } /* Literal.String.Interpol */
+.sx { color: #c65d09 } /* Literal.String.Other */
+.sr { color: #235388 } /* Literal.String.Regex */
+.s1 { color: #4070a0 } /* Literal.String.Single */
+.ss { color: #517918 } /* Literal.String.Symbol */
+.bp { color: #007020 } /* Name.Builtin.Pseudo */
+.vc { color: #bb60d5 } /* Name.Variable.Class */
+.vg { color: #bb60d5 } /* Name.Variable.Global */
+.vi { color: #bb60d5 } /* Name.Variable.Instance */
+.il { color: #208050 } /* Literal.Number.Integer.Long */
\ No newline at end of file
diff --git a/documentation/build/html/_static/searchtools.js b/documentation/build/html/_static/searchtools.js
new file mode 100644
index 0000000000000000000000000000000000000000..5cbfe004b7aa1564c4abb6fe4b24f34c311c4a21
--- /dev/null
+++ b/documentation/build/html/_static/searchtools.js
@@ -0,0 +1,518 @@
+/*
+ * searchtools.js
+ * ~~~~~~~~~~~~~~
+ *
+ * Sphinx JavaScript utilties for the full-text search.
+ *
+ * :copyright: Copyright 2007-2010 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+/**
+ * helper function to return a node containing the
+ * search summary for a given text. keywords is a list
+ * of stemmed words, hlwords is the list of normal, unstemmed
+ * words. the first one is used to find the occurance, the
+ * latter for highlighting it.
+ */
+
+jQuery.makeSearchSummary = function(text, keywords, hlwords) {
+  var textLower = text.toLowerCase();
+  var start = 0;
+  $.each(keywords, function() {
+    var i = textLower.indexOf(this.toLowerCase());
+    if (i > -1)
+      start = i;
+  });
+  start = Math.max(start - 120, 0);
+  var excerpt = ((start > 0) ? '...' : '') +
+  $.trim(text.substr(start, 240)) +
+  ((start + 240 - text.length) ? '...' : '');
+  var rv = $('<div class="context"></div>').text(excerpt);
+  $.each(hlwords, function() {
+    rv = rv.highlightText(this, 'highlighted');
+  });
+  return rv;
+}
+
+/**
+ * Porter Stemmer
+ */
+var PorterStemmer = function() {
+
+  var step2list = {
+    ational: 'ate',
+    tional: 'tion',
+    enci: 'ence',
+    anci: 'ance',
+    izer: 'ize',
+    bli: 'ble',
+    alli: 'al',
+    entli: 'ent',
+    eli: 'e',
+    ousli: 'ous',
+    ization: 'ize',
+    ation: 'ate',
+    ator: 'ate',
+    alism: 'al',
+    iveness: 'ive',
+    fulness: 'ful',
+    ousness: 'ous',
+    aliti: 'al',
+    iviti: 'ive',
+    biliti: 'ble',
+    logi: 'log'
+  };
+
+  var step3list = {
+    icate: 'ic',
+    ative: '',
+    alize: 'al',
+    iciti: 'ic',
+    ical: 'ic',
+    ful: '',
+    ness: ''
+  };
+
+  var c = "[^aeiou]";          // consonant
+  var v = "[aeiouy]";          // vowel
+  var C = c + "[^aeiouy]*";    // consonant sequence
+  var V = v + "[aeiou]*";      // vowel sequence
+
+  var mgr0 = "^(" + C + ")?" + V + C;                      // [C]VC... is m>0
+  var meq1 = "^(" + C + ")?" + V + C + "(" + V + ")?$";    // [C]VC[V] is m=1
+  var mgr1 = "^(" + C + ")?" + V + C + V + C;              // [C]VCVC... is m>1
+  var s_v   = "^(" + C + ")?" + v;                         // vowel in stem
+
+  this.stemWord = function (w) {
+    var stem;
+    var suffix;
+    var firstch;
+    var origword = w;
+
+    if (w.length < 3)
+      return w;
+
+    var re;
+    var re2;
+    var re3;
+    var re4;
+
+    firstch = w.substr(0,1);
+    if (firstch == "y")
+      w = firstch.toUpperCase() + w.substr(1);
+
+    // Step 1a
+    re = /^(.+?)(ss|i)es$/;
+    re2 = /^(.+?)([^s])s$/;
+
+    if (re.test(w))
+      w = w.replace(re,"$1$2");
+    else if (re2.test(w))
+      w = w.replace(re2,"$1$2");
+
+    // Step 1b
+    re = /^(.+?)eed$/;
+    re2 = /^(.+?)(ed|ing)$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      re = new RegExp(mgr0);
+      if (re.test(fp[1])) {
+        re = /.$/;
+        w = w.replace(re,"");
+      }
+    }
+    else if (re2.test(w)) {
+      var fp = re2.exec(w);
+      stem = fp[1];
+      re2 = new RegExp(s_v);
+      if (re2.test(stem)) {
+        w = stem;
+        re2 = /(at|bl|iz)$/;
+        re3 = new RegExp("([^aeiouylsz])\\1$");
+        re4 = new RegExp("^" + C + v + "[^aeiouwxy]$");
+        if (re2.test(w))
+          w = w + "e";
+        else if (re3.test(w)) {
+          re = /.$/;
+          w = w.replace(re,"");
+        }
+        else if (re4.test(w))
+          w = w + "e";
+      }
+    }
+
+    // Step 1c
+    re = /^(.+?)y$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      re = new RegExp(s_v);
+      if (re.test(stem))
+        w = stem + "i";
+    }
+
+    // Step 2
+    re = /^(.+?)(ational|tional|enci|anci|izer|bli|alli|entli|eli|ousli|ization|ation|ator|alism|iveness|fulness|ousness|aliti|iviti|biliti|logi)$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      suffix = fp[2];
+      re = new RegExp(mgr0);
+      if (re.test(stem))
+        w = stem + step2list[suffix];
+    }
+
+    // Step 3
+    re = /^(.+?)(icate|ative|alize|iciti|ical|ful|ness)$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      suffix = fp[2];
+      re = new RegExp(mgr0);
+      if (re.test(stem))
+        w = stem + step3list[suffix];
+    }
+
+    // Step 4
+    re = /^(.+?)(al|ance|ence|er|ic|able|ible|ant|ement|ment|ent|ou|ism|ate|iti|ous|ive|ize)$/;
+    re2 = /^(.+?)(s|t)(ion)$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      re = new RegExp(mgr1);
+      if (re.test(stem))
+        w = stem;
+    }
+    else if (re2.test(w)) {
+      var fp = re2.exec(w);
+      stem = fp[1] + fp[2];
+      re2 = new RegExp(mgr1);
+      if (re2.test(stem))
+        w = stem;
+    }
+
+    // Step 5
+    re = /^(.+?)e$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      re = new RegExp(mgr1);
+      re2 = new RegExp(meq1);
+      re3 = new RegExp("^" + C + v + "[^aeiouwxy]$");
+      if (re.test(stem) || (re2.test(stem) && !(re3.test(stem))))
+        w = stem;
+    }
+    re = /ll$/;
+    re2 = new RegExp(mgr1);
+    if (re.test(w) && re2.test(w)) {
+      re = /.$/;
+      w = w.replace(re,"");
+    }
+
+    // and turn initial Y back to y
+    if (firstch == "y")
+      w = firstch.toLowerCase() + w.substr(1);
+    return w;
+  }
+}
+
+
+/**
+ * Search Module
+ */
+var Search = {
+
+  _index : null,
+  _queued_query : null,
+  _pulse_status : -1,
+
+  init : function() {
+      var params = $.getQueryParameters();
+      if (params.q) {
+          var query = params.q[0];
+          $('input[name="q"]')[0].value = query;
+          this.performSearch(query);
+      }
+  },
+
+  loadIndex : function(url) {
+    $.ajax({type: "GET", url: url, data: null, success: null,
+            dataType: "script", cache: true});
+  },
+
+  setIndex : function(index) {
+    var q;
+    this._index = index;
+    if ((q = this._queued_query) !== null) {
+      this._queued_query = null;
+      Search.query(q);
+    }
+  },
+
+  hasIndex : function() {
+      return this._index !== null;
+  },
+
+  deferQuery : function(query) {
+      this._queued_query = query;
+  },
+
+  stopPulse : function() {
+      this._pulse_status = 0;
+  },
+
+  startPulse : function() {
+    if (this._pulse_status >= 0)
+        return;
+    function pulse() {
+      Search._pulse_status = (Search._pulse_status + 1) % 4;
+      var dotString = '';
+      for (var i = 0; i < Search._pulse_status; i++)
+        dotString += '.';
+      Search.dots.text(dotString);
+      if (Search._pulse_status > -1)
+        window.setTimeout(pulse, 500);
+    };
+    pulse();
+  },
+
+  /**
+   * perform a search for something
+   */
+  performSearch : function(query) {
+    // create the required interface elements
+    this.out = $('#search-results');
+    this.title = $('<h2>' + _('Searching') + '</h2>').appendTo(this.out);
+    this.dots = $('<span></span>').appendTo(this.title);
+    this.status = $('<p style="display: none"></p>').appendTo(this.out);
+    this.output = $('<ul class="search"/>').appendTo(this.out);
+
+    $('#search-progress').text(_('Preparing search...'));
+    this.startPulse();
+
+    // index already loaded, the browser was quick!
+    if (this.hasIndex())
+      this.query(query);
+    else
+      this.deferQuery(query);
+  },
+
+  query : function(query) {
+    var stopwords = ['and', 'then', 'into', 'it', 'as', 'are', 'in',
+                     'if', 'for', 'no', 'there', 'their', 'was', 'is',
+                     'be', 'to', 'that', 'but', 'they', 'not', 'such',
+                     'with', 'by', 'a', 'on', 'these', 'of', 'will',
+                     'this', 'near', 'the', 'or', 'at'];
+
+    // stem the searchterms and add them to the correct list
+    var stemmer = new PorterStemmer();
+    var searchterms = [];
+    var excluded = [];
+    var hlterms = [];
+    var tmp = query.split(/\s+/);
+    var object = (tmp.length == 1) ? tmp[0].toLowerCase() : null;
+    for (var i = 0; i < tmp.length; i++) {
+      if ($u.indexOf(stopwords, tmp[i]) != -1 || tmp[i].match(/^\d+$/) ||
+          tmp[i] == "") {
+        // skip this "word"
+        continue;
+      }
+      // stem the word
+      var word = stemmer.stemWord(tmp[i]).toLowerCase();
+      // select the correct list
+      if (word[0] == '-') {
+        var toAppend = excluded;
+        word = word.substr(1);
+      }
+      else {
+        var toAppend = searchterms;
+        hlterms.push(tmp[i].toLowerCase());
+      }
+      // only add if not already in the list
+      if (!$.contains(toAppend, word))
+        toAppend.push(word);
+    };
+    var highlightstring = '?highlight=' + $.urlencode(hlterms.join(" "));
+
+    // console.debug('SEARCH: searching for:');
+    // console.info('required: ', searchterms);
+    // console.info('excluded: ', excluded);
+
+    // prepare search
+    var filenames = this._index.filenames;
+    var titles = this._index.titles;
+    var terms = this._index.terms;
+    var objects = this._index.objects;
+    var objtypes = this._index.objtypes;
+    var objnames = this._index.objnames;
+    var fileMap = {};
+    var files = null;
+    // different result priorities
+    var importantResults = [];
+    var objectResults = [];
+    var regularResults = [];
+    var unimportantResults = [];
+    $('#search-progress').empty();
+
+    // lookup as object
+    if (object != null) {
+      for (var prefix in objects) {
+        for (var name in objects[prefix]) {
+          var fullname = (prefix ? prefix + '.' : '') + name;
+          if (fullname.toLowerCase().indexOf(object) > -1) {
+            match = objects[prefix][name];
+            descr = objnames[match[1]] + _(', in ') + titles[match[0]];
+            // XXX the generated anchors are not generally correct
+            // XXX there may be custom prefixes
+            result = [filenames[match[0]], fullname, '#'+fullname, descr];
+            switch (match[2]) {
+            case 1: objectResults.push(result); break;
+            case 0: importantResults.push(result); break;
+            case 2: unimportantResults.push(result); break;
+            }
+          }
+        }
+      }
+    }
+
+    // sort results descending
+    objectResults.sort(function(a, b) {
+      return (a[1] > b[1]) ? -1 : ((a[1] < b[1]) ? 1 : 0);
+    });
+
+    importantResults.sort(function(a, b) {
+      return (a[1] > b[1]) ? -1 : ((a[1] < b[1]) ? 1 : 0);
+    });
+
+    unimportantResults.sort(function(a, b) {
+      return (a[1] > b[1]) ? -1 : ((a[1] < b[1]) ? 1 : 0);
+    });
+
+
+    // perform the search on the required terms
+    for (var i = 0; i < searchterms.length; i++) {
+      var word = searchterms[i];
+      // no match but word was a required one
+      if ((files = terms[word]) == null)
+        break;
+      if (files.length == undefined) {
+        files = [files];
+      }
+      // create the mapping
+      for (var j = 0; j < files.length; j++) {
+        var file = files[j];
+        if (file in fileMap)
+          fileMap[file].push(word);
+        else
+          fileMap[file] = [word];
+      }
+    }
+
+    // now check if the files don't contain excluded terms
+    for (var file in fileMap) {
+      var valid = true;
+
+      // check if all requirements are matched
+      if (fileMap[file].length != searchterms.length)
+        continue;
+
+      // ensure that none of the excluded terms is in the
+      // search result.
+      for (var i = 0; i < excluded.length; i++) {
+        if (terms[excluded[i]] == file ||
+            $.contains(terms[excluded[i]] || [], file)) {
+          valid = false;
+          break;
+        }
+      }
+
+      // if we have still a valid result we can add it
+      // to the result list
+      if (valid)
+        regularResults.push([filenames[file], titles[file], '', null]);
+    }
+
+    // delete unused variables in order to not waste
+    // memory until list is retrieved completely
+    delete filenames, titles, terms;
+
+    // now sort the regular results descending by title
+    regularResults.sort(function(a, b) {
+      var left = a[1].toLowerCase();
+      var right = b[1].toLowerCase();
+      return (left > right) ? -1 : ((left < right) ? 1 : 0);
+    });
+
+    // combine all results
+    var results = unimportantResults.concat(regularResults)
+      .concat(objectResults).concat(importantResults);
+
+    // print the results
+    var resultCount = results.length;
+    function displayNextItem() {
+      // results left, load the summary and display it
+      if (results.length) {
+        var item = results.pop();
+        var listItem = $('<li style="display:none"></li>');
+        if (DOCUMENTATION_OPTIONS.FILE_SUFFIX == '') {
+          // dirhtml builder
+          var dirname = item[0] + '/';
+          if (dirname.match(/\/index\/$/)) {
+            dirname = dirname.substring(0, dirname.length-6);
+          } else if (dirname == 'index/') {
+            dirname = '';
+          }
+          listItem.append($('<a/>').attr('href',
+            DOCUMENTATION_OPTIONS.URL_ROOT + dirname +
+            highlightstring + item[2]).html(item[1]));
+        } else {
+          // normal html builders
+          listItem.append($('<a/>').attr('href',
+            item[0] + DOCUMENTATION_OPTIONS.FILE_SUFFIX +
+            highlightstring + item[2]).html(item[1]));
+        }
+        if (item[3]) {
+          listItem.append($('<span> (' + item[3] + ')</span>'));
+          Search.output.append(listItem);
+          listItem.slideDown(5, function() {
+            displayNextItem();
+          });
+        } else if (DOCUMENTATION_OPTIONS.HAS_SOURCE) {
+          $.get(DOCUMENTATION_OPTIONS.URL_ROOT + '_sources/' +
+                item[0] + '.txt', function(data) {
+            if (data != '') {
+              listItem.append($.makeSearchSummary(data, searchterms, hlterms));
+              Search.output.append(listItem);
+            }
+            listItem.slideDown(5, function() {
+              displayNextItem();
+            });
+          });
+        } else {
+          // no source available, just display title
+          Search.output.append(listItem);
+          listItem.slideDown(5, function() {
+            displayNextItem();
+          });
+        }
+      }
+      // search finished, update title and status message
+      else {
+        Search.stopPulse();
+        Search.title.text(_('Search Results'));
+        if (!resultCount)
+          Search.status.text(_('Your search did not match any documents. Please make sure that all words are spelled correctly and that you\'ve selected enough categories.'));
+        else
+            Search.status.text(_('Search finished, found %s page(s) matching the search query.').replace('%s', resultCount));
+        Search.status.fadeIn(500);
+      }
+    }
+    displayNextItem();
+  }
+}
+
+$(document).ready(function() {
+  Search.init();
+});
diff --git a/documentation/build/html/_static/sidebar.js b/documentation/build/html/_static/sidebar.js
new file mode 100644
index 0000000000000000000000000000000000000000..be206ede928d220a19f07287413473051bd67eff
--- /dev/null
+++ b/documentation/build/html/_static/sidebar.js
@@ -0,0 +1,147 @@
+/*
+ * sidebar.js
+ * ~~~~~~~~~~
+ *
+ * This script makes the Sphinx sidebar collapsible.
+ *
+ * .sphinxsidebar contains .sphinxsidebarwrapper.  This script adds
+ * in .sphixsidebar, after .sphinxsidebarwrapper, the #sidebarbutton
+ * used to collapse and expand the sidebar.
+ *
+ * When the sidebar is collapsed the .sphinxsidebarwrapper is hidden
+ * and the width of the sidebar and the margin-left of the document
+ * are decreased. When the sidebar is expanded the opposite happens.
+ * This script saves a per-browser/per-session cookie used to
+ * remember the position of the sidebar among the pages.
+ * Once the browser is closed the cookie is deleted and the position
+ * reset to the default (expanded).
+ *
+ * :copyright: Copyright 2007-2010 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+$(function() {
+  // global elements used by the functions.
+  // the 'sidebarbutton' element is defined as global after its
+  // creation, in the add_sidebar_button function
+  var bodywrapper = $('.bodywrapper');
+  var sidebar = $('.sphinxsidebar');
+  var sidebarwrapper = $('.sphinxsidebarwrapper');
+
+  // original margin-left of the bodywrapper and width of the sidebar
+  // with the sidebar expanded
+  var bw_margin_expanded = bodywrapper.css('margin-left');
+  var ssb_width_expanded = sidebar.width();
+
+  // margin-left of the bodywrapper and width of the sidebar
+  // with the sidebar collapsed
+  var bw_margin_collapsed = '.8em';
+  var ssb_width_collapsed = '.8em';
+
+  // colors used by the current theme
+  var dark_color = $('.related').css('background-color');
+  var light_color = $('.document').css('background-color');
+
+  function sidebar_is_collapsed() {
+    return sidebarwrapper.is(':not(:visible)');
+  }
+
+  function toggle_sidebar() {
+    if (sidebar_is_collapsed())
+      expand_sidebar();
+    else
+      collapse_sidebar();
+  }
+
+  function collapse_sidebar() {
+    sidebarwrapper.hide();
+    sidebar.css('width', ssb_width_collapsed);
+    bodywrapper.css('margin-left', bw_margin_collapsed);
+    sidebarbutton.css({
+        'margin-left': '0',
+        'height': bodywrapper.height()
+    });
+    sidebarbutton.find('span').text('»');
+    sidebarbutton.attr('title', _('Expand sidebar'));
+    document.cookie = 'sidebar=collapsed';
+  }
+
+  function expand_sidebar() {
+    bodywrapper.css('margin-left', bw_margin_expanded);
+    sidebar.css('width', ssb_width_expanded);
+    sidebarwrapper.show();
+    sidebarbutton.css({
+        'margin-left': ssb_width_expanded-12,
+        'height': bodywrapper.height()
+    });
+    sidebarbutton.find('span').text('«');
+    sidebarbutton.attr('title', _('Collapse sidebar'));
+    document.cookie = 'sidebar=expanded';
+  }
+
+  function add_sidebar_button() {
+    sidebarwrapper.css({
+        'float': 'left',
+        'margin-right': '0',
+        'width': ssb_width_expanded - 28
+    });
+    // create the button
+    sidebar.append(
+        '<div id="sidebarbutton"><span>&laquo;</span></div>'
+    );
+    var sidebarbutton = $('#sidebarbutton');
+    // find the height of the viewport to center the '<<' in the page
+    var viewport_height;
+    if (window.innerHeight)
+ 	  viewport_height = window.innerHeight;
+    else
+	  viewport_height = $(window).height();
+    sidebarbutton.find('span').css({
+        'display': 'block',
+        'margin-top': (viewport_height - sidebar.position().top - 20) / 2
+    });
+
+    sidebarbutton.click(toggle_sidebar);
+    sidebarbutton.attr('title', _('Collapse sidebar'));
+    sidebarbutton.css({
+        'color': '#FFFFFF',
+        'border-left': '1px solid ' + dark_color,
+        'font-size': '1.2em',
+        'cursor': 'pointer',
+        'height': bodywrapper.height(),
+        'padding-top': '1px',
+        'margin-left': ssb_width_expanded - 12
+    });
+
+    sidebarbutton.hover(
+      function () {
+          $(this).css('background-color', dark_color);
+      },
+      function () {
+          $(this).css('background-color', light_color);
+      }
+    );
+  }
+
+  function set_position_from_cookie() {
+    if (!document.cookie)
+      return;
+    var items = document.cookie.split(';');
+    for(var k=0; k<items.length; k++) {
+      var key_val = items[k].split('=');
+      var key = key_val[0];
+      if (key == 'sidebar') {
+        var value = key_val[1];
+        if ((value == 'collapsed') && (!sidebar_is_collapsed()))
+          collapse_sidebar();
+        else if ((value == 'expanded') && (sidebar_is_collapsed()))
+          expand_sidebar();
+      }
+    }
+  }
+
+  add_sidebar_button();
+  var sidebarbutton = $('#sidebarbutton');
+  set_position_from_cookie();
+});
\ No newline at end of file
diff --git a/documentation/build/html/_static/underscore.js b/documentation/build/html/_static/underscore.js
new file mode 100644
index 0000000000000000000000000000000000000000..9146e086001d7bcba14c8f73d99a87e353458824
--- /dev/null
+++ b/documentation/build/html/_static/underscore.js
@@ -0,0 +1,16 @@
+(function(){var j=this,n=j._,i=function(a){this._wrapped=a},m=typeof StopIteration!=="undefined"?StopIteration:"__break__",b=j._=function(a){return new i(a)};if(typeof exports!=="undefined")exports._=b;var k=Array.prototype.slice,o=Array.prototype.unshift,p=Object.prototype.toString,q=Object.prototype.hasOwnProperty,r=Object.prototype.propertyIsEnumerable;b.VERSION="0.5.5";b.each=function(a,c,d){try{if(a.forEach)a.forEach(c,d);else if(b.isArray(a)||b.isArguments(a))for(var e=0,f=a.length;e<f;e++)c.call(d,
+a[e],e,a);else{var g=b.keys(a);f=g.length;for(e=0;e<f;e++)c.call(d,a[g[e]],g[e],a)}}catch(h){if(h!=m)throw h;}return a};b.map=function(a,c,d){if(a&&b.isFunction(a.map))return a.map(c,d);var e=[];b.each(a,function(f,g,h){e.push(c.call(d,f,g,h))});return e};b.reduce=function(a,c,d,e){if(a&&b.isFunction(a.reduce))return a.reduce(b.bind(d,e),c);b.each(a,function(f,g,h){c=d.call(e,c,f,g,h)});return c};b.reduceRight=function(a,c,d,e){if(a&&b.isFunction(a.reduceRight))return a.reduceRight(b.bind(d,e),c);
+var f=b.clone(b.toArray(a)).reverse();b.each(f,function(g,h){c=d.call(e,c,g,h,a)});return c};b.detect=function(a,c,d){var e;b.each(a,function(f,g,h){if(c.call(d,f,g,h)){e=f;b.breakLoop()}});return e};b.select=function(a,c,d){if(a&&b.isFunction(a.filter))return a.filter(c,d);var e=[];b.each(a,function(f,g,h){c.call(d,f,g,h)&&e.push(f)});return e};b.reject=function(a,c,d){var e=[];b.each(a,function(f,g,h){!c.call(d,f,g,h)&&e.push(f)});return e};b.all=function(a,c,d){c=c||b.identity;if(a&&b.isFunction(a.every))return a.every(c,
+d);var e=true;b.each(a,function(f,g,h){(e=e&&c.call(d,f,g,h))||b.breakLoop()});return e};b.any=function(a,c,d){c=c||b.identity;if(a&&b.isFunction(a.some))return a.some(c,d);var e=false;b.each(a,function(f,g,h){if(e=c.call(d,f,g,h))b.breakLoop()});return e};b.include=function(a,c){if(b.isArray(a))return b.indexOf(a,c)!=-1;var d=false;b.each(a,function(e){if(d=e===c)b.breakLoop()});return d};b.invoke=function(a,c){var d=b.rest(arguments,2);return b.map(a,function(e){return(c?e[c]:e).apply(e,d)})};b.pluck=
+function(a,c){return b.map(a,function(d){return d[c]})};b.max=function(a,c,d){if(!c&&b.isArray(a))return Math.max.apply(Math,a);var e={computed:-Infinity};b.each(a,function(f,g,h){g=c?c.call(d,f,g,h):f;g>=e.computed&&(e={value:f,computed:g})});return e.value};b.min=function(a,c,d){if(!c&&b.isArray(a))return Math.min.apply(Math,a);var e={computed:Infinity};b.each(a,function(f,g,h){g=c?c.call(d,f,g,h):f;g<e.computed&&(e={value:f,computed:g})});return e.value};b.sortBy=function(a,c,d){return b.pluck(b.map(a,
+function(e,f,g){return{value:e,criteria:c.call(d,e,f,g)}}).sort(function(e,f){e=e.criteria;f=f.criteria;return e<f?-1:e>f?1:0}),"value")};b.sortedIndex=function(a,c,d){d=d||b.identity;for(var e=0,f=a.length;e<f;){var g=e+f>>1;d(a[g])<d(c)?(e=g+1):(f=g)}return e};b.toArray=function(a){if(!a)return[];if(a.toArray)return a.toArray();if(b.isArray(a))return a;if(b.isArguments(a))return k.call(a);return b.values(a)};b.size=function(a){return b.toArray(a).length};b.first=function(a,c,d){return c&&!d?k.call(a,
+0,c):a[0]};b.rest=function(a,c,d){return k.call(a,b.isUndefined(c)||d?1:c)};b.last=function(a){return a[a.length-1]};b.compact=function(a){return b.select(a,function(c){return!!c})};b.flatten=function(a){return b.reduce(a,[],function(c,d){if(b.isArray(d))return c.concat(b.flatten(d));c.push(d);return c})};b.without=function(a){var c=b.rest(arguments);return b.select(a,function(d){return!b.include(c,d)})};b.uniq=function(a,c){return b.reduce(a,[],function(d,e,f){if(0==f||(c===true?b.last(d)!=e:!b.include(d,
+e)))d.push(e);return d})};b.intersect=function(a){var c=b.rest(arguments);return b.select(b.uniq(a),function(d){return b.all(c,function(e){return b.indexOf(e,d)>=0})})};b.zip=function(){for(var a=b.toArray(arguments),c=b.max(b.pluck(a,"length")),d=new Array(c),e=0;e<c;e++)d[e]=b.pluck(a,String(e));return d};b.indexOf=function(a,c){if(a.indexOf)return a.indexOf(c);for(var d=0,e=a.length;d<e;d++)if(a[d]===c)return d;return-1};b.lastIndexOf=function(a,c){if(a.lastIndexOf)return a.lastIndexOf(c);for(var d=
+a.length;d--;)if(a[d]===c)return d;return-1};b.range=function(a,c,d){var e=b.toArray(arguments),f=e.length<=1;a=f?0:e[0];c=f?e[0]:e[1];d=e[2]||1;e=Math.ceil((c-a)/d);if(e<=0)return[];e=new Array(e);f=a;for(var g=0;1;f+=d){if((d>0?f-c:c-f)>=0)return e;e[g++]=f}};b.bind=function(a,c){var d=b.rest(arguments,2);return function(){return a.apply(c||j,d.concat(b.toArray(arguments)))}};b.bindAll=function(a){var c=b.rest(arguments);if(c.length==0)c=b.functions(a);b.each(c,function(d){a[d]=b.bind(a[d],a)});
+return a};b.delay=function(a,c){var d=b.rest(arguments,2);return setTimeout(function(){return a.apply(a,d)},c)};b.defer=function(a){return b.delay.apply(b,[a,1].concat(b.rest(arguments)))};b.wrap=function(a,c){return function(){var d=[a].concat(b.toArray(arguments));return c.apply(c,d)}};b.compose=function(){var a=b.toArray(arguments);return function(){for(var c=b.toArray(arguments),d=a.length-1;d>=0;d--)c=[a[d].apply(this,c)];return c[0]}};b.keys=function(a){if(b.isArray(a))return b.range(0,a.length);
+var c=[];for(var d in a)q.call(a,d)&&c.push(d);return c};b.values=function(a){return b.map(a,b.identity)};b.functions=function(a){return b.select(b.keys(a),function(c){return b.isFunction(a[c])}).sort()};b.extend=function(a,c){for(var d in c)a[d]=c[d];return a};b.clone=function(a){if(b.isArray(a))return a.slice(0);return b.extend({},a)};b.tap=function(a,c){c(a);return a};b.isEqual=function(a,c){if(a===c)return true;var d=typeof a;if(d!=typeof c)return false;if(a==c)return true;if(!a&&c||a&&!c)return false;
+if(a.isEqual)return a.isEqual(c);if(b.isDate(a)&&b.isDate(c))return a.getTime()===c.getTime();if(b.isNaN(a)&&b.isNaN(c))return true;if(b.isRegExp(a)&&b.isRegExp(c))return a.source===c.source&&a.global===c.global&&a.ignoreCase===c.ignoreCase&&a.multiline===c.multiline;if(d!=="object")return false;if(a.length&&a.length!==c.length)return false;d=b.keys(a);var e=b.keys(c);if(d.length!=e.length)return false;for(var f in a)if(!b.isEqual(a[f],c[f]))return false;return true};b.isEmpty=function(a){return b.keys(a).length==
+0};b.isElement=function(a){return!!(a&&a.nodeType==1)};b.isArray=function(a){return!!(a&&a.concat&&a.unshift)};b.isArguments=function(a){return a&&b.isNumber(a.length)&&!b.isArray(a)&&!r.call(a,"length")};b.isFunction=function(a){return!!(a&&a.constructor&&a.call&&a.apply)};b.isString=function(a){return!!(a===""||a&&a.charCodeAt&&a.substr)};b.isNumber=function(a){return p.call(a)==="[object Number]"};b.isDate=function(a){return!!(a&&a.getTimezoneOffset&&a.setUTCFullYear)};b.isRegExp=function(a){return!!(a&&
+a.test&&a.exec&&(a.ignoreCase||a.ignoreCase===false))};b.isNaN=function(a){return b.isNumber(a)&&isNaN(a)};b.isNull=function(a){return a===null};b.isUndefined=function(a){return typeof a=="undefined"};b.noConflict=function(){j._=n;return this};b.identity=function(a){return a};b.breakLoop=function(){throw m;};var s=0;b.uniqueId=function(a){var c=s++;return a?a+c:c};b.template=function(a,c){a=new Function("obj","var p=[],print=function(){p.push.apply(p,arguments);};with(obj){p.push('"+a.replace(/[\r\t\n]/g,
+" ").replace(/'(?=[^%]*%>)/g,"\t").split("'").join("\\'").split("\t").join("'").replace(/<%=(.+?)%>/g,"',$1,'").split("<%").join("');").split("%>").join("p.push('")+"');}return p.join('');");return c?a(c):a};b.forEach=b.each;b.foldl=b.inject=b.reduce;b.foldr=b.reduceRight;b.filter=b.select;b.every=b.all;b.some=b.any;b.head=b.first;b.tail=b.rest;b.methods=b.functions;var l=function(a,c){return c?b(a).chain():a};b.each(b.functions(b),function(a){var c=b[a];i.prototype[a]=function(){var d=b.toArray(arguments);
+o.call(d,this._wrapped);return l(c.apply(b,d),this._chain)}});b.each(["pop","push","reverse","shift","sort","splice","unshift"],function(a){var c=Array.prototype[a];i.prototype[a]=function(){c.apply(this._wrapped,arguments);return l(this._wrapped,this._chain)}});b.each(["concat","join","slice"],function(a){var c=Array.prototype[a];i.prototype[a]=function(){return l(c.apply(this._wrapped,arguments),this._chain)}});i.prototype.chain=function(){this._chain=true;return this};i.prototype.value=function(){return this._wrapped}})();
diff --git a/documentation/build/html/apireference.html b/documentation/build/html/apireference.html
new file mode 100644
index 0000000000000000000000000000000000000000..81eae398c246e4cef8ca1a81bd4e3adfa7e3d494
--- /dev/null
+++ b/documentation/build/html/apireference.html
@@ -0,0 +1,178 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>API Reference &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="Pyqtgraph’s Helper Functions" href="functions.html" />
+    <link rel="prev" title="Rapid GUI prototyping" href="parametertree.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="functions.html" title="Pyqtgraph’s Helper Functions"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="parametertree.html" title="Rapid GUI prototyping"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="api-reference">
+<h1>API Reference<a class="headerlink" href="#api-reference" title="Permalink to this headline">¶</a></h1>
+<p>Contents:</p>
+<div class="toctree-wrapper compound">
+<ul>
+<li class="toctree-l1"><a class="reference internal" href="functions.html">Pyqtgraph&#8217;s Helper Functions</a><ul>
+<li class="toctree-l2"><a class="reference internal" href="functions.html#simple-data-display-functions">Simple Data Display Functions</a></li>
+<li class="toctree-l2"><a class="reference internal" href="functions.html#color-pen-and-brush-functions">Color, Pen, and Brush Functions</a></li>
+<li class="toctree-l2"><a class="reference internal" href="functions.html#data-slicing">Data Slicing</a></li>
+<li class="toctree-l2"><a class="reference internal" href="functions.html#si-unit-conversion-functions">SI Unit Conversion Functions</a></li>
+</ul>
+</li>
+<li class="toctree-l1"><a class="reference internal" href="graphicsItems/index.html">Pyqtgraph&#8217;s Graphics Items</a><ul>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/plotdataitem.html">PlotDataItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/plotcurveitem.html">PlotCurveItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/scatterplotitem.html">ScatterPlotItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/plotitem.html">PlotItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/imageitem.html">ImageItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/viewbox.html">ViewBox</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/linearregionitem.html">LinearRegionItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/infiniteline.html">InfiniteLine</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/roi.html">ROI</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/graphicslayout.html">GraphicsLayout</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/axisitem.html">AxisItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/arrowitem.html">ArrowItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/curvepoint.html">CurvePoint</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/curvearrow.html">CurveArrow</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/griditem.html">GridItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/scalebar.html">ScaleBar</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/labelitem.html">LabelItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/vtickgroup.html">VTickGroup</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/gradienteditoritem.html">GradientEditorItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/histogramlutitem.html">HistogramLUTItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/gradientlegend.html">GradientLegend</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/buttonitem.html">ButtonItem</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/graphicsobject.html">GraphicsObject</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/graphicswidget.html">GraphicsWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/uigraphicsitem.html">UIGraphicsItem</a></li>
+</ul>
+</li>
+<li class="toctree-l1"><a class="reference internal" href="widgets/index.html">Pyqtgraph&#8217;s Widgets</a><ul>
+<li class="toctree-l2"><a class="reference internal" href="widgets/plotwidget.html">PlotWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/imageview.html">ImageView</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/datatreewidget.html">DataTreeWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/checktable.html">CheckTable</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/tablewidget.html">TableWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/gradientwidget.html">GradientWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/colorbutton.html">ColorButton</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/graphicslayoutwidget.html">GraphicsLayoutWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/dockarea.html">dockarea module</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/parametertree.html">parametertree module</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/histogramlutwidget.html">HistogramLUTWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/progressdialog.html">ProgressDialog</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/spinbox.html">SpinBox</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/filedialog.html">FileDialog</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/graphicsview.html">GraphicsView</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/joystickbutton.html">JoystickButton</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/multiplotwidget.html">MultiPlotWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/treewidget.html">TreeWidget</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/verticallabel.html">VerticalLabel</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/rawimagewidget.html">RawImageWidget</a></li>
+</ul>
+</li>
+</ul>
+</div>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="parametertree.html"
+                        title="previous chapter">Rapid GUI prototyping</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="functions.html"
+                        title="next chapter">Pyqtgraph&#8217;s Helper Functions</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/apireference.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="functions.html" title="Pyqtgraph’s Helper Functions"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="parametertree.html" title="Rapid GUI prototyping"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/functions.html b/documentation/build/html/functions.html
new file mode 100644
index 0000000000000000000000000000000000000000..bc11f5d3dff8d656c6b83ee0753300b121c50bd9
--- /dev/null
+++ b/documentation/build/html/functions.html
@@ -0,0 +1,341 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Pyqtgraph’s Helper Functions &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="up" title="API Reference" href="apireference.html" />
+    <link rel="next" title="Pyqtgraph’s Graphics Items" href="graphicsItems/index.html" />
+    <link rel="prev" title="API Reference" href="apireference.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicsItems/index.html" title="Pyqtgraph’s Graphics Items"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="apireference.html" title="API Reference"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="apireference.html" accesskey="U">API Reference</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="pyqtgraph-s-helper-functions">
+<h1>Pyqtgraph&#8217;s Helper Functions<a class="headerlink" href="#pyqtgraph-s-helper-functions" title="Permalink to this headline">¶</a></h1>
+<div class="section" id="simple-data-display-functions">
+<h2>Simple Data Display Functions<a class="headerlink" href="#simple-data-display-functions" title="Permalink to this headline">¶</a></h2>
+<dl class="function">
+<dt id="pyqtgraph.plot">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">plot</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="reference internal" href="_modules/pyqtgraph.html#plot"><span class="viewcode-link">[source]</span></a><a class="headerlink" href="#pyqtgraph.plot" title="Permalink to this definition">¶</a></dt>
+<dd><div class="line-block">
+<div class="line">Create and return a PlotWindow (this is just a window with PlotWidget inside), plot data in it.</div>
+<div class="line">Accepts a <em>title</em> argument to set the title of the window.</div>
+<div class="line">All other arguments are used to plot data. (see <a class="reference internal" href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.plot" title="pyqtgraph.PlotItem.plot"><tt class="xref py py-func docutils literal"><span class="pre">PlotItem.plot()</span></tt></a>)</div>
+</div>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.image">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">image</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="reference internal" href="_modules/pyqtgraph.html#image"><span class="viewcode-link">[source]</span></a><a class="headerlink" href="#pyqtgraph.image" title="Permalink to this definition">¶</a></dt>
+<dd><div class="line-block">
+<div class="line">Create and return an ImageWindow (this is just a window with ImageView widget inside), show image data inside.</div>
+<div class="line">Will show 2D or 3D image data.</div>
+<div class="line">Accepts a <em>title</em> argument to set the title of the window.</div>
+<div class="line">All other arguments are used to show data. (see <a class="reference internal" href="widgets/imageview.html#pyqtgraph.ImageView.setImage" title="pyqtgraph.ImageView.setImage"><tt class="xref py py-func docutils literal"><span class="pre">ImageView.setImage()</span></tt></a>)</div>
+</div>
+</dd></dl>
+
+</div>
+<div class="section" id="color-pen-and-brush-functions">
+<h2>Color, Pen, and Brush Functions<a class="headerlink" href="#color-pen-and-brush-functions" title="Permalink to this headline">¶</a></h2>
+<p>Qt uses the classes QColor, QPen, and QBrush to determine how to draw lines and fill shapes. These classes are highly capable but somewhat awkward to use. Pyqtgraph offers the functions <a class="reference internal" href="#pyqtgraph.mkColor" title="pyqtgraph.mkColor"><tt class="xref py py-func docutils literal"><span class="pre">mkColor()</span></tt></a>, <a class="reference internal" href="#pyqtgraph.mkPen" title="pyqtgraph.mkPen"><tt class="xref py py-func docutils literal"><span class="pre">mkPen()</span></tt></a>, and <a class="reference internal" href="#pyqtgraph.mkBrush" title="pyqtgraph.mkBrush"><tt class="xref py py-func docutils literal"><span class="pre">mkBrush()</span></tt></a> to simplify the process of creating these classes. In most cases, however, it will be unnecessary to call these functions directly&#8211;any function or method that accepts <em>pen</em> or <em>brush</em> arguments will make use of these functions for you. For example, the following three lines all have the same effect:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="n">pg</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">xdata</span><span class="p">,</span> <span class="n">ydata</span><span class="p">,</span> <span class="n">pen</span><span class="o">=</span><span class="s">&#39;r&#39;</span><span class="p">)</span>
+<span class="n">pg</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">xdata</span><span class="p">,</span> <span class="n">ydata</span><span class="p">,</span> <span class="n">pen</span><span class="o">=</span><span class="n">pg</span><span class="o">.</span><span class="n">mkPen</span><span class="p">(</span><span class="s">&#39;r&#39;</span><span class="p">))</span>
+<span class="n">pg</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">xdata</span><span class="p">,</span> <span class="n">ydata</span><span class="p">,</span> <span class="n">pen</span><span class="o">=</span><span class="n">QPen</span><span class="p">(</span><span class="n">QColor</span><span class="p">(</span><span class="mi">255</span><span class="p">,</span> <span class="mi">0</span><span class="p">,</span> <span class="mi">0</span><span class="p">)))</span>
+</pre></div>
+</div>
+<dl class="function">
+<dt id="pyqtgraph.mkColor">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">mkColor</tt><big>(</big><em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.mkColor" title="Permalink to this definition">¶</a></dt>
+<dd><p>Convenience function for constructing QColor from a variety of argument types. Accepted arguments are:</p>
+<table border="1" class="docutils">
+<colgroup>
+<col width="25%" />
+<col width="75%" />
+</colgroup>
+<tbody valign="top">
+<tr><td>&#8216;c&#8217;</td>
+<td>one of: r, g, b, c, m, y, k, w</td>
+</tr>
+<tr><td>R, G, B, [A]</td>
+<td>integers 0-255</td>
+</tr>
+<tr><td>(R, G, B, [A])</td>
+<td>tuple of integers 0-255</td>
+</tr>
+<tr><td>float</td>
+<td>greyscale, 0.0-1.0</td>
+</tr>
+<tr><td>int</td>
+<td>see <a class="reference internal" href="#pyqtgraph.intColor" title="pyqtgraph.intColor"><tt class="xref py py-func docutils literal"><span class="pre">intColor()</span></tt></a></td>
+</tr>
+<tr><td>(int, hues)</td>
+<td>see <a class="reference internal" href="#pyqtgraph.intColor" title="pyqtgraph.intColor"><tt class="xref py py-func docutils literal"><span class="pre">intColor()</span></tt></a></td>
+</tr>
+<tr><td>&#8220;RGB&#8221;</td>
+<td>hexadecimal strings; may begin with &#8216;#&#8217;</td>
+</tr>
+<tr><td>&#8220;RGBA&#8221;</td>
+<td>&nbsp;</td>
+</tr>
+<tr><td>&#8220;RRGGBB&#8221;</td>
+<td>&nbsp;</td>
+</tr>
+<tr><td>&#8220;RRGGBBAA&#8221;</td>
+<td>&nbsp;</td>
+</tr>
+<tr><td>QColor</td>
+<td>QColor instance; makes a copy.</td>
+</tr>
+</tbody>
+</table>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.mkPen">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">mkPen</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.mkPen" title="Permalink to this definition">¶</a></dt>
+<dd><p>Convenience function for constructing QPen.</p>
+<p>Examples:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="n">mkPen</span><span class="p">(</span><span class="n">color</span><span class="p">)</span>
+<span class="n">mkPen</span><span class="p">(</span><span class="n">color</span><span class="p">,</span> <span class="n">width</span><span class="o">=</span><span class="mi">2</span><span class="p">)</span>
+<span class="n">mkPen</span><span class="p">(</span><span class="n">cosmetic</span><span class="o">=</span><span class="bp">False</span><span class="p">,</span> <span class="n">width</span><span class="o">=</span><span class="mf">4.5</span><span class="p">,</span> <span class="n">color</span><span class="o">=</span><span class="s">&#39;r&#39;</span><span class="p">)</span>
+<span class="n">mkPen</span><span class="p">({</span><span class="s">&#39;color&#39;</span><span class="p">:</span> <span class="s">&quot;FF0&quot;</span><span class="p">,</span> <span class="n">width</span><span class="p">:</span> <span class="mi">2</span><span class="p">})</span>
+<span class="n">mkPen</span><span class="p">(</span><span class="bp">None</span><span class="p">)</span>   <span class="c"># (no pen)</span>
+</pre></div>
+</div>
+<p>In these examples, <em>color</em> may be replaced with any arguments accepted by <a class="reference internal" href="#pyqtgraph.mkColor" title="pyqtgraph.mkColor"><tt class="xref py py-func docutils literal"><span class="pre">mkColor()</span></tt></a></p>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.mkBrush">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">mkBrush</tt><big>(</big><em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.mkBrush" title="Permalink to this definition">¶</a></dt>
+<dd><div class="line-block">
+<div class="line">Convenience function for constructing Brush.</div>
+<div class="line">This function always constructs a solid brush and accepts the same arguments as <a class="reference internal" href="#pyqtgraph.mkColor" title="pyqtgraph.mkColor"><tt class="xref py py-func docutils literal"><span class="pre">mkColor()</span></tt></a></div>
+<div class="line">Calling mkBrush(None) returns an invisible brush.</div>
+</div>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.hsvColor">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">hsvColor</tt><big>(</big><em>h</em>, <em>s=1.0</em>, <em>v=1.0</em>, <em>a=1.0</em><big>)</big><a class="headerlink" href="#pyqtgraph.hsvColor" title="Permalink to this definition">¶</a></dt>
+<dd><p>Generate a QColor from HSVa values.</p>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.intColor">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">intColor</tt><big>(</big><em>index</em>, <em>hues=9</em>, <em>values=1</em>, <em>maxValue=255</em>, <em>minValue=150</em>, <em>maxHue=360</em>, <em>minHue=0</em>, <em>sat=255</em>, <em>alpha=255</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.intColor" title="Permalink to this definition">¶</a></dt>
+<dd><p>Creates a QColor from a single index. Useful for stepping through a predefined list of colors.</p>
+<p>The argument <em>index</em> determines which color from the set will be returned. All other arguments determine what the set of predefined colors will be</p>
+<p>Colors are chosen by cycling across hues while varying the value (brightness). 
+By default, this selects from a list of 9 hues.</p>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.colorTuple">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">colorTuple</tt><big>(</big><em>c</em><big>)</big><a class="headerlink" href="#pyqtgraph.colorTuple" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return a tuple (R,G,B,A) from a QColor</p>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.colorStr">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">colorStr</tt><big>(</big><em>c</em><big>)</big><a class="headerlink" href="#pyqtgraph.colorStr" title="Permalink to this definition">¶</a></dt>
+<dd><p>Generate a hex string code from a QColor</p>
+</dd></dl>
+
+</div>
+<div class="section" id="data-slicing">
+<h2>Data Slicing<a class="headerlink" href="#data-slicing" title="Permalink to this headline">¶</a></h2>
+<dl class="function">
+<dt id="pyqtgraph.affineSlice">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">affineSlice</tt><big>(</big><em>data</em>, <em>shape</em>, <em>origin</em>, <em>vectors</em>, <em>axes</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.affineSlice" title="Permalink to this definition">¶</a></dt>
+<dd><p>Take a slice of any orientation through an array. This is useful for extracting sections of multi-dimensional arrays such as MRI images for viewing as 1D or 2D data.</p>
+<p>The slicing axes are aribtrary; they do not need to be orthogonal to the original data or even to each other. It is possible to use this function to extract arbitrary linear, rectangular, or parallelepiped shapes from within larger datasets.</p>
+<p>For a graphical interface to this function, see <tt class="xref py py-func docutils literal"><span class="pre">ROI.getArrayRegion()</span></tt></p>
+<p>Arguments:</p>
+<blockquote>
+<div class="line-block">
+<div class="line"><em>data</em> (ndarray): the original dataset</div>
+<div class="line"><em>shape</em>: the shape of the slice to take (Note the return value may have more dimensions than len(shape))</div>
+<div class="line"><em>origin</em>: the location in the original dataset that will become the origin in the sliced data.</div>
+<div class="line"><em>vectors</em>: list of unit vectors which point in the direction of the slice axes</div>
+</div>
+<ul class="simple">
+<li>each vector must have the same length as <em>axes</em></li>
+<li>If the vectors are not unit length, the result will be scaled.</li>
+<li>If the vectors are not orthogonal, the result will be sheared.</li>
+</ul>
+<p><em>axes</em>: the axes in the original dataset which correspond to the slice <em>vectors</em></p>
+</blockquote>
+<p>Example: start with a 4D fMRI data set, take a diagonal-planar slice out of the last 3 axes</p>
+<blockquote>
+<ul class="simple">
+<li>data = array with dims (time, x, y, z) = (100, 40, 40, 40)</li>
+<li>The plane to pull out is perpendicular to the vector (x,y,z) = (1,1,1)</li>
+<li>The origin of the slice will be at (x,y,z) = (40, 0, 0)</li>
+<li>We will slice a 20x20 plane from each timepoint, giving a final shape (100, 20, 20)</li>
+</ul>
+</blockquote>
+<p>The call for this example would look like:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="n">affineSlice</span><span class="p">(</span><span class="n">data</span><span class="p">,</span> <span class="n">shape</span><span class="o">=</span><span class="p">(</span><span class="mi">20</span><span class="p">,</span><span class="mi">20</span><span class="p">),</span> <span class="n">origin</span><span class="o">=</span><span class="p">(</span><span class="mi">40</span><span class="p">,</span><span class="mi">0</span><span class="p">,</span><span class="mi">0</span><span class="p">),</span> <span class="n">vectors</span><span class="o">=</span><span class="p">((</span><span class="o">-</span><span class="mi">1</span><span class="p">,</span> <span class="mi">1</span><span class="p">,</span> <span class="mi">0</span><span class="p">),</span> <span class="p">(</span><span class="o">-</span><span class="mi">1</span><span class="p">,</span> <span class="mi">0</span><span class="p">,</span> <span class="mi">1</span><span class="p">)),</span> <span class="n">axes</span><span class="o">=</span><span class="p">(</span><span class="mi">1</span><span class="p">,</span><span class="mi">2</span><span class="p">,</span><span class="mi">3</span><span class="p">))</span>
+</pre></div>
+</div>
+<p>Note the following must be true:</p>
+<blockquote>
+<div class="line-block">
+<div class="line">len(shape) == len(vectors) </div>
+<div class="line">len(origin) == len(axes) == len(vectors[0])</div>
+</div>
+</blockquote>
+</dd></dl>
+
+</div>
+<div class="section" id="si-unit-conversion-functions">
+<h2>SI Unit Conversion Functions<a class="headerlink" href="#si-unit-conversion-functions" title="Permalink to this headline">¶</a></h2>
+<dl class="function">
+<dt id="pyqtgraph.siFormat">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">siFormat</tt><big>(</big><em>x</em>, <em>precision=3</em>, <em>suffix=''</em>, <em>space=True</em>, <em>error=None</em>, <em>minVal=1e-25</em>, <em>allowUnicode=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.siFormat" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the number x formatted in engineering notation with SI prefix.</p>
+<p>Example:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="n">siFormat</span><span class="p">(</span><span class="mf">0.0001</span><span class="p">,</span> <span class="n">suffix</span><span class="o">=</span><span class="s">&#39;V&#39;</span><span class="p">)</span>  <span class="c"># returns &quot;100 μV&quot;</span>
+</pre></div>
+</div>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.siScale">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">siScale</tt><big>(</big><em>x</em>, <em>minVal=1e-25</em>, <em>allowUnicode=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.siScale" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the recommended scale factor and SI prefix string for x.</p>
+<p>Example:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="n">siScale</span><span class="p">(</span><span class="mf">0.0001</span><span class="p">)</span>   <span class="c"># returns (1e6, &#39;μ&#39;)</span>
+<span class="c"># This indicates that the number 0.0001 is best represented as 0.0001 * 1e6 = 100 μUnits</span>
+</pre></div>
+</div>
+</dd></dl>
+
+<dl class="function">
+<dt id="pyqtgraph.siEval">
+<tt class="descclassname">pyqtgraph.</tt><tt class="descname">siEval</tt><big>(</big><em>s</em><big>)</big><a class="headerlink" href="#pyqtgraph.siEval" title="Permalink to this definition">¶</a></dt>
+<dd><p>Convert a value written in SI notation to its equivalent prefixless value</p>
+<p>Example:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="n">siEval</span><span class="p">(</span><span class="s">&quot;100 μV&quot;</span><span class="p">)</span>  <span class="c"># returns 0.0001</span>
+</pre></div>
+</div>
+</dd></dl>
+
+</div>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h3><a href="index.html">Table Of Contents</a></h3>
+  <ul>
+<li><a class="reference internal" href="#">Pyqtgraph&#8217;s Helper Functions</a><ul>
+<li><a class="reference internal" href="#simple-data-display-functions">Simple Data Display Functions</a></li>
+<li><a class="reference internal" href="#color-pen-and-brush-functions">Color, Pen, and Brush Functions</a></li>
+<li><a class="reference internal" href="#data-slicing">Data Slicing</a></li>
+<li><a class="reference internal" href="#si-unit-conversion-functions">SI Unit Conversion Functions</a></li>
+</ul>
+</li>
+</ul>
+
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="apireference.html"
+                        title="previous chapter">API Reference</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="graphicsItems/index.html"
+                        title="next chapter">Pyqtgraph&#8217;s Graphics Items</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/functions.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicsItems/index.html" title="Pyqtgraph’s Graphics Items"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="apireference.html" title="API Reference"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="apireference.html" >API Reference</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/genindex.html b/documentation/build/html/genindex.html
new file mode 100644
index 0000000000000000000000000000000000000000..50d88bf257dc6b56ef631811f81433278954cff6
--- /dev/null
+++ b/documentation/build/html/genindex.html
@@ -0,0 +1,457 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Index &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="#" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+
+   <h1 id="index">Index</h1>
+
+   <div class="genindex-jumpbox">
+   <a href="#_"><strong>_</strong></a> | <a href="#A"><strong>A</strong></a> | <a href="#B"><strong>B</strong></a> | <a href="#C"><strong>C</strong></a> | <a href="#D"><strong>D</strong></a> | <a href="#E"><strong>E</strong></a> | <a href="#F"><strong>F</strong></a> | <a href="#G"><strong>G</strong></a> | <a href="#H"><strong>H</strong></a> | <a href="#I"><strong>I</strong></a> | <a href="#J"><strong>J</strong></a> | <a href="#K"><strong>K</strong></a> | <a href="#L"><strong>L</strong></a> | <a href="#M"><strong>M</strong></a> | <a href="#N"><strong>N</strong></a> | <a href="#P"><strong>P</strong></a> | <a href="#R"><strong>R</strong></a> | <a href="#S"><strong>S</strong></a> | <a href="#T"><strong>T</strong></a> | <a href="#U"><strong>U</strong></a> | <a href="#V"><strong>V</strong></a> 
+   </div>
+<h2 id="_">_</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/arrowitem.html#pyqtgraph.ArrowItem.__init__">__init__() (pyqtgraph.ArrowItem method)</a></dt>
+    <dd><dl>
+      <dt><a href="graphicsItems/axisitem.html#pyqtgraph.AxisItem.__init__">(pyqtgraph.AxisItem method)</a></dt>
+      <dt><a href="graphicsItems/buttonitem.html#pyqtgraph.ButtonItem.__init__">(pyqtgraph.ButtonItem method)</a></dt>
+      <dt><a href="widgets/checktable.html#pyqtgraph.CheckTable.__init__">(pyqtgraph.CheckTable method)</a></dt>
+      <dt><a href="widgets/colorbutton.html#pyqtgraph.ColorButton.__init__">(pyqtgraph.ColorButton method)</a></dt>
+      <dt><a href="graphicsItems/curvearrow.html#pyqtgraph.CurveArrow.__init__">(pyqtgraph.CurveArrow method)</a></dt>
+      <dt><a href="graphicsItems/curvepoint.html#pyqtgraph.CurvePoint.__init__">(pyqtgraph.CurvePoint method)</a></dt>
+      <dt><a href="widgets/datatreewidget.html#pyqtgraph.DataTreeWidget.__init__">(pyqtgraph.DataTreeWidget method)</a></dt>
+      <dt><a href="widgets/filedialog.html#pyqtgraph.FileDialog.__init__">(pyqtgraph.FileDialog method)</a></dt>
+      <dt><a href="graphicsItems/gradienteditoritem.html#pyqtgraph.GradientEditorItem.__init__">(pyqtgraph.GradientEditorItem method)</a></dt>
+      <dt><a href="graphicsItems/gradientlegend.html#pyqtgraph.GradientLegend.__init__">(pyqtgraph.GradientLegend method)</a></dt>
+      <dt><a href="widgets/gradientwidget.html#pyqtgraph.GradientWidget.__init__">(pyqtgraph.GradientWidget method)</a></dt>
+      <dt><a href="graphicsItems/graphicslayout.html#pyqtgraph.GraphicsLayout.__init__">(pyqtgraph.GraphicsLayout method)</a></dt>
+      <dt><a href="widgets/graphicslayoutwidget.html#pyqtgraph.GraphicsLayoutWidget.__init__">(pyqtgraph.GraphicsLayoutWidget method)</a></dt>
+      <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.__init__">(pyqtgraph.GraphicsObject method)</a></dt>
+      <dt><a href="widgets/graphicsview.html#pyqtgraph.GraphicsView.__init__">(pyqtgraph.GraphicsView method)</a></dt>
+      <dt><a href="graphicsItems/graphicswidget.html#pyqtgraph.GraphicsWidget.__init__">(pyqtgraph.GraphicsWidget method)</a></dt>
+      <dt><a href="graphicsItems/griditem.html#pyqtgraph.GridItem.__init__">(pyqtgraph.GridItem method)</a></dt>
+      <dt><a href="graphicsItems/histogramlutitem.html#pyqtgraph.HistogramLUTItem.__init__">(pyqtgraph.HistogramLUTItem method)</a></dt>
+      <dt><a href="widgets/histogramlutwidget.html#pyqtgraph.HistogramLUTWidget.__init__">(pyqtgraph.HistogramLUTWidget method)</a></dt>
+      <dt><a href="graphicsItems/imageitem.html#pyqtgraph.ImageItem.__init__">(pyqtgraph.ImageItem method)</a></dt>
+      <dt><a href="widgets/imageview.html#pyqtgraph.ImageView.__init__">(pyqtgraph.ImageView method)</a></dt>
+      <dt><a href="graphicsItems/infiniteline.html#pyqtgraph.InfiniteLine.__init__">(pyqtgraph.InfiniteLine method)</a></dt>
+      <dt><a href="widgets/joystickbutton.html#pyqtgraph.JoystickButton.__init__">(pyqtgraph.JoystickButton method)</a></dt>
+      <dt><a href="graphicsItems/labelitem.html#pyqtgraph.LabelItem.__init__">(pyqtgraph.LabelItem method)</a></dt>
+      <dt><a href="graphicsItems/linearregionitem.html#pyqtgraph.LinearRegionItem.__init__">(pyqtgraph.LinearRegionItem method)</a></dt>
+      <dt><a href="widgets/multiplotwidget.html#pyqtgraph.MultiPlotWidget.__init__">(pyqtgraph.MultiPlotWidget method)</a></dt>
+      <dt><a href="graphicsItems/plotcurveitem.html#pyqtgraph.PlotCurveItem.__init__">(pyqtgraph.PlotCurveItem method)</a></dt>
+      <dt><a href="graphicsItems/plotdataitem.html#pyqtgraph.PlotDataItem.__init__">(pyqtgraph.PlotDataItem method)</a></dt>
+      <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.__init__">(pyqtgraph.PlotItem method)</a></dt>
+      <dt><a href="widgets/plotwidget.html#pyqtgraph.PlotWidget.__init__">(pyqtgraph.PlotWidget method)</a></dt>
+      <dt><a href="widgets/progressdialog.html#pyqtgraph.ProgressDialog.__init__">(pyqtgraph.ProgressDialog method)</a></dt>
+      <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI.__init__">(pyqtgraph.ROI method)</a></dt>
+      <dt><a href="widgets/rawimagewidget.html#pyqtgraph.RawImageWidget.__init__">(pyqtgraph.RawImageWidget method)</a></dt>
+      <dt><a href="graphicsItems/scalebar.html#pyqtgraph.ScaleBar.__init__">(pyqtgraph.ScaleBar method)</a></dt>
+      <dt><a href="graphicsItems/scatterplotitem.html#pyqtgraph.ScatterPlotItem.__init__">(pyqtgraph.ScatterPlotItem method)</a></dt>
+      <dt><a href="widgets/spinbox.html#pyqtgraph.SpinBox.__init__">(pyqtgraph.SpinBox method)</a></dt>
+      <dt><a href="widgets/tablewidget.html#pyqtgraph.TableWidget.__init__">(pyqtgraph.TableWidget method)</a></dt>
+      <dt><a href="widgets/treewidget.html#pyqtgraph.TreeWidget.__init__">(pyqtgraph.TreeWidget method)</a></dt>
+      <dt><a href="graphicsItems/uigraphicsitem.html#pyqtgraph.UIGraphicsItem.__init__">(pyqtgraph.UIGraphicsItem method)</a></dt>
+      <dt><a href="graphicsItems/vtickgroup.html#pyqtgraph.VTickGroup.__init__">(pyqtgraph.VTickGroup method)</a></dt>
+      <dt><a href="widgets/verticallabel.html#pyqtgraph.VerticalLabel.__init__">(pyqtgraph.VerticalLabel method)</a></dt>
+      <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.__init__">(pyqtgraph.ViewBox method)</a></dt>
+  </dl></dd>
+</dl></td>
+</tr></table>
+
+<h2 id="A">A</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.addAvgCurve">addAvgCurve() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.affineSlice">affineSlice() (in module pyqtgraph)</a></dt>
+    <dt><a href="widgets/tablewidget.html#pyqtgraph.TableWidget.appendData">appendData() (pyqtgraph.TableWidget method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/arrowitem.html#pyqtgraph.ArrowItem">ArrowItem (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/axisitem.html#pyqtgraph.AxisItem">AxisItem (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="B">B</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/buttonitem.html#pyqtgraph.ButtonItem">ButtonItem (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="C">C</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/checktable.html#pyqtgraph.CheckTable">CheckTable (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.childrenBoundingRect">childrenBoundingRect() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.childTransform">childTransform() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="widgets/colorbutton.html#pyqtgraph.ColorButton">ColorButton (class in pyqtgraph)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.colorStr">colorStr() (in module pyqtgraph)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="functions.html#pyqtgraph.colorTuple">colorTuple() (in module pyqtgraph)</a></dt>
+    <dt><a href="widgets/tablewidget.html#pyqtgraph.TableWidget.copy">copy() (pyqtgraph.TableWidget method)</a></dt>
+    <dt><a href="graphicsItems/curvearrow.html#pyqtgraph.CurveArrow">CurveArrow (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/curvepoint.html#pyqtgraph.CurvePoint">CurvePoint (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="D">D</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/datatreewidget.html#pyqtgraph.DataTreeWidget">DataTreeWidget (class in pyqtgraph)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.deviceTransform">deviceTransform() (pyqtgraph.GraphicsObject method)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="E">E</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/spinbox.html#pyqtgraph.SpinBox.editingFinishedEvent">editingFinishedEvent() (pyqtgraph.SpinBox method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.enableAutoScale">enableAutoScale() (pyqtgraph.PlotItem method)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="F">F</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/filedialog.html#pyqtgraph.FileDialog">FileDialog (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="G">G</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI.getArrayRegion">getArrayRegion() (pyqtgraph.ROI method)</a></dt>
+    <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI.getArraySlice">getArraySlice() (pyqtgraph.ROI method)</a></dt>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.getBoundingParents">getBoundingParents() (pyqtgraph.GraphicsObject method)</a></dt>
+    <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI.getGlobalTransform">getGlobalTransform() (pyqtgraph.ROI method)</a></dt>
+    <dt><a href="graphicsItems/imageitem.html#pyqtgraph.ImageItem.getHistogram">getHistogram() (pyqtgraph.ImageItem method)</a></dt>
+    <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI.getLocalHandlePositions">getLocalHandlePositions() (pyqtgraph.ROI method)</a></dt>
+    <dt><a href="graphicsItems/gradienteditoritem.html#pyqtgraph.GradientEditorItem.getLookupTable">getLookupTable() (pyqtgraph.GradientEditorItem method)</a></dt>
+    <dt><a href="graphicsItems/linearregionitem.html#pyqtgraph.LinearRegionItem.getRegion">getRegion() (pyqtgraph.LinearRegionItem method)</a></dt>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.getViewBox">getViewBox() (pyqtgraph.GraphicsObject method)</a></dt>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.getViewWidget">getViewWidget() (pyqtgraph.GraphicsObject method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/gradienteditoritem.html#pyqtgraph.GradientEditorItem">GradientEditorItem (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/gradientlegend.html#pyqtgraph.GradientLegend">GradientLegend (class in pyqtgraph)</a></dt>
+    <dt><a href="widgets/gradientwidget.html#pyqtgraph.GradientWidget">GradientWidget (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/graphicslayout.html#pyqtgraph.GraphicsLayout">GraphicsLayout (class in pyqtgraph)</a></dt>
+    <dt><a href="widgets/graphicslayoutwidget.html#pyqtgraph.GraphicsLayoutWidget">GraphicsLayoutWidget (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject">GraphicsObject (class in pyqtgraph)</a></dt>
+    <dt><a href="widgets/graphicsview.html#pyqtgraph.GraphicsView">GraphicsView (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/graphicswidget.html#pyqtgraph.GraphicsWidget">GraphicsWidget (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/griditem.html#pyqtgraph.GridItem">GridItem (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="H">H</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI.handleChange">handleChange() (pyqtgraph.ROI method)</a></dt>
+    <dt><a href="graphicsItems/histogramlutitem.html#pyqtgraph.HistogramLUTItem">HistogramLUTItem (class in pyqtgraph)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/histogramlutwidget.html#pyqtgraph.HistogramLUTWidget">HistogramLUTWidget (class in pyqtgraph)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.hsvColor">hsvColor() (in module pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="I">I</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="functions.html#pyqtgraph.image">image() (in module pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/imageitem.html#pyqtgraph.ImageItem">ImageItem (class in pyqtgraph)</a></dt>
+    <dt><a href="widgets/imageview.html#pyqtgraph.ImageView">ImageView (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/infiniteline.html#pyqtgraph.InfiniteLine">InfiniteLine (class in pyqtgraph)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.intColor">intColor() (in module pyqtgraph)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/spinbox.html#pyqtgraph.SpinBox.interpret">interpret() (pyqtgraph.SpinBox method)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.itemBoundingRect">itemBoundingRect() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="widgets/treewidget.html#pyqtgraph.TreeWidget.itemMoving">itemMoving() (pyqtgraph.TreeWidget method)</a></dt>
+    <dt><a href="widgets/tablewidget.html#pyqtgraph.TableWidget.iteratorFn">iteratorFn() (pyqtgraph.TableWidget method)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="J">J</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/joystickbutton.html#pyqtgraph.JoystickButton">JoystickButton (class in pyqtgraph)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/imageview.html#pyqtgraph.ImageView.jumpFrames">jumpFrames() (pyqtgraph.ImageView method)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="K">K</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.keyPressEvent">keyPressEvent() (pyqtgraph.ViewBox method)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="L">L</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/labelitem.html#pyqtgraph.LabelItem">LabelItem (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/linearregionitem.html#pyqtgraph.LinearRegionItem">LinearRegionItem (class in pyqtgraph)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.linkXChanged">linkXChanged() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.linkYChanged">linkYChanged() (pyqtgraph.PlotItem method)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="M">M</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.mapFromView">mapFromView() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.mapSceneToView">mapSceneToView() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.mapToView">mapToView() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.mapViewToScene">mapViewToScene() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.mkBrush">mkBrush() (in module pyqtgraph)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="functions.html#pyqtgraph.mkColor">mkColor() (in module pyqtgraph)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.mkPen">mkPen() (in module pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/uigraphicsitem.html#pyqtgraph.UIGraphicsItem.mouseShape">mouseShape() (pyqtgraph.UIGraphicsItem method)</a></dt>
+    <dt><a href="widgets/multiplotwidget.html#pyqtgraph.MultiPlotWidget">MultiPlotWidget (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="N">N</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/graphicslayout.html#pyqtgraph.GraphicsLayout.nextCol">nextCol() (pyqtgraph.GraphicsLayout method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/graphicslayout.html#pyqtgraph.GraphicsLayout.nextRow">nextRow() (pyqtgraph.GraphicsLayout method)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="P">P</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.pixelLength">pixelLength() (pyqtgraph.GraphicsObject method)</a></dt>
+    <dt><a href="widgets/graphicsview.html#pyqtgraph.GraphicsView.pixelSize">pixelSize() (pyqtgraph.GraphicsView method)</a></dt>
+    <dd><dl>
+      <dt><a href="graphicsItems/imageitem.html#pyqtgraph.ImageItem.pixelSize">(pyqtgraph.ImageItem method)</a></dt>
+  </dl></dd>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.pixelVectors">pixelVectors() (pyqtgraph.GraphicsObject method)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.plot">plot() (in module pyqtgraph)</a></dt>
+    <dd><dl>
+      <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.plot">(pyqtgraph.PlotItem method)</a></dt>
+  </dl></dd>
+    <dt><a href="graphicsItems/plotcurveitem.html#pyqtgraph.PlotCurveItem">PlotCurveItem (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/plotdataitem.html#pyqtgraph.PlotDataItem">PlotDataItem (class in pyqtgraph)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem">PlotItem (class in pyqtgraph)</a></dt>
+    <dt><a href="widgets/plotwidget.html#pyqtgraph.PlotWidget">PlotWidget (class in pyqtgraph)</a></dt>
+    <dt><a href="widgets/progressdialog.html#pyqtgraph.ProgressDialog">ProgressDialog (class in pyqtgraph)</a></dt>
+    <dt><a href="widgets/dockarea.html#module-pyqtgraph.dockarea">pyqtgraph.dockarea (module)</a></dt>
+    <dt><a href="widgets/parametertree.html#module-pyqtgraph.parametertree">pyqtgraph.parametertree (module)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="R">R</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/rawimagewidget.html#pyqtgraph.RawImageWidget">RawImageWidget (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/uigraphicsitem.html#pyqtgraph.UIGraphicsItem.realBoundingRect">realBoundingRect() (pyqtgraph.UIGraphicsItem method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI">ROI (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="S">S</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI.saveState">saveState() (pyqtgraph.ROI method)</a></dt>
+    <dt><a href="graphicsItems/scalebar.html#pyqtgraph.ScaleBar">ScaleBar (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.scaleBy">scaleBy() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="widgets/graphicsview.html#pyqtgraph.GraphicsView.scaleToImage">scaleToImage() (pyqtgraph.GraphicsView method)</a></dt>
+    <dt><a href="graphicsItems/scatterplotitem.html#pyqtgraph.ScatterPlotItem">ScatterPlotItem (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/infiniteline.html#pyqtgraph.InfiniteLine.setAngle">setAngle() (pyqtgraph.InfiniteLine method)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.setAspectLocked">setAspectLocked() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="graphicsItems/labelitem.html#pyqtgraph.LabelItem.setAttr">setAttr() (pyqtgraph.LabelItem method)</a></dt>
+    <dt><a href="graphicsItems/infiniteline.html#pyqtgraph.InfiniteLine.setBounds">setBounds() (pyqtgraph.InfiniteLine method)</a></dt>
+    <dt><a href="widgets/graphicsview.html#pyqtgraph.GraphicsView.setCentralWidget">setCentralWidget() (pyqtgraph.GraphicsView method)</a></dt>
+    <dt><a href="widgets/datatreewidget.html#pyqtgraph.DataTreeWidget.setData">setData() (pyqtgraph.DataTreeWidget method)</a></dt>
+    <dd><dl>
+      <dt><a href="graphicsItems/plotcurveitem.html#pyqtgraph.PlotCurveItem.setData">(pyqtgraph.PlotCurveItem method)</a></dt>
+      <dt><a href="graphicsItems/plotdataitem.html#pyqtgraph.PlotDataItem.setData">(pyqtgraph.PlotDataItem method)</a></dt>
+  </dl></dd>
+    <dt><a href="graphicsItems/axisitem.html#pyqtgraph.AxisItem.setGrid">setGrid() (pyqtgraph.AxisItem method)</a></dt>
+    <dt><a href="graphicsItems/imageitem.html#pyqtgraph.ImageItem.setImage">setImage() (pyqtgraph.ImageItem method)</a></dt>
+    <dd><dl>
+      <dt><a href="widgets/imageview.html#pyqtgraph.ImageView.setImage">(pyqtgraph.ImageView method)</a></dt>
+      <dt><a href="widgets/rawimagewidget.html#pyqtgraph.RawImageWidget.setImage">(pyqtgraph.RawImageWidget method)</a></dt>
+  </dl></dd>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.setLabel">setLabel() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="graphicsItems/gradientlegend.html#pyqtgraph.GradientLegend.setLabels">setLabels() (pyqtgraph.GradientLegend method)</a></dt>
+    <dt><a href="graphicsItems/imageitem.html#pyqtgraph.ImageItem.setLevels">setLevels() (pyqtgraph.ImageItem method)</a></dt>
+    <dt><a href="graphicsItems/imageitem.html#pyqtgraph.ImageItem.setLookupTable">setLookupTable() (pyqtgraph.ImageItem method)</a></dt>
+    <dt><a href="graphicsItems/uigraphicsitem.html#pyqtgraph.UIGraphicsItem.setNewBounds">setNewBounds() (pyqtgraph.UIGraphicsItem method)</a></dt>
+    <dt><a href="graphicsItems/plotdataitem.html#pyqtgraph.PlotDataItem.setPen">setPen() (pyqtgraph.PlotDataItem method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/scatterplotitem.html#pyqtgraph.ScatterPlotItem.setPoints">setPoints() (pyqtgraph.ScatterPlotItem method)</a></dt>
+    <dt><a href="widgets/spinbox.html#pyqtgraph.SpinBox.setProperty">setProperty() (pyqtgraph.SpinBox method)</a></dt>
+    <dt><a href="graphicsItems/imageitem.html#pyqtgraph.ImageItem.setPxMode">setPxMode() (pyqtgraph.ImageItem method)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.setRange">setRange() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="graphicsItems/axisitem.html#pyqtgraph.AxisItem.setScale">setScale() (pyqtgraph.AxisItem method)</a></dt>
+    <dt><a href="graphicsItems/plotdataitem.html#pyqtgraph.PlotDataItem.setShadowPen">setShadowPen() (pyqtgraph.PlotDataItem method)</a></dt>
+    <dt><a href="graphicsItems/labelitem.html#pyqtgraph.LabelItem.setText">setText() (pyqtgraph.LabelItem method)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.setTitle">setTitle() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="widgets/spinbox.html#pyqtgraph.SpinBox.setValue">setValue() (pyqtgraph.SpinBox method)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.setXLink">setXLink() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.setYLink">setYLink() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.showAxis">showAxis() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.showLabel">showLabel() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.siEval">siEval() (in module pyqtgraph)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.siFormat">siFormat() (in module pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.sigRangeChanged">sigRangeChanged (pyqtgraph.PlotItem attribute)</a></dt>
+    <dt><a href="functions.html#pyqtgraph.siScale">siScale() (in module pyqtgraph)</a></dt>
+    <dt><a href="widgets/spinbox.html#pyqtgraph.SpinBox">SpinBox (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="T">T</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/tablewidget.html#pyqtgraph.TableWidget">TableWidget (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.targetRect">targetRect() (pyqtgraph.ViewBox method)</a></dt>
+    <dt><a href="widgets/imageview.html#pyqtgraph.ImageView.timeIndex">timeIndex() (pyqtgraph.ImageView method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/roi.html#pyqtgraph.ROI.translate">translate() (pyqtgraph.ROI method)</a></dt>
+    <dt><a href="widgets/treewidget.html#pyqtgraph.TreeWidget">TreeWidget (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="U">U</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/uigraphicsitem.html#pyqtgraph.UIGraphicsItem">UIGraphicsItem (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.updatePlotList">updatePlotList() (pyqtgraph.PlotItem method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.updateXScale">updateXScale() (pyqtgraph.PlotItem method)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.updateYScale">updateYScale() (pyqtgraph.PlotItem method)</a></dt>
+</dl></td>
+</tr></table>
+
+<h2 id="V">V</h2>
+<table width="100%" class="indextable genindextable"><tr>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="widgets/verticallabel.html#pyqtgraph.VerticalLabel">VerticalLabel (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox">ViewBox (class in pyqtgraph)</a></dt>
+    <dt><a href="graphicsItems/uigraphicsitem.html#pyqtgraph.UIGraphicsItem.viewChangedEvent">viewChangedEvent() (pyqtgraph.UIGraphicsItem method)</a></dt>
+    <dt><a href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.viewGeometry">viewGeometry() (pyqtgraph.PlotItem method)</a></dt>
+</dl></td>
+  <td width="33%" valign="top"><dl>
+    <dt><a href="graphicsItems/uigraphicsitem.html#pyqtgraph.UIGraphicsItem.viewRangeChanged">viewRangeChanged() (pyqtgraph.UIGraphicsItem method)</a></dt>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.viewRect">viewRect() (pyqtgraph.GraphicsObject method)</a></dt>
+    <dd><dl>
+      <dt><a href="widgets/graphicsview.html#pyqtgraph.GraphicsView.viewRect">(pyqtgraph.GraphicsView method)</a></dt>
+      <dt><a href="graphicsItems/viewbox.html#pyqtgraph.ViewBox.viewRect">(pyqtgraph.ViewBox method)</a></dt>
+  </dl></dd>
+    <dt><a href="graphicsItems/graphicsobject.html#pyqtgraph.GraphicsObject.viewTransform">viewTransform() (pyqtgraph.GraphicsObject method)</a></dt>
+    <dt><a href="graphicsItems/vtickgroup.html#pyqtgraph.VTickGroup">VTickGroup (class in pyqtgraph)</a></dt>
+</dl></td>
+</tr></table>
+
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+
+   
+
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="#" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/arrowitem.html b/documentation/build/html/graphicsItems/arrowitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..f6a543e6b2785d1f62f2f716403967fde32a2776
--- /dev/null
+++ b/documentation/build/html/graphicsItems/arrowitem.html
@@ -0,0 +1,132 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ArrowItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="CurvePoint" href="curvepoint.html" />
+    <link rel="prev" title="AxisItem" href="axisitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="curvepoint.html" title="CurvePoint"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="axisitem.html" title="AxisItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="arrowitem">
+<h1>ArrowItem<a class="headerlink" href="#arrowitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ArrowItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ArrowItem</tt><big>(</big><em>**opts</em><big>)</big><a class="headerlink" href="#pyqtgraph.ArrowItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>For displaying scale-invariant arrows.
+For arrows pointing to a location on a curve, see CurveArrow</p>
+<dl class="method">
+<dt id="pyqtgraph.ArrowItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>**opts</em><big>)</big><a class="headerlink" href="#pyqtgraph.ArrowItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="axisitem.html"
+                        title="previous chapter">AxisItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="curvepoint.html"
+                        title="next chapter">CurvePoint</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/arrowitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="curvepoint.html" title="CurvePoint"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="axisitem.html" title="AxisItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/axisitem.html b/documentation/build/html/graphicsItems/axisitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..c370aea290141a6cb436d03e6a93b014cd489cd2
--- /dev/null
+++ b/documentation/build/html/graphicsItems/axisitem.html
@@ -0,0 +1,154 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>AxisItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="ArrowItem" href="arrowitem.html" />
+    <link rel="prev" title="GraphicsLayout" href="graphicslayout.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="arrowitem.html" title="ArrowItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="graphicslayout.html" title="GraphicsLayout"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="axisitem">
+<h1>AxisItem<a class="headerlink" href="#axisitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.AxisItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">AxisItem</tt><big>(</big><em>orientation</em>, <em>pen=None</em>, <em>linkView=None</em>, <em>parent=None</em>, <em>maxTickLength=-5</em><big>)</big><a class="headerlink" href="#pyqtgraph.AxisItem" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.AxisItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>orientation</em>, <em>pen=None</em>, <em>linkView=None</em>, <em>parent=None</em>, <em>maxTickLength=-5</em><big>)</big><a class="headerlink" href="#pyqtgraph.AxisItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><p>GraphicsItem showing a single plot axis with ticks, values, and label.
+Can be configured to fit on any side of a plot, and can automatically synchronize its displayed scale with ViewBox items.
+Ticks can be extended to make a grid.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.AxisItem.setGrid">
+<tt class="descname">setGrid</tt><big>(</big><em>grid</em><big>)</big><a class="headerlink" href="#pyqtgraph.AxisItem.setGrid" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the alpha value for the grid, or False to disable.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.AxisItem.setScale">
+<tt class="descname">setScale</tt><big>(</big><em>scale=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.AxisItem.setScale" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the value scaling for this axis. 
+The scaling value 1) multiplies the values displayed along the axis
+and 2) changes the way units are displayed in the label. 
+For example:</p>
+<blockquote>
+If the axis spans values from -0.1 to 0.1 and has units set to &#8216;V&#8217;
+then a scale of 1000 would cause the axis to display values -100 to 100
+and the units would appear as &#8216;mV&#8217;</blockquote>
+<p>If scale is None, then it will be determined automatically based on the current 
+range displayed by the axis.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="graphicslayout.html"
+                        title="previous chapter">GraphicsLayout</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="arrowitem.html"
+                        title="next chapter">ArrowItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/axisitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="arrowitem.html" title="ArrowItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="graphicslayout.html" title="GraphicsLayout"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/buttonitem.html b/documentation/build/html/graphicsItems/buttonitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..85e06f4e17ff3e21c274fb7f4ba4752e6b143275
--- /dev/null
+++ b/documentation/build/html/graphicsItems/buttonitem.html
@@ -0,0 +1,131 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ButtonItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="GraphicsObject" href="graphicsobject.html" />
+    <link rel="prev" title="GradientLegend" href="gradientlegend.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicsobject.html" title="GraphicsObject"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="gradientlegend.html" title="GradientLegend"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="buttonitem">
+<h1>ButtonItem<a class="headerlink" href="#buttonitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ButtonItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ButtonItem</tt><big>(</big><em>imageFile</em>, <em>width=None</em>, <em>parentItem=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ButtonItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>Button graphicsItem displaying an image.</p>
+<dl class="method">
+<dt id="pyqtgraph.ButtonItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>imageFile</em>, <em>width=None</em>, <em>parentItem=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ButtonItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="gradientlegend.html"
+                        title="previous chapter">GradientLegend</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="graphicsobject.html"
+                        title="next chapter">GraphicsObject</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/buttonitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicsobject.html" title="GraphicsObject"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="gradientlegend.html" title="GradientLegend"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/curvearrow.html b/documentation/build/html/graphicsItems/curvearrow.html
new file mode 100644
index 0000000000000000000000000000000000000000..72605c08505c38a5f5eae370a9150c0e6a59ee00
--- /dev/null
+++ b/documentation/build/html/graphicsItems/curvearrow.html
@@ -0,0 +1,132 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>CurveArrow &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="GridItem" href="griditem.html" />
+    <link rel="prev" title="CurvePoint" href="curvepoint.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="griditem.html" title="GridItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="curvepoint.html" title="CurvePoint"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="curvearrow">
+<h1>CurveArrow<a class="headerlink" href="#curvearrow" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.CurveArrow">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">CurveArrow</tt><big>(</big><em>curve</em>, <em>index=0</em>, <em>pos=None</em>, <em>**opts</em><big>)</big><a class="headerlink" href="#pyqtgraph.CurveArrow" title="Permalink to this definition">¶</a></dt>
+<dd><p>Provides an arrow that points to any specific sample on a PlotCurveItem.
+Provides properties that can be animated.</p>
+<dl class="method">
+<dt id="pyqtgraph.CurveArrow.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>curve</em>, <em>index=0</em>, <em>pos=None</em>, <em>**opts</em><big>)</big><a class="headerlink" href="#pyqtgraph.CurveArrow.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="curvepoint.html"
+                        title="previous chapter">CurvePoint</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="griditem.html"
+                        title="next chapter">GridItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/curvearrow.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="griditem.html" title="GridItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="curvepoint.html" title="CurvePoint"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/curvepoint.html b/documentation/build/html/graphicsItems/curvepoint.html
new file mode 100644
index 0000000000000000000000000000000000000000..a1833226a634103661a23c09e8a8345d90af4401
--- /dev/null
+++ b/documentation/build/html/graphicsItems/curvepoint.html
@@ -0,0 +1,136 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>CurvePoint &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="CurveArrow" href="curvearrow.html" />
+    <link rel="prev" title="ArrowItem" href="arrowitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="curvearrow.html" title="CurveArrow"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="arrowitem.html" title="ArrowItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="curvepoint">
+<h1>CurvePoint<a class="headerlink" href="#curvepoint" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.CurvePoint">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">CurvePoint</tt><big>(</big><em>curve</em>, <em>index=0</em>, <em>pos=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.CurvePoint" title="Permalink to this definition">¶</a></dt>
+<dd><p>A GraphicsItem that sets its location to a point on a PlotCurveItem.
+Also rotates to be tangent to the curve.
+The position along the curve is a Qt property, and thus can be easily animated.</p>
+<p>Note: This class does not display anything; see CurveArrow for an applied example</p>
+<dl class="method">
+<dt id="pyqtgraph.CurvePoint.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>curve</em>, <em>index=0</em>, <em>pos=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.CurvePoint.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><p>Position can be set either as an index referring to the sample number or
+the position 0.0 - 1.0</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="arrowitem.html"
+                        title="previous chapter">ArrowItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="curvearrow.html"
+                        title="next chapter">CurveArrow</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/curvepoint.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="curvearrow.html" title="CurveArrow"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="arrowitem.html" title="ArrowItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/gradienteditoritem.html b/documentation/build/html/graphicsItems/gradienteditoritem.html
new file mode 100644
index 0000000000000000000000000000000000000000..c306126394e37b09ca48bc017142df69edc56016
--- /dev/null
+++ b/documentation/build/html/graphicsItems/gradienteditoritem.html
@@ -0,0 +1,136 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GradientEditorItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="HistogramLUTItem" href="histogramlutitem.html" />
+    <link rel="prev" title="VTickGroup" href="vtickgroup.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="histogramlutitem.html" title="HistogramLUTItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="vtickgroup.html" title="VTickGroup"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="gradienteditoritem">
+<h1>GradientEditorItem<a class="headerlink" href="#gradienteditoritem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GradientEditorItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GradientEditorItem</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.GradientEditorItem" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.GradientEditorItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.GradientEditorItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GradientEditorItem.getLookupTable">
+<tt class="descname">getLookupTable</tt><big>(</big><em>nPts</em>, <em>alpha=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.GradientEditorItem.getLookupTable" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return an RGB/A lookup table.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="vtickgroup.html"
+                        title="previous chapter">VTickGroup</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="histogramlutitem.html"
+                        title="next chapter">HistogramLUTItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/gradienteditoritem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="histogramlutitem.html" title="HistogramLUTItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="vtickgroup.html" title="VTickGroup"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/gradientlegend.html b/documentation/build/html/graphicsItems/gradientlegend.html
new file mode 100644
index 0000000000000000000000000000000000000000..0d949f0b501e91ed237be4c6f18c1e36e2b2fef9
--- /dev/null
+++ b/documentation/build/html/graphicsItems/gradientlegend.html
@@ -0,0 +1,138 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GradientLegend &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="ButtonItem" href="buttonitem.html" />
+    <link rel="prev" title="HistogramLUTItem" href="histogramlutitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="buttonitem.html" title="ButtonItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="histogramlutitem.html" title="HistogramLUTItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="gradientlegend">
+<h1>GradientLegend<a class="headerlink" href="#gradientlegend" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GradientLegend">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GradientLegend</tt><big>(</big><em>view</em>, <em>size</em>, <em>offset</em><big>)</big><a class="headerlink" href="#pyqtgraph.GradientLegend" title="Permalink to this definition">¶</a></dt>
+<dd><p>Draws a color gradient rectangle along with text labels denoting the value at specific 
+points along the gradient.</p>
+<dl class="method">
+<dt id="pyqtgraph.GradientLegend.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>view</em>, <em>size</em>, <em>offset</em><big>)</big><a class="headerlink" href="#pyqtgraph.GradientLegend.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GradientLegend.setLabels">
+<tt class="descname">setLabels</tt><big>(</big><em>l</em><big>)</big><a class="headerlink" href="#pyqtgraph.GradientLegend.setLabels" title="Permalink to this definition">¶</a></dt>
+<dd><p>Defines labels to appear next to the color scale. Accepts a dict of {text: value} pairs</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="histogramlutitem.html"
+                        title="previous chapter">HistogramLUTItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="buttonitem.html"
+                        title="next chapter">ButtonItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/gradientlegend.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="buttonitem.html" title="ButtonItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="histogramlutitem.html" title="HistogramLUTItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/graphicslayout.html b/documentation/build/html/graphicsItems/graphicslayout.html
new file mode 100644
index 0000000000000000000000000000000000000000..6ba6ebf81b4dcb6825145543cfaa849881947e84
--- /dev/null
+++ b/documentation/build/html/graphicsItems/graphicslayout.html
@@ -0,0 +1,144 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GraphicsLayout &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="AxisItem" href="axisitem.html" />
+    <link rel="prev" title="ROI" href="roi.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="axisitem.html" title="AxisItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="roi.html" title="ROI"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="graphicslayout">
+<h1>GraphicsLayout<a class="headerlink" href="#graphicslayout" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GraphicsLayout">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GraphicsLayout</tt><big>(</big><em>parent=None</em>, <em>border=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsLayout" title="Permalink to this definition">¶</a></dt>
+<dd><p>Used for laying out GraphicsWidgets in a grid.</p>
+<dl class="method">
+<dt id="pyqtgraph.GraphicsLayout.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>border=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsLayout.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsLayout.nextCol">
+<tt class="descname">nextCol</tt><big>(</big><em>colspan=1</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsLayout.nextCol" title="Permalink to this definition">¶</a></dt>
+<dd><p>Advance to next column, while returning the current column number 
+(generally only for internal use&#8211;called by addItem)</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsLayout.nextRow">
+<tt class="descname">nextRow</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsLayout.nextRow" title="Permalink to this definition">¶</a></dt>
+<dd><p>Advance to next row for automatic item placement</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="roi.html"
+                        title="previous chapter">ROI</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="axisitem.html"
+                        title="next chapter">AxisItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/graphicslayout.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="axisitem.html" title="AxisItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="roi.html" title="ROI"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/graphicsobject.html b/documentation/build/html/graphicsItems/graphicsobject.html
new file mode 100644
index 0000000000000000000000000000000000000000..ad3dcd5fd3525a6e5d203f00c306b8d1967eedd5
--- /dev/null
+++ b/documentation/build/html/graphicsItems/graphicsobject.html
@@ -0,0 +1,189 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GraphicsObject &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="GraphicsWidget" href="graphicswidget.html" />
+    <link rel="prev" title="ButtonItem" href="buttonitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicswidget.html" title="GraphicsWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="buttonitem.html" title="ButtonItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="graphicsobject">
+<h1>GraphicsObject<a class="headerlink" href="#graphicsobject" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GraphicsObject">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GraphicsObject</tt><big>(</big><em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject" title="Permalink to this definition">¶</a></dt>
+<dd><p>Extends QGraphicsObject with a few important functions. 
+(Most of these assume that the object is in a scene with a single view)</p>
+<p>This class also generates a cache of the Qt-internal addresses of each item
+so that GraphicsScene.items() can return the correct objects (this is a PyQt bug)</p>
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.deviceTransform">
+<tt class="descname">deviceTransform</tt><big>(</big><em>viewportTransform=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.deviceTransform" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the transform that converts item coordinates to device coordinates (usually pixels).
+Extends deviceTransform to automatically determine the viewportTransform.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.getBoundingParents">
+<tt class="descname">getBoundingParents</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.getBoundingParents" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return a list of parents to this item that have child clipping enabled.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.getViewBox">
+<tt class="descname">getViewBox</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.getViewBox" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the first ViewBox or GraphicsView which bounds this item&#8217;s visible space.
+If this item is not contained within a ViewBox, then the GraphicsView is returned.
+If the item is contained inside nested ViewBoxes, then the inner-most ViewBox is returned.
+The result is cached; clear the cache with forgetViewBox()</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.getViewWidget">
+<tt class="descname">getViewWidget</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.getViewWidget" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the view widget for this item. If the scene has multiple views, only the first view is returned.
+The return value is cached; clear the cached value with forgetViewWidget()</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.pixelLength">
+<tt class="descname">pixelLength</tt><big>(</big><em>direction</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.pixelLength" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the length of one pixel in the direction indicated (in local coordinates)</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.pixelVectors">
+<tt class="descname">pixelVectors</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.pixelVectors" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return vectors in local coordinates representing the width and height of a view pixel.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.viewRect">
+<tt class="descname">viewRect</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.viewRect" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the bounds (in item coordinates) of this item&#8217;s ViewBox or GraphicsWidget</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsObject.viewTransform">
+<tt class="descname">viewTransform</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsObject.viewTransform" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the transform that maps from local coordinates to the item&#8217;s ViewBox coordinates
+If there is no ViewBox, return the scene transform.
+Returns None if the item does not have a view.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="buttonitem.html"
+                        title="previous chapter">ButtonItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="graphicswidget.html"
+                        title="next chapter">GraphicsWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/graphicsobject.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicswidget.html" title="GraphicsWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="buttonitem.html" title="ButtonItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/graphicswidget.html b/documentation/build/html/graphicsItems/graphicswidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..d0283c97262f496f7b47601830b934b27f74b19d
--- /dev/null
+++ b/documentation/build/html/graphicsItems/graphicswidget.html
@@ -0,0 +1,132 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GraphicsWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="UIGraphicsItem" href="uigraphicsitem.html" />
+    <link rel="prev" title="GraphicsObject" href="graphicsobject.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="uigraphicsitem.html" title="UIGraphicsItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="graphicsobject.html" title="GraphicsObject"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="graphicswidget">
+<h1>GraphicsWidget<a class="headerlink" href="#graphicswidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GraphicsWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GraphicsWidget</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsWidget" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.GraphicsWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><p>Extends QGraphicsWidget with a workaround for a PyQt bug. 
+This class is otherwise identical to QGraphicsWidget.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="graphicsobject.html"
+                        title="previous chapter">GraphicsObject</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="uigraphicsitem.html"
+                        title="next chapter">UIGraphicsItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/graphicswidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="uigraphicsitem.html" title="UIGraphicsItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="graphicsobject.html" title="GraphicsObject"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/griditem.html b/documentation/build/html/graphicsItems/griditem.html
new file mode 100644
index 0000000000000000000000000000000000000000..8abbf11f4af688b2acadac2884ba211392ef98ff
--- /dev/null
+++ b/documentation/build/html/graphicsItems/griditem.html
@@ -0,0 +1,132 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GridItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="ScaleBar" href="scalebar.html" />
+    <link rel="prev" title="CurveArrow" href="curvearrow.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="scalebar.html" title="ScaleBar"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="curvearrow.html" title="CurveArrow"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="griditem">
+<h1>GridItem<a class="headerlink" href="#griditem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GridItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GridItem</tt><a class="headerlink" href="#pyqtgraph.GridItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>Displays a rectangular grid of lines indicating major divisions within a coordinate system.
+Automatically determines what divisions to use.</p>
+<dl class="method">
+<dt id="pyqtgraph.GridItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GridItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="curvearrow.html"
+                        title="previous chapter">CurveArrow</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="scalebar.html"
+                        title="next chapter">ScaleBar</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/griditem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="scalebar.html" title="ScaleBar"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="curvearrow.html" title="CurveArrow"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/histogramlutitem.html b/documentation/build/html/graphicsItems/histogramlutitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..529876dc68d793368f1122ba76455022eeb6e2d0
--- /dev/null
+++ b/documentation/build/html/graphicsItems/histogramlutitem.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>HistogramLUTItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="GradientLegend" href="gradientlegend.html" />
+    <link rel="prev" title="GradientEditorItem" href="gradienteditoritem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="gradientlegend.html" title="GradientLegend"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="gradienteditoritem.html" title="GradientEditorItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="histogramlutitem">
+<h1>HistogramLUTItem<a class="headerlink" href="#histogramlutitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.HistogramLUTItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">HistogramLUTItem</tt><big>(</big><em>image=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.HistogramLUTItem" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.HistogramLUTItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>image=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.HistogramLUTItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="gradienteditoritem.html"
+                        title="previous chapter">GradientEditorItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="gradientlegend.html"
+                        title="next chapter">GradientLegend</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/histogramlutitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="gradientlegend.html" title="GradientLegend"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="gradienteditoritem.html" title="GradientEditorItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/imageitem.html b/documentation/build/html/graphicsItems/imageitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..e4a2aff2e1b4fe9565bb823f9b7c86e7f7c830ba
--- /dev/null
+++ b/documentation/build/html/graphicsItems/imageitem.html
@@ -0,0 +1,184 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ImageItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="ViewBox" href="viewbox.html" />
+    <link rel="prev" title="PlotItem" href="plotitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="viewbox.html" title="ViewBox"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="plotitem.html" title="PlotItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="imageitem">
+<h1>ImageItem<a class="headerlink" href="#imageitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ImageItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ImageItem</tt><big>(</big><em>image=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>GraphicsObject displaying an image. Optimized for rapid update (ie video display)</p>
+<dl class="method">
+<dt id="pyqtgraph.ImageItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>image=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><p>See setImage for all allowed arguments.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageItem.getHistogram">
+<tt class="descname">getHistogram</tt><big>(</big><em>bins=500</em>, <em>step=3</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageItem.getHistogram" title="Permalink to this definition">¶</a></dt>
+<dd><p>returns x and y arrays containing the histogram values for the current image.
+The step argument causes pixels to be skipped when computing the histogram to save time.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageItem.pixelSize">
+<tt class="descname">pixelSize</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.ImageItem.pixelSize" title="Permalink to this definition">¶</a></dt>
+<dd><p>return scene-size of a single pixel in the image</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageItem.setImage">
+<tt class="descname">setImage</tt><big>(</big><em>image=None</em>, <em>autoLevels=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageItem.setImage" title="Permalink to this definition">¶</a></dt>
+<dd><p>Update the image displayed by this item.
+Arguments:</p>
+<blockquote>
+image
+autoLevels
+lut
+levels
+opacity
+compositionMode
+border</blockquote>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageItem.setLevels">
+<tt class="descname">setLevels</tt><big>(</big><em>levels</em>, <em>update=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageItem.setLevels" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="docutils">
+<dt>Set image scaling levels. Can be one of: </dt>
+<dd>[blackLevel, whiteLevel]
+[[minRed, maxRed], [minGreen, maxGreen], [minBlue, maxBlue]]</dd>
+</dl>
+<p>Only the first format is compatible with lookup tables.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageItem.setLookupTable">
+<tt class="descname">setLookupTable</tt><big>(</big><em>lut</em>, <em>update=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageItem.setLookupTable" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the lookup table to use for this image. (see functions.makeARGB for more information on how this is used)
+Optionally, lut can be a callable that accepts the current image as an argument and returns the lookup table to use.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageItem.setPxMode">
+<tt class="descname">setPxMode</tt><big>(</big><em>b</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageItem.setPxMode" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set whether the item ignores transformations and draws directly to screen pixels.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="plotitem.html"
+                        title="previous chapter">PlotItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="viewbox.html"
+                        title="next chapter">ViewBox</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/imageitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="viewbox.html" title="ViewBox"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="plotitem.html" title="PlotItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/index.html b/documentation/build/html/graphicsItems/index.html
new file mode 100644
index 0000000000000000000000000000000000000000..7d8fbe62246390e81b09573b731490ecbc2ef297
--- /dev/null
+++ b/documentation/build/html/graphicsItems/index.html
@@ -0,0 +1,149 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Pyqtgraph’s Graphics Items &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="API Reference" href="../apireference.html" />
+    <link rel="next" title="PlotDataItem" href="plotdataitem.html" />
+    <link rel="prev" title="Pyqtgraph’s Helper Functions" href="../functions.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotdataitem.html" title="PlotDataItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="../functions.html" title="Pyqtgraph’s Helper Functions"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" accesskey="U">API Reference</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="pyqtgraph-s-graphics-items">
+<h1>Pyqtgraph&#8217;s Graphics Items<a class="headerlink" href="#pyqtgraph-s-graphics-items" title="Permalink to this headline">¶</a></h1>
+<p>Since pyqtgraph relies on Qt&#8217;s GraphicsView framework, most of its graphics functionality is implemented as QGraphicsItem subclasses. This has two important consequences: 1) virtually anything you want to draw can be easily accomplished using the functionality provided by Qt. 2) Many of pyqtgraph&#8217;s GraphicsItem classes can be used in any normal QGraphicsScene.</p>
+<p>Contents:</p>
+<div class="toctree-wrapper compound">
+<ul>
+<li class="toctree-l1"><a class="reference internal" href="plotdataitem.html">PlotDataItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="plotcurveitem.html">PlotCurveItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="scatterplotitem.html">ScatterPlotItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="plotitem.html">PlotItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="imageitem.html">ImageItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="viewbox.html">ViewBox</a></li>
+<li class="toctree-l1"><a class="reference internal" href="linearregionitem.html">LinearRegionItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="infiniteline.html">InfiniteLine</a></li>
+<li class="toctree-l1"><a class="reference internal" href="roi.html">ROI</a></li>
+<li class="toctree-l1"><a class="reference internal" href="graphicslayout.html">GraphicsLayout</a></li>
+<li class="toctree-l1"><a class="reference internal" href="axisitem.html">AxisItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="arrowitem.html">ArrowItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="curvepoint.html">CurvePoint</a></li>
+<li class="toctree-l1"><a class="reference internal" href="curvearrow.html">CurveArrow</a></li>
+<li class="toctree-l1"><a class="reference internal" href="griditem.html">GridItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="scalebar.html">ScaleBar</a></li>
+<li class="toctree-l1"><a class="reference internal" href="labelitem.html">LabelItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="vtickgroup.html">VTickGroup</a></li>
+<li class="toctree-l1"><a class="reference internal" href="gradienteditoritem.html">GradientEditorItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="histogramlutitem.html">HistogramLUTItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="gradientlegend.html">GradientLegend</a></li>
+<li class="toctree-l1"><a class="reference internal" href="buttonitem.html">ButtonItem</a></li>
+<li class="toctree-l1"><a class="reference internal" href="graphicsobject.html">GraphicsObject</a></li>
+<li class="toctree-l1"><a class="reference internal" href="graphicswidget.html">GraphicsWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="uigraphicsitem.html">UIGraphicsItem</a></li>
+</ul>
+</div>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="../functions.html"
+                        title="previous chapter">Pyqtgraph&#8217;s Helper Functions</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="plotdataitem.html"
+                        title="next chapter">PlotDataItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/index.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotdataitem.html" title="PlotDataItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="../functions.html" title="Pyqtgraph’s Helper Functions"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/infiniteline.html b/documentation/build/html/graphicsItems/infiniteline.html
new file mode 100644
index 0000000000000000000000000000000000000000..0f7b3630c9b1b4c11943c3d66b6c743a83ca72b7
--- /dev/null
+++ b/documentation/build/html/graphicsItems/infiniteline.html
@@ -0,0 +1,155 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>InfiniteLine &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="ROI" href="roi.html" />
+    <link rel="prev" title="LinearRegionItem" href="linearregionitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="roi.html" title="ROI"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="linearregionitem.html" title="LinearRegionItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="infiniteline">
+<h1>InfiniteLine<a class="headerlink" href="#infiniteline" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.InfiniteLine">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">InfiniteLine</tt><big>(</big><em>pos=None</em>, <em>angle=90</em>, <em>pen=None</em>, <em>movable=False</em>, <em>bounds=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.InfiniteLine" title="Permalink to this definition">¶</a></dt>
+<dd><p>Displays a line of infinite length.
+This line may be dragged to indicate a position in data coordinates.</p>
+<dl class="method">
+<dt id="pyqtgraph.InfiniteLine.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>pos=None</em>, <em>angle=90</em>, <em>pen=None</em>, <em>movable=False</em>, <em>bounds=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.InfiniteLine.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="docutils">
+<dt>Initialization options:</dt>
+<dd>pos      - Position of the line. This can be a QPointF or a single value for vertical/horizontal lines.
+angle    - Angle of line in degrees. 0 is horizontal, 90 is vertical.
+pen      - Pen to use when drawing line
+movable  - If True, the line can be dragged to a new position by the user
+bounds   - Optional [min, max] bounding values. Bounds are only valid if the line is vertical or horizontal.</dd>
+</dl>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.InfiniteLine.setAngle">
+<tt class="descname">setAngle</tt><big>(</big><em>angle</em><big>)</big><a class="headerlink" href="#pyqtgraph.InfiniteLine.setAngle" title="Permalink to this definition">¶</a></dt>
+<dd><p>Takes angle argument in degrees.
+0 is horizontal; 90 is vertical.</p>
+<p>Note that the use of value() and setValue() changes if the line is 
+not vertical or horizontal.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.InfiniteLine.setBounds">
+<tt class="descname">setBounds</tt><big>(</big><em>bounds</em><big>)</big><a class="headerlink" href="#pyqtgraph.InfiniteLine.setBounds" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the (minimum, maximum) allowable values when dragging.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="linearregionitem.html"
+                        title="previous chapter">LinearRegionItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="roi.html"
+                        title="next chapter">ROI</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/infiniteline.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="roi.html" title="ROI"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="linearregionitem.html" title="LinearRegionItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/labelitem.html b/documentation/build/html/graphicsItems/labelitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..058fd7da8d743ad29254a1a98017a68d63e148af
--- /dev/null
+++ b/documentation/build/html/graphicsItems/labelitem.html
@@ -0,0 +1,154 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>LabelItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="VTickGroup" href="vtickgroup.html" />
+    <link rel="prev" title="ScaleBar" href="scalebar.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="vtickgroup.html" title="VTickGroup"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="scalebar.html" title="ScaleBar"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="labelitem">
+<h1>LabelItem<a class="headerlink" href="#labelitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.LabelItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">LabelItem</tt><big>(</big><em>text</em>, <em>parent=None</em>, <em>**args</em><big>)</big><a class="headerlink" href="#pyqtgraph.LabelItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>GraphicsWidget displaying text.
+Used mainly as axis labels, titles, etc.</p>
+<dl class="docutils">
+<dt>Note: To display text inside a scaled view (ViewBox, PlotWidget, etc) use QGraphicsTextItem</dt>
+<dd>with the flag ItemIgnoresTransformations set.</dd>
+</dl>
+<dl class="method">
+<dt id="pyqtgraph.LabelItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>text</em>, <em>parent=None</em>, <em>**args</em><big>)</big><a class="headerlink" href="#pyqtgraph.LabelItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.LabelItem.setAttr">
+<tt class="descname">setAttr</tt><big>(</big><em>attr</em>, <em>value</em><big>)</big><a class="headerlink" href="#pyqtgraph.LabelItem.setAttr" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set default text properties. See setText() for accepted parameters.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.LabelItem.setText">
+<tt class="descname">setText</tt><big>(</big><em>text</em>, <em>**args</em><big>)</big><a class="headerlink" href="#pyqtgraph.LabelItem.setText" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the text and text properties in the label. Accepts optional arguments for auto-generating
+a CSS style string:</p>
+<blockquote>
+color:   string (example: &#8216;CCFF00&#8217;)
+size:    string (example: &#8216;8pt&#8217;)
+bold:    boolean
+italic:  boolean</blockquote>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="scalebar.html"
+                        title="previous chapter">ScaleBar</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="vtickgroup.html"
+                        title="next chapter">VTickGroup</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/labelitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="vtickgroup.html" title="VTickGroup"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="scalebar.html" title="ScaleBar"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/linearregionitem.html b/documentation/build/html/graphicsItems/linearregionitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..70795d12f4fbedd8549fa9f80b9f7562c93866c7
--- /dev/null
+++ b/documentation/build/html/graphicsItems/linearregionitem.html
@@ -0,0 +1,138 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>LinearRegionItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="InfiniteLine" href="infiniteline.html" />
+    <link rel="prev" title="ViewBox" href="viewbox.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="infiniteline.html" title="InfiniteLine"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="viewbox.html" title="ViewBox"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="linearregionitem">
+<h1>LinearRegionItem<a class="headerlink" href="#linearregionitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.LinearRegionItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">LinearRegionItem</tt><big>(</big><em>values=</em><span class="optional">[</span>, <em>0</em>, <em>1</em><span class="optional">]</span>, <em>orientation=None</em>, <em>brush=None</em>, <em>movable=True</em>, <em>bounds=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.LinearRegionItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>Used for marking a horizontal or vertical region in plots.
+The region can be dragged and is bounded by lines which can be dragged individually.</p>
+<dl class="method">
+<dt id="pyqtgraph.LinearRegionItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>values=</em><span class="optional">[</span>, <em>0</em>, <em>1</em><span class="optional">]</span>, <em>orientation=None</em>, <em>brush=None</em>, <em>movable=True</em>, <em>bounds=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.LinearRegionItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.LinearRegionItem.getRegion">
+<tt class="descname">getRegion</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.LinearRegionItem.getRegion" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the values at the edges of the region.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="viewbox.html"
+                        title="previous chapter">ViewBox</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="infiniteline.html"
+                        title="next chapter">InfiniteLine</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/linearregionitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="infiniteline.html" title="InfiniteLine"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="viewbox.html" title="ViewBox"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/plotcurveitem.html b/documentation/build/html/graphicsItems/plotcurveitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..a25868792489d6e38b4e22893ec9bd80b16a60d2
--- /dev/null
+++ b/documentation/build/html/graphicsItems/plotcurveitem.html
@@ -0,0 +1,141 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>PlotCurveItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="ScatterPlotItem" href="scatterplotitem.html" />
+    <link rel="prev" title="PlotDataItem" href="plotdataitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="scatterplotitem.html" title="ScatterPlotItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="plotdataitem.html" title="PlotDataItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="plotcurveitem">
+<h1>PlotCurveItem<a class="headerlink" href="#plotcurveitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.PlotCurveItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">PlotCurveItem</tt><big>(</big><em>y=None</em>, <em>x=None</em>, <em>fillLevel=None</em>, <em>copy=False</em>, <em>pen=None</em>, <em>shadowPen=None</em>, <em>brush=None</em>, <em>parent=None</em>, <em>color=None</em>, <em>clickable=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotCurveItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>Class representing a single plot curve. Provides:
+- Fast data update
+- FFT display mode
+- shadow pen
+- mouse interaction</p>
+<dl class="method">
+<dt id="pyqtgraph.PlotCurveItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>y=None</em>, <em>x=None</em>, <em>fillLevel=None</em>, <em>copy=False</em>, <em>pen=None</em>, <em>shadowPen=None</em>, <em>brush=None</em>, <em>parent=None</em>, <em>color=None</em>, <em>clickable=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotCurveItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotCurveItem.setData">
+<tt class="descname">setData</tt><big>(</big><em>x</em>, <em>y</em>, <em>copy=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotCurveItem.setData" title="Permalink to this definition">¶</a></dt>
+<dd><p>For Qwt compatibility</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="plotdataitem.html"
+                        title="previous chapter">PlotDataItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="scatterplotitem.html"
+                        title="next chapter">ScatterPlotItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/plotcurveitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="scatterplotitem.html" title="ScatterPlotItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="plotdataitem.html" title="PlotDataItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/plotdataitem.html b/documentation/build/html/graphicsItems/plotdataitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..e0f95a14eb891bf65137d290207442526f2d17e9
--- /dev/null
+++ b/documentation/build/html/graphicsItems/plotdataitem.html
@@ -0,0 +1,289 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>PlotDataItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="PlotCurveItem" href="plotcurveitem.html" />
+    <link rel="prev" title="Pyqtgraph’s Graphics Items" href="index.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotcurveitem.html" title="PlotCurveItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="index.html" title="Pyqtgraph’s Graphics Items"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="plotdataitem">
+<h1>PlotDataItem<a class="headerlink" href="#plotdataitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.PlotDataItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">PlotDataItem</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotDataItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>GraphicsItem for displaying plot curves, scatter plots, or both.</p>
+<dl class="method">
+<dt id="pyqtgraph.PlotDataItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotDataItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><p>There are many different ways to create a PlotDataItem:</p>
+<p>Data initialization: (x,y data only)</p>
+<blockquote>
+<table border="1" class="docutils">
+<colgroup>
+<col width="33%" />
+<col width="67%" />
+</colgroup>
+<tbody valign="top">
+<tr><td>PlotDataItem(xValues, yValues)</td>
+<td>x and y values may be any sequence (including ndarray) of real numbers</td>
+</tr>
+<tr><td>PlotDataItem(yValues)</td>
+<td>y values only &#8211; x will be automatically set to range(len(y))</td>
+</tr>
+<tr><td>PlotDataItem(x=xValues, y=yValues)</td>
+<td>x and y given by keyword arguments</td>
+</tr>
+<tr><td>PlotDataItem(ndarray(Nx2))</td>
+<td>numpy array with shape (N, 2) where x=data[:,0] and y=data[:,1]</td>
+</tr>
+</tbody>
+</table>
+</blockquote>
+<p>Data initialization: (x,y data AND may include spot style)</p>
+<blockquote>
+<table border="1" class="docutils">
+<colgroup>
+<col width="32%" />
+<col width="68%" />
+</colgroup>
+<tbody valign="top">
+<tr><td>PlotDataItem(recarray)</td>
+<td>numpy array with dtype=[(&#8216;x&#8217;, float), (&#8216;y&#8217;, float), ...]</td>
+</tr>
+<tr><td>PlotDataItem(list-of-dicts)</td>
+<td>[{&#8216;x&#8217;: x, &#8216;y&#8217;: y, ...},   ...]</td>
+</tr>
+<tr><td>PlotDataItem(dict-of-lists)</td>
+<td>{&#8216;x&#8217;: [...], &#8216;y&#8217;: [...],  ...}</td>
+</tr>
+<tr><td>PlotDataItem(MetaArray)</td>
+<td>1D array of Y values with X sepecified as axis values
+OR 2D array with a column &#8216;y&#8217; and extra columns as needed.</td>
+</tr>
+</tbody>
+</table>
+</blockquote>
+<p>Line style keyword arguments:</p>
+<blockquote>
+<table border="1" class="docutils">
+<colgroup>
+<col width="8%" />
+<col width="92%" />
+</colgroup>
+<tbody valign="top">
+<tr><td>pen</td>
+<td>pen to use for drawing line between points. Default is solid grey, 1px width. Use None to disable line drawing.</td>
+</tr>
+<tr><td>shadowPen</td>
+<td>pen for secondary line to draw behind the primary line. disabled by default.</td>
+</tr>
+<tr><td>fillLevel</td>
+<td>fill the area between the curve and fillLevel</td>
+</tr>
+<tr><td>fillBrush</td>
+<td>fill to use when fillLevel is specified</td>
+</tr>
+</tbody>
+</table>
+</blockquote>
+<p>Point style keyword arguments:</p>
+<blockquote>
+<table border="1" class="docutils">
+<colgroup>
+<col width="12%" />
+<col width="88%" />
+</colgroup>
+<tbody valign="top">
+<tr><td>symbol</td>
+<td>symbol to use for drawing points OR list of symbols, one per point. Default is no symbol.
+options are o, s, t, d, +</td>
+</tr>
+<tr><td>symbolPen</td>
+<td>outline pen for drawing points OR list of pens, one per point</td>
+</tr>
+<tr><td>symbolBrush</td>
+<td>brush for filling points OR list of brushes, one per point</td>
+</tr>
+<tr><td>symbolSize</td>
+<td>diameter of symbols OR list of diameters</td>
+</tr>
+<tr><td>pxMode</td>
+<td>(bool) If True, then symbolSize is specified in pixels. If False, then symbolSize is
+specified in data coordinates.</td>
+</tr>
+</tbody>
+</table>
+</blockquote>
+<p>Optimization keyword arguments:</p>
+<blockquote>
+<table border="1" class="docutils">
+<colgroup>
+<col width="10%" />
+<col width="90%" />
+</colgroup>
+<tbody valign="top">
+<tr><td>identical</td>
+<td>spots are all identical. The spot image will be rendered only once and repeated for every point</td>
+</tr>
+<tr><td>decimate</td>
+<td>(int) decimate data</td>
+</tr>
+</tbody>
+</table>
+</blockquote>
+<p>Meta-info keyword arguments:</p>
+<blockquote>
+<table border="1" class="docutils">
+<colgroup>
+<col width="17%" />
+<col width="83%" />
+</colgroup>
+<tbody valign="top">
+<tr><td>name</td>
+<td>name of dataset. This would appear in a legend</td>
+</tr>
+</tbody>
+</table>
+</blockquote>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotDataItem.setData">
+<tt class="descname">setData</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotDataItem.setData" title="Permalink to this definition">¶</a></dt>
+<dd><p>Clear any data displayed by this item and display new data.
+See <a class="reference internal" href="#pyqtgraph.PlotDataItem.__init__" title="pyqtgraph.PlotDataItem.__init__"><tt class="xref py py-func docutils literal"><span class="pre">__init__()</span></tt></a> for details; it accepts the same arguments.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotDataItem.setPen">
+<tt class="descname">setPen</tt><big>(</big><em>pen</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotDataItem.setPen" title="Permalink to this definition">¶</a></dt>
+<dd><div class="line-block">
+<div class="line">Sets the pen used to draw lines between points.</div>
+<div class="line"><em>pen</em> can be a QPen or any argument accepted by <a class="reference internal" href="../functions.html#pyqtgraph.mkPen" title="pyqtgraph.mkPen"><tt class="xref py py-func docutils literal"><span class="pre">pyqtgraph.mkPen()</span></tt></a></div>
+</div>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotDataItem.setShadowPen">
+<tt class="descname">setShadowPen</tt><big>(</big><em>pen</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotDataItem.setShadowPen" title="Permalink to this definition">¶</a></dt>
+<dd><div class="line-block">
+<div class="line">Sets the shadow pen used to draw lines between points (this is for enhancing contrast or 
+emphacizing data). </div>
+<div class="line">This line is drawn behind the primary pen (see <a class="reference internal" href="#pyqtgraph.PlotDataItem.setPen" title="pyqtgraph.PlotDataItem.setPen"><tt class="xref py py-func docutils literal"><span class="pre">setPen()</span></tt></a>)
+and should generally be assigned greater width than the primary pen.</div>
+<div class="line"><em>pen</em> can be a QPen or any argument accepted by <a class="reference internal" href="../functions.html#pyqtgraph.mkPen" title="pyqtgraph.mkPen"><tt class="xref py py-func docutils literal"><span class="pre">pyqtgraph.mkPen()</span></tt></a></div>
+</div>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="index.html"
+                        title="previous chapter">Pyqtgraph&#8217;s Graphics Items</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="plotcurveitem.html"
+                        title="next chapter">PlotCurveItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/plotdataitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotcurveitem.html" title="PlotCurveItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="index.html" title="Pyqtgraph’s Graphics Items"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/plotitem.html b/documentation/build/html/graphicsItems/plotitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..9c07f96485deda99e47a3f577d23ec40fda09d43
--- /dev/null
+++ b/documentation/build/html/graphicsItems/plotitem.html
@@ -0,0 +1,245 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>PlotItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="ImageItem" href="imageitem.html" />
+    <link rel="prev" title="ScatterPlotItem" href="scatterplotitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="imageitem.html" title="ImageItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="scatterplotitem.html" title="ScatterPlotItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="plotitem">
+<h1>PlotItem<a class="headerlink" href="#plotitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.PlotItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">PlotItem</tt><big>(</big><em>parent=None</em>, <em>name=None</em>, <em>labels=None</em>, <em>title=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.PlotItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>name=None</em>, <em>labels=None</em>, <em>title=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.addAvgCurve">
+<tt class="descname">addAvgCurve</tt><big>(</big><em>curve</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.addAvgCurve" title="Permalink to this definition">¶</a></dt>
+<dd><p>Add a single curve into the pool of curves averaged together</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.enableAutoScale">
+<tt class="descname">enableAutoScale</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.enableAutoScale" title="Permalink to this definition">¶</a></dt>
+<dd><p>Enable auto-scaling. The plot will continuously scale to fit the boundaries of its data.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.linkXChanged">
+<tt class="descname">linkXChanged</tt><big>(</big><em>plot</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.linkXChanged" title="Permalink to this definition">¶</a></dt>
+<dd><p>Called when a linked plot has changed its X scale</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.linkYChanged">
+<tt class="descname">linkYChanged</tt><big>(</big><em>plot</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.linkYChanged" title="Permalink to this definition">¶</a></dt>
+<dd><p>Called when a linked plot has changed its Y scale</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.plot">
+<tt class="descname">plot</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.plot" title="Permalink to this definition">¶</a></dt>
+<dd><p>Add and return a new plot.
+See PlotDataItem.__init__ for data arguments</p>
+<dl class="docutils">
+<dt>Extra allowed arguments are:</dt>
+<dd>clear    - clear all plots before displaying new data
+params   - meta-parameters to associate with this data</dd>
+</dl>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.setLabel">
+<tt class="descname">setLabel</tt><big>(</big><em>axis</em>, <em>text=None</em>, <em>units=None</em>, <em>unitPrefix=None</em>, <em>**args</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.setLabel" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the label for an axis. Basic HTML formatting is allowed.
+Arguments:</p>
+<blockquote>
+<p>axis  - must be one of &#8216;left&#8217;, &#8216;bottom&#8217;, &#8216;right&#8217;, or &#8216;top&#8217;
+text  - text to display along the axis. HTML allowed.
+units - units to display after the title. If units are given,</p>
+<blockquote>
+then an SI prefix will be automatically appended
+and the axis values will be scaled accordingly.
+(ie, use &#8216;V&#8217; instead of &#8216;mV&#8217;; &#8216;m&#8217; will be added automatically)</blockquote>
+</blockquote>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.setTitle">
+<tt class="descname">setTitle</tt><big>(</big><em>title=None</em>, <em>**args</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.setTitle" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the title of the plot. Basic HTML formatting is allowed.
+If title is None, then the title will be hidden.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.setXLink">
+<tt class="descname">setXLink</tt><big>(</big><em>plot=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.setXLink" title="Permalink to this definition">¶</a></dt>
+<dd><p>Link this plot&#8217;s X axis to another plot (pass either the PlotItem/PlotWidget or the registered name of the plot)</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.setYLink">
+<tt class="descname">setYLink</tt><big>(</big><em>plot=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.setYLink" title="Permalink to this definition">¶</a></dt>
+<dd><p>Link this plot&#8217;s Y axis to another plot (pass either the PlotItem/PlotWidget or the registered name of the plot)</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.showAxis">
+<tt class="descname">showAxis</tt><big>(</big><em>axis</em>, <em>show=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.showAxis" title="Permalink to this definition">¶</a></dt>
+<dd><p>Show or hide one of the plot&#8217;s axes.
+axis must be one of &#8216;left&#8217;, &#8216;bottom&#8217;, &#8216;right&#8217;, or &#8216;top&#8217;</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.showLabel">
+<tt class="descname">showLabel</tt><big>(</big><em>axis</em>, <em>show=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.showLabel" title="Permalink to this definition">¶</a></dt>
+<dd><p>Show or hide one of the plot&#8217;s axis labels (the axis itself will be unaffected).
+axis must be one of &#8216;left&#8217;, &#8216;bottom&#8217;, &#8216;right&#8217;, or &#8216;top&#8217;</p>
+</dd></dl>
+
+<dl class="attribute">
+<dt id="pyqtgraph.PlotItem.sigRangeChanged">
+<tt class="descname">sigRangeChanged</tt><a class="headerlink" href="#pyqtgraph.PlotItem.sigRangeChanged" title="Permalink to this definition">¶</a></dt>
+<dd><p>Plot graphics item that can be added to any graphics scene. Implements axis titles, scales, interactive viewbox.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.updatePlotList">
+<tt class="descname">updatePlotList</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.updatePlotList" title="Permalink to this definition">¶</a></dt>
+<dd><p>Update the list of all plotWidgets in the &#8220;link&#8221; combos</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.updateXScale">
+<tt class="descname">updateXScale</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.updateXScale" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set plot to autoscale or not depending on state of radio buttons</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.updateYScale">
+<tt class="descname">updateYScale</tt><big>(</big><em>b=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.updateYScale" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set plot to autoscale or not depending on state of radio buttons</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.PlotItem.viewGeometry">
+<tt class="descname">viewGeometry</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.PlotItem.viewGeometry" title="Permalink to this definition">¶</a></dt>
+<dd><p>return the screen geometry of the viewbox</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="scatterplotitem.html"
+                        title="previous chapter">ScatterPlotItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="imageitem.html"
+                        title="next chapter">ImageItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/plotitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="imageitem.html" title="ImageItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="scatterplotitem.html" title="ScatterPlotItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/roi.html b/documentation/build/html/graphicsItems/roi.html
new file mode 100644
index 0000000000000000000000000000000000000000..111304f4bef857b7a15dc5c52c59ff5c72c97a8b
--- /dev/null
+++ b/documentation/build/html/graphicsItems/roi.html
@@ -0,0 +1,185 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ROI &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="GraphicsLayout" href="graphicslayout.html" />
+    <link rel="prev" title="InfiniteLine" href="infiniteline.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicslayout.html" title="GraphicsLayout"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="infiniteline.html" title="InfiniteLine"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="roi">
+<h1>ROI<a class="headerlink" href="#roi" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ROI">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ROI</tt><big>(</big><em>pos</em>, <em>size=Point(1.000000</em>, <em>1.000000)</em>, <em>angle=0.0</em>, <em>invertible=False</em>, <em>maxBounds=None</em>, <em>snapSize=1.0</em>, <em>scaleSnap=False</em>, <em>translateSnap=False</em>, <em>rotateSnap=False</em>, <em>parent=None</em>, <em>pen=None</em>, <em>movable=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.ROI" title="Permalink to this definition">¶</a></dt>
+<dd><p>Generic region-of-interest widget. 
+Can be used for implementing many types of selection box with rotate/translate/scale handles.</p>
+<dl class="method">
+<dt id="pyqtgraph.ROI.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>pos</em>, <em>size=Point(1.000000</em>, <em>1.000000)</em>, <em>angle=0.0</em>, <em>invertible=False</em>, <em>maxBounds=None</em>, <em>snapSize=1.0</em>, <em>scaleSnap=False</em>, <em>translateSnap=False</em>, <em>rotateSnap=False</em>, <em>parent=None</em>, <em>pen=None</em>, <em>movable=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.ROI.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ROI.getArrayRegion">
+<tt class="descname">getArrayRegion</tt><big>(</big><em>data</em>, <em>img</em>, <em>axes=(0</em>, <em>1)</em><big>)</big><a class="headerlink" href="#pyqtgraph.ROI.getArrayRegion" title="Permalink to this definition">¶</a></dt>
+<dd><p>Use the position of this ROI relative to an imageItem to pull a slice from an array.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ROI.getArraySlice">
+<tt class="descname">getArraySlice</tt><big>(</big><em>data</em>, <em>img</em>, <em>axes=(0</em>, <em>1)</em>, <em>returnSlice=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.ROI.getArraySlice" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return a tuple of slice objects that can be used to slice the region from data covered by this ROI.
+Also returns the transform which maps the ROI into data coordinates.</p>
+<p>If returnSlice is set to False, the function returns a pair of tuples with the values that would have 
+been used to generate the slice objects. ((ax0Start, ax0Stop), (ax1Start, ax1Stop))</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ROI.getGlobalTransform">
+<tt class="descname">getGlobalTransform</tt><big>(</big><em>relativeTo=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ROI.getGlobalTransform" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return global transformation (rotation angle+translation) required to move from relative state to current state. If relative state isn&#8217;t specified,
+then we use the state of the ROI when mouse is pressed.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ROI.getLocalHandlePositions">
+<tt class="descname">getLocalHandlePositions</tt><big>(</big><em>index=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ROI.getLocalHandlePositions" title="Permalink to this definition">¶</a></dt>
+<dd><p>Returns the position of a handle in ROI coordinates</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ROI.handleChange">
+<tt class="descname">handleChange</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.ROI.handleChange" title="Permalink to this definition">¶</a></dt>
+<dd><p>The state of the ROI has changed; redraw if needed.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ROI.saveState">
+<tt class="descname">saveState</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.ROI.saveState" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the state of the widget in a format suitable for storing to disk.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ROI.translate">
+<tt class="descname">translate</tt><big>(</big><em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.ROI.translate" title="Permalink to this definition">¶</a></dt>
+<dd><p>accepts either (x, y, snap) or ([x,y], snap) as arguments</p>
+<dl class="docutils">
+<dt>snap can be:</dt>
+<dd>None (default): use self.translateSnap and self.snapSize to determine whether/how to snap
+False:          do no snap
+Point(w,h)      snap to rectangular grid with spacing (w,h)
+True:           snap using self.snapSize (and ignoring self.translateSnap)</dd>
+</dl>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="infiniteline.html"
+                        title="previous chapter">InfiniteLine</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="graphicslayout.html"
+                        title="next chapter">GraphicsLayout</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/roi.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicslayout.html" title="GraphicsLayout"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="infiniteline.html" title="InfiniteLine"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/scalebar.html b/documentation/build/html/graphicsItems/scalebar.html
new file mode 100644
index 0000000000000000000000000000000000000000..2a198eb298040c1d324a1ad97b164ec558316887
--- /dev/null
+++ b/documentation/build/html/graphicsItems/scalebar.html
@@ -0,0 +1,131 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ScaleBar &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="LabelItem" href="labelitem.html" />
+    <link rel="prev" title="GridItem" href="griditem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="labelitem.html" title="LabelItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="griditem.html" title="GridItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="scalebar">
+<h1>ScaleBar<a class="headerlink" href="#scalebar" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ScaleBar">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ScaleBar</tt><big>(</big><em>size</em>, <em>width=5</em>, <em>color=(100</em>, <em>100</em>, <em>255)</em><big>)</big><a class="headerlink" href="#pyqtgraph.ScaleBar" title="Permalink to this definition">¶</a></dt>
+<dd><p>Displays a rectangular bar with 10 divisions to indicate the relative scale of objects on the view.</p>
+<dl class="method">
+<dt id="pyqtgraph.ScaleBar.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>size</em>, <em>width=5</em>, <em>color=(100</em>, <em>100</em>, <em>255)</em><big>)</big><a class="headerlink" href="#pyqtgraph.ScaleBar.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="griditem.html"
+                        title="previous chapter">GridItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="labelitem.html"
+                        title="next chapter">LabelItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/scalebar.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="labelitem.html" title="LabelItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="griditem.html" title="GridItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/scatterplotitem.html b/documentation/build/html/graphicsItems/scatterplotitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..4333b0c4812549a5e199538963c2203ce13e601b
--- /dev/null
+++ b/documentation/build/html/graphicsItems/scatterplotitem.html
@@ -0,0 +1,171 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ScatterPlotItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="PlotItem" href="plotitem.html" />
+    <link rel="prev" title="PlotCurveItem" href="plotcurveitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotitem.html" title="PlotItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="plotcurveitem.html" title="PlotCurveItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="scatterplotitem">
+<h1>ScatterPlotItem<a class="headerlink" href="#scatterplotitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ScatterPlotItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ScatterPlotItem</tt><big>(</big><em>spots=None</em>, <em>x=None</em>, <em>y=None</em>, <em>pxMode=True</em>, <em>pen='default'</em>, <em>brush='default'</em>, <em>size=7</em>, <em>symbol=None</em>, <em>identical=False</em>, <em>data=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ScatterPlotItem" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.ScatterPlotItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>spots=None</em>, <em>x=None</em>, <em>y=None</em>, <em>pxMode=True</em>, <em>pen='default'</em>, <em>brush='default'</em>, <em>size=7</em>, <em>symbol=None</em>, <em>identical=False</em>, <em>data=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ScatterPlotItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="docutils">
+<dt>Arguments:</dt>
+<dd><dl class="first docutils">
+<dt>spots: list of dicts. Each dict specifies parameters for a single spot:</dt>
+<dd>{&#8216;pos&#8217;: (x,y), &#8216;size&#8217;, &#8216;pen&#8217;, &#8216;brush&#8217;, &#8216;symbol&#8217;}</dd>
+</dl>
+<p>x,y: array of x,y values. Alternatively, specify spots[&#8216;pos&#8217;] = (x,y)
+pxMode: If True, spots are always the same size regardless of scaling, and size is given in px.</p>
+<blockquote>
+Otherwise, size is in scene coordinates and the spots scale with the view.</blockquote>
+<dl class="last docutils">
+<dt>identical: If True, all spots are forced to look identical. </dt>
+<dd>This can result in performance enhancement.</dd>
+<dt>symbol can be one of:</dt>
+<dd>&#8216;o&#8217;  circle
+&#8216;s&#8217;  square
+&#8216;t&#8217;  triangle
+&#8216;d&#8217;  diamond
+&#8216;+&#8217;  plus</dd>
+</dl>
+</dd>
+</dl>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ScatterPlotItem.setPoints">
+<tt class="descname">setPoints</tt><big>(</big><em>spots=None</em>, <em>x=None</em>, <em>y=None</em>, <em>data=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ScatterPlotItem.setPoints" title="Permalink to this definition">¶</a></dt>
+<dd><p>Remove all existing points in the scatter plot and add a new set.
+Arguments:</p>
+<blockquote>
+<dl class="docutils">
+<dt>spots - list of dicts specifying parameters for each spot</dt>
+<dd>[ {&#8216;pos&#8217;: (x,y), &#8216;pen&#8217;: &#8216;r&#8217;, ...}, ...]</dd>
+<dt>x, y -  arrays specifying location of spots to add. </dt>
+<dd>all other parameters (pen, symbol, etc.) will be set to the default
+values for this scatter plot.
+these arguments are IGNORED if &#8216;spots&#8217; is specified</dd>
+<dt>data -  list of arbitrary objects to be assigned to spot.data for each spot</dt>
+<dd>(this is useful for identifying spots that are clicked on)</dd>
+</dl>
+</blockquote>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="plotcurveitem.html"
+                        title="previous chapter">PlotCurveItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="plotitem.html"
+                        title="next chapter">PlotItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/scatterplotitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotitem.html" title="PlotItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="plotcurveitem.html" title="PlotCurveItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/uigraphicsitem.html b/documentation/build/html/graphicsItems/uigraphicsitem.html
new file mode 100644
index 0000000000000000000000000000000000000000..36ac517df91508683b281f9c0fc44b53a2c56c31
--- /dev/null
+++ b/documentation/build/html/graphicsItems/uigraphicsitem.html
@@ -0,0 +1,179 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>UIGraphicsItem &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="Pyqtgraph’s Widgets" href="../widgets/index.html" />
+    <link rel="prev" title="GraphicsWidget" href="graphicswidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="../widgets/index.html" title="Pyqtgraph’s Widgets"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="graphicswidget.html" title="GraphicsWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="uigraphicsitem">
+<h1>UIGraphicsItem<a class="headerlink" href="#uigraphicsitem" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.UIGraphicsItem">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">UIGraphicsItem</tt><big>(</big><em>bounds=None</em>, <em>parent=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.UIGraphicsItem" title="Permalink to this definition">¶</a></dt>
+<dd><p>Base class for graphics items with boundaries relative to a GraphicsView or ViewBox.
+The purpose of this class is to allow the creation of GraphicsItems which live inside 
+a scalable view, but whose boundaries will always stay fixed relative to the view&#8217;s boundaries.
+For example: GridItem, InfiniteLine</p>
+<p>The view can be specified on initialization or it can be automatically detected when the item is painted.</p>
+<p>NOTE: Only the item&#8217;s boundingRect is affected; the item is not transformed in any way. Use viewRangeChanged
+to respond to changes in the view.</p>
+<dl class="method">
+<dt id="pyqtgraph.UIGraphicsItem.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>bounds=None</em>, <em>parent=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.UIGraphicsItem.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="docutils">
+<dt>Initialization Arguments:</dt>
+<dd><p class="first">#view: The view box whose bounds will be used as a reference vor this item&#8217;s bounds
+bounds: QRectF with coordinates relative to view box. The default is QRectF(0,0,1,1),</p>
+<blockquote class="last">
+which means the item will have the same bounds as the view.</blockquote>
+</dd>
+</dl>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.UIGraphicsItem.mouseShape">
+<tt class="descname">mouseShape</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.UIGraphicsItem.mouseShape" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the shape of this item after expanding by 2 pixels</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.UIGraphicsItem.realBoundingRect">
+<tt class="descname">realBoundingRect</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.UIGraphicsItem.realBoundingRect" title="Permalink to this definition">¶</a></dt>
+<dd><p>Called by ViewBox for determining the auto-range bounds.
+If the height or with of the rect is 0, that dimension will be ignored.
+By default, UIGraphicsItems are excluded from autoRange by returning 
+a zero-size rect.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.UIGraphicsItem.setNewBounds">
+<tt class="descname">setNewBounds</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.UIGraphicsItem.setNewBounds" title="Permalink to this definition">¶</a></dt>
+<dd><p>Update the item&#8217;s bounding rect to match the viewport</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.UIGraphicsItem.viewChangedEvent">
+<tt class="descname">viewChangedEvent</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.UIGraphicsItem.viewChangedEvent" title="Permalink to this definition">¶</a></dt>
+<dd><p>Called whenever the view coordinates have changed.
+This is a good method to override if you want to respond to change of coordinates.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.UIGraphicsItem.viewRangeChanged">
+<tt class="descname">viewRangeChanged</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.UIGraphicsItem.viewRangeChanged" title="Permalink to this definition">¶</a></dt>
+<dd><p>Called when the view widget/viewbox is resized/rescaled</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="graphicswidget.html"
+                        title="previous chapter">GraphicsWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="../widgets/index.html"
+                        title="next chapter">Pyqtgraph&#8217;s Widgets</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/uigraphicsitem.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="../widgets/index.html" title="Pyqtgraph’s Widgets"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="graphicswidget.html" title="GraphicsWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/viewbox.html b/documentation/build/html/graphicsItems/viewbox.html
new file mode 100644
index 0000000000000000000000000000000000000000..044c71cf1fc2bccbe34daf8d562521b828cf8063
--- /dev/null
+++ b/documentation/build/html/graphicsItems/viewbox.html
@@ -0,0 +1,227 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ViewBox &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="LinearRegionItem" href="linearregionitem.html" />
+    <link rel="prev" title="ImageItem" href="imageitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="linearregionitem.html" title="LinearRegionItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="imageitem.html" title="ImageItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="viewbox">
+<h1>ViewBox<a class="headerlink" href="#viewbox" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ViewBox">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ViewBox</tt><big>(</big><em>parent=None</em>, <em>border=None</em>, <em>lockAspect=False</em>, <em>enableMouse=True</em>, <em>invertY=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox" title="Permalink to this definition">¶</a></dt>
+<dd><p>Box that allows internal scaling/panning of children by mouse drag. 
+Not really compatible with GraphicsView having the same functionality.</p>
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>border=None</em>, <em>lockAspect=False</em>, <em>enableMouse=True</em>, <em>invertY=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.childTransform">
+<tt class="descname">childTransform</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.childTransform" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the transform that maps from child(item in the childGroup) coordinates to local coordinates.
+(This maps from inside the viewbox to outside)</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.childrenBoundingRect">
+<tt class="descname">childrenBoundingRect</tt><big>(</big><em>item=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.childrenBoundingRect" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the bounding rect of all children. Returns None if there are no bounded children</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.itemBoundingRect">
+<tt class="descname">itemBoundingRect</tt><big>(</big><em>item</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.itemBoundingRect" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the bounding rect of the item in view coordinates</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.keyPressEvent">
+<tt class="descname">keyPressEvent</tt><big>(</big><em>ev</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.keyPressEvent" title="Permalink to this definition">¶</a></dt>
+<dd><p>This routine should capture key presses in the current view box.
+Key presses are used only when self.useLeftButtonPan is false
+The following events are implemented:
+ctrl-A : zooms out to the default &#8220;full&#8221; view of the plot
+ctrl-+ : moves forward in the zooming stack (if it exists)
+ctrl&#8211; : moves backward in the zooming stack (if it exists)</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.mapFromView">
+<tt class="descname">mapFromView</tt><big>(</big><em>obj</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.mapFromView" title="Permalink to this definition">¶</a></dt>
+<dd><p>Maps from the coordinate system displayed inside the ViewBox to the local coordinates of the ViewBox</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.mapSceneToView">
+<tt class="descname">mapSceneToView</tt><big>(</big><em>obj</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.mapSceneToView" title="Permalink to this definition">¶</a></dt>
+<dd><p>Maps from scene coordinates to the coordinate system displayed inside the ViewBox</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.mapToView">
+<tt class="descname">mapToView</tt><big>(</big><em>obj</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.mapToView" title="Permalink to this definition">¶</a></dt>
+<dd><p>Maps from the local coordinates of the ViewBox to the coordinate system displayed inside the ViewBox</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.mapViewToScene">
+<tt class="descname">mapViewToScene</tt><big>(</big><em>obj</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.mapViewToScene" title="Permalink to this definition">¶</a></dt>
+<dd><p>Maps from the coordinate system displayed inside the ViewBox to scene coordinates</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.scaleBy">
+<tt class="descname">scaleBy</tt><big>(</big><em>s</em>, <em>center=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.scaleBy" title="Permalink to this definition">¶</a></dt>
+<dd><p>Scale by s around given center point (or center of view)</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.setAspectLocked">
+<tt class="descname">setAspectLocked</tt><big>(</big><em>lock=True</em>, <em>ratio=1</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.setAspectLocked" title="Permalink to this definition">¶</a></dt>
+<dd><p>If the aspect ratio is locked, view scaling is always forced to be isotropic.
+By default, the ratio is set to 1; x and y both have the same scaling.
+This ratio can be overridden (width/height), or use None to lock in the current ratio.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.setRange">
+<tt class="descname">setRange</tt><big>(</big><em>ax</em>, <em>minimum=None</em>, <em>maximum=None</em>, <em>padding=0.02</em>, <em>update=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.setRange" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the visible range of the ViewBox.
+Can be called with a QRectF:</p>
+<blockquote>
+setRange(QRectF(x, y, w, h))</blockquote>
+<dl class="docutils">
+<dt>Or with axis, min, max:</dt>
+<dd>setRange(0, xMin, xMax)
+setRange(1, yMin, yMax)</dd>
+</dl>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.targetRect">
+<tt class="descname">targetRect</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.targetRect" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the region which has been requested to be visible. 
+(this is not necessarily the same as the region that is <em>actually</em> visible)</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ViewBox.viewRect">
+<tt class="descname">viewRect</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.ViewBox.viewRect" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return a QRectF bounding the region visible within the ViewBox</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="imageitem.html"
+                        title="previous chapter">ImageItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="linearregionitem.html"
+                        title="next chapter">LinearRegionItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/viewbox.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="linearregionitem.html" title="LinearRegionItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="imageitem.html" title="ImageItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicsItems/vtickgroup.html b/documentation/build/html/graphicsItems/vtickgroup.html
new file mode 100644
index 0000000000000000000000000000000000000000..d84e5bdb7df947e292f8358abc884b3ee5af8642
--- /dev/null
+++ b/documentation/build/html/graphicsItems/vtickgroup.html
@@ -0,0 +1,132 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>VTickGroup &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Graphics Items" href="index.html" />
+    <link rel="next" title="GradientEditorItem" href="gradienteditoritem.html" />
+    <link rel="prev" title="LabelItem" href="labelitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="gradienteditoritem.html" title="GradientEditorItem"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="labelitem.html" title="LabelItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="vtickgroup">
+<h1>VTickGroup<a class="headerlink" href="#vtickgroup" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.VTickGroup">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">VTickGroup</tt><big>(</big><em>xvals=None</em>, <em>yrange=None</em>, <em>pen=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.VTickGroup" title="Permalink to this definition">¶</a></dt>
+<dd><p>Draws a set of tick marks which always occupy the same vertical range of the view,
+but have x coordinates relative to the data within the view.</p>
+<dl class="method">
+<dt id="pyqtgraph.VTickGroup.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>xvals=None</em>, <em>yrange=None</em>, <em>pen=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.VTickGroup.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="labelitem.html"
+                        title="previous chapter">LabelItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="gradienteditoritem.html"
+                        title="next chapter">GradientEditorItem</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/graphicsItems/vtickgroup.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="gradienteditoritem.html" title="GradientEditorItem"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="labelitem.html" title="LabelItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Graphics Items</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/graphicswindow.html b/documentation/build/html/graphicswindow.html
new file mode 100644
index 0000000000000000000000000000000000000000..87026901d32881419edb1968ca652d5de3b95137
--- /dev/null
+++ b/documentation/build/html/graphicswindow.html
@@ -0,0 +1,123 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Basic display widgets &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="Rapid GUI prototyping" href="parametertree.html" />
+    <link rel="prev" title="Region-of-interest controls" href="region_of_interest.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="parametertree.html" title="Rapid GUI prototyping"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="region_of_interest.html" title="Region-of-interest controls"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="basic-display-widgets">
+<h1>Basic display widgets<a class="headerlink" href="#basic-display-widgets" title="Permalink to this headline">¶</a></h1>
+<blockquote>
+<ul class="simple">
+<li>GraphicsWindow</li>
+<li>GraphicsView</li>
+<li>GraphicsLayoutItem</li>
+<li>ViewBox</li>
+</ul>
+</blockquote>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="region_of_interest.html"
+                        title="previous chapter">Region-of-interest controls</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="parametertree.html"
+                        title="next chapter">Rapid GUI prototyping</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/graphicswindow.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="parametertree.html" title="Rapid GUI prototyping"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="region_of_interest.html" title="Region-of-interest controls"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/how_to_use.html b/documentation/build/html/how_to_use.html
new file mode 100644
index 0000000000000000000000000000000000000000..a95e06882fb79cb58a20f4be6b2c64241d2e86cd
--- /dev/null
+++ b/documentation/build/html/how_to_use.html
@@ -0,0 +1,161 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>How to use pyqtgraph &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="Plotting in pyqtgraph" href="plotting.html" />
+    <link rel="prev" title="Introduction" href="introduction.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotting.html" title="Plotting in pyqtgraph"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="introduction.html" title="Introduction"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="how-to-use-pyqtgraph">
+<h1>How to use pyqtgraph<a class="headerlink" href="#how-to-use-pyqtgraph" title="Permalink to this headline">¶</a></h1>
+<p>There are a few suggested ways to use pyqtgraph:</p>
+<ul class="simple">
+<li>From the interactive shell (python -i, ipython, etc)</li>
+<li>Displaying pop-up windows from an application</li>
+<li>Embedding widgets in a PyQt application</li>
+</ul>
+<div class="section" id="command-line-use">
+<h2>Command-line use<a class="headerlink" href="#command-line-use" title="Permalink to this headline">¶</a></h2>
+<p>Pyqtgraph makes it very easy to visualize data from the command line. Observe:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="kn">import</span> <span class="nn">pyqtgraph</span> <span class="kn">as</span> <span class="nn">pg</span>
+<span class="n">pg</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">data</span><span class="p">)</span>   <span class="c"># data can be a list of values or a numpy array</span>
+</pre></div>
+</div>
+<p>The example above would open a window displaying a line plot of the data given. I don&#8217;t think it could reasonably be any simpler than that. The call to pg.plot returns a handle to the plot widget that is created, allowing more data to be added to the same window.</p>
+<p>Further examples:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="n">pw</span> <span class="o">=</span> <span class="n">pg</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">xVals</span><span class="p">,</span> <span class="n">yVals</span><span class="p">,</span> <span class="n">pen</span><span class="o">=</span><span class="s">&#39;r&#39;</span><span class="p">)</span>  <span class="c"># plot x vs y in red</span>
+<span class="n">pw</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">xVals</span><span class="p">,</span> <span class="n">yVals2</span><span class="p">,</span> <span class="n">pen</span><span class="o">=</span><span class="s">&#39;b&#39;</span><span class="p">)</span>
+
+<span class="n">win</span> <span class="o">=</span> <span class="n">pg</span><span class="o">.</span><span class="n">GraphicsWindow</span><span class="p">()</span>  <span class="c"># Automatically generates grids with multiple items</span>
+<span class="n">win</span><span class="o">.</span><span class="n">addPlot</span><span class="p">(</span><span class="n">data1</span><span class="p">,</span> <span class="n">row</span><span class="o">=</span><span class="mi">0</span><span class="p">,</span> <span class="n">col</span><span class="o">=</span><span class="mi">0</span><span class="p">)</span>
+<span class="n">win</span><span class="o">.</span><span class="n">addPlot</span><span class="p">(</span><span class="n">data2</span><span class="p">,</span> <span class="n">row</span><span class="o">=</span><span class="mi">0</span><span class="p">,</span> <span class="n">col</span><span class="o">=</span><span class="mi">1</span><span class="p">)</span>
+<span class="n">win</span><span class="o">.</span><span class="n">addPlot</span><span class="p">(</span><span class="n">data3</span><span class="p">,</span> <span class="n">row</span><span class="o">=</span><span class="mi">1</span><span class="p">,</span> <span class="n">col</span><span class="o">=</span><span class="mi">0</span><span class="p">,</span> <span class="n">colspan</span><span class="o">=</span><span class="mi">2</span><span class="p">)</span>
+
+<span class="n">pg</span><span class="o">.</span><span class="n">show</span><span class="p">(</span><span class="n">imageData</span><span class="p">)</span>  <span class="c"># imageData must be a numpy array with 2 to 4 dimensions</span>
+</pre></div>
+</div>
+<p>We&#8217;re only scratching the surface here&#8211;these functions accept many different data formats and options for customizing the appearance of your data.</p>
+</div>
+<div class="section" id="displaying-windows-from-within-an-application">
+<h2>Displaying windows from within an application<a class="headerlink" href="#displaying-windows-from-within-an-application" title="Permalink to this headline">¶</a></h2>
+<p>While I consider this approach somewhat lazy, it is often the case that &#8216;lazy&#8217; is indistinguishable from &#8216;highly efficient&#8217;. The approach here is simply to use the very same functions that would be used on the command line, but from within an existing application. I often use this when I simply want to get a immediate feedback about the state of data in my application without taking the time to build a user interface for it.</p>
+</div>
+<div class="section" id="embedding-widgets-inside-pyqt-applications">
+<h2>Embedding widgets inside PyQt applications<a class="headerlink" href="#embedding-widgets-inside-pyqt-applications" title="Permalink to this headline">¶</a></h2>
+<p>For the serious application developer, all of the functionality in pyqtgraph is available via widgets that can be embedded just like any other Qt widgets. Most importantly, see: PlotWidget, ImageView, GraphicsView, GraphicsLayoutWidget. Pyqtgraph&#8217;s widgets can be included in Designer&#8217;s ui files via the &#8220;Promote To...&#8221; functionality.</p>
+</div>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h3><a href="index.html">Table Of Contents</a></h3>
+  <ul>
+<li><a class="reference internal" href="#">How to use pyqtgraph</a><ul>
+<li><a class="reference internal" href="#command-line-use">Command-line use</a></li>
+<li><a class="reference internal" href="#displaying-windows-from-within-an-application">Displaying windows from within an application</a></li>
+<li><a class="reference internal" href="#embedding-widgets-inside-pyqt-applications">Embedding widgets inside PyQt applications</a></li>
+</ul>
+</li>
+</ul>
+
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="introduction.html"
+                        title="previous chapter">Introduction</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="plotting.html"
+                        title="next chapter">Plotting in pyqtgraph</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/how_to_use.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotting.html" title="Plotting in pyqtgraph"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="introduction.html" title="Introduction"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/images.html b/documentation/build/html/images.html
new file mode 100644
index 0000000000000000000000000000000000000000..81213b28fe9c104aa62a17c1919e02121798abfe
--- /dev/null
+++ b/documentation/build/html/images.html
@@ -0,0 +1,135 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Displaying images and video &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="Line, Fill, and Color" href="style.html" />
+    <link rel="prev" title="Plotting in pyqtgraph" href="plotting.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="style.html" title="Line, Fill, and Color"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="plotting.html" title="Plotting in pyqtgraph"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="displaying-images-and-video">
+<h1>Displaying images and video<a class="headerlink" href="#displaying-images-and-video" title="Permalink to this headline">¶</a></h1>
+<p>Pyqtgraph displays 2D numpy arrays as images and provides tools for determining how to translate between the numpy data type and RGB values on the screen. If you want to display data from common image and video file formats, you will need to load the data first using another library (PIL works well for images and built-in numpy conversion).</p>
+<p>The easiest way to display 2D or 3D data is using the <a class="reference internal" href="functions.html#pyqtgraph.image" title="pyqtgraph.image"><tt class="xref py py-func docutils literal"><span class="pre">pyqtgraph.image()</span></tt></a> function:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="kn">import</span> <span class="nn">pyqtgraph</span> <span class="kn">as</span> <span class="nn">pg</span>
+<span class="n">pg</span><span class="o">.</span><span class="n">image</span><span class="p">(</span><span class="n">imageData</span><span class="p">)</span>
+</pre></div>
+</div>
+<p>This function will accept any floating-point or integer data types and displays a single <a class="reference internal" href="widgets/imageview.html#pyqtgraph.ImageView" title="pyqtgraph.ImageView"><tt class="xref py py-class docutils literal"><span class="pre">ImageView</span></tt></a> widget containing your data. This widget includes controls for determining how the image data will be converted to 32-bit RGBa values. Conversion happens in two steps (both are optional):</p>
+<ol class="arabic simple">
+<li>Scale and offset the data (by selecting the dark/light levels on the displayed histogram)</li>
+<li>Convert the data to color using a lookup table (determined by the colors shown in the gradient editor)</li>
+</ol>
+<p>If the data is 3D (time, x, y), then a time axis will be shown with a slider that can set the currently displayed frame. (if the axes in your data are ordered differently, use numpy.transpose to rearrange them)</p>
+<p>There are a few other methods for displaying images as well:</p>
+<ul class="simple">
+<li>The <a class="reference internal" href="widgets/imageview.html#pyqtgraph.ImageView" title="pyqtgraph.ImageView"><tt class="xref py py-class docutils literal"><span class="pre">ImageView</span></tt></a> class can also be instantiated directly and embedded in Qt applications.</li>
+<li>Instances of <a class="reference internal" href="graphicsItems/imageitem.html#pyqtgraph.ImageItem" title="pyqtgraph.ImageItem"><tt class="xref py py-class docutils literal"><span class="pre">ImageItem</span></tt></a> can be used inside a GraphicsView.</li>
+<li>For higher performance, use <a class="reference internal" href="widgets/rawimagewidget.html#pyqtgraph.RawImageWidget" title="pyqtgraph.RawImageWidget"><tt class="xref py py-class docutils literal"><span class="pre">RawImageWidget</span></tt></a>.</li>
+</ul>
+<p>Any of these classes are acceptable for displaying video by calling setImage() to display a new frame. To increase performance, the image processing system uses scipy.weave to produce compiled libraries. If your computer has a compiler available, weave will automatically attempt to build the libraries it needs on demand. If this fails, then the slower pure-python methods will be used instead.</p>
+<p>For more information, see the classes listed above and the &#8216;VideoSpeedTest&#8217;, &#8216;ImageItem&#8217;, &#8216;ImageView&#8217;, and &#8216;HistogramLUT&#8217; <a class="reference internal" href="introduction.html#examples"><em>Examples</em></a>.</p>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="plotting.html"
+                        title="previous chapter">Plotting in pyqtgraph</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="style.html"
+                        title="next chapter">Line, Fill, and Color</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/images.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="style.html" title="Line, Fill, and Color"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="plotting.html" title="Plotting in pyqtgraph"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/index.html b/documentation/build/html/index.html
new file mode 100644
index 0000000000000000000000000000000000000000..25db4fd61b35f47b41d6e329a5deb32660331da9
--- /dev/null
+++ b/documentation/build/html/index.html
@@ -0,0 +1,160 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Welcome to the documentation for pyqtgraph 1.8 &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="#" />
+    <link rel="next" title="Introduction" href="introduction.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="introduction.html" title="Introduction"
+             accesskey="N">next</a> |</li>
+        <li><a href="#">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="welcome-to-the-documentation-for-pyqtgraph-1-8">
+<h1>Welcome to the documentation for pyqtgraph 1.8<a class="headerlink" href="#welcome-to-the-documentation-for-pyqtgraph-1-8" title="Permalink to this headline">¶</a></h1>
+<p>Contents:</p>
+<div class="toctree-wrapper compound">
+<ul>
+<li class="toctree-l1"><a class="reference internal" href="introduction.html">Introduction</a><ul>
+<li class="toctree-l2"><a class="reference internal" href="introduction.html#what-is-pyqtgraph">What is pyqtgraph?</a></li>
+<li class="toctree-l2"><a class="reference internal" href="introduction.html#what-can-it-do">What can it do?</a></li>
+<li class="toctree-l2"><a class="reference internal" href="introduction.html#examples">Examples</a></li>
+<li class="toctree-l2"><a class="reference internal" href="introduction.html#how-does-it-compare-to">How does it compare to...</a></li>
+</ul>
+</li>
+<li class="toctree-l1"><a class="reference internal" href="how_to_use.html">How to use pyqtgraph</a><ul>
+<li class="toctree-l2"><a class="reference internal" href="how_to_use.html#command-line-use">Command-line use</a></li>
+<li class="toctree-l2"><a class="reference internal" href="how_to_use.html#displaying-windows-from-within-an-application">Displaying windows from within an application</a></li>
+<li class="toctree-l2"><a class="reference internal" href="how_to_use.html#embedding-widgets-inside-pyqt-applications">Embedding widgets inside PyQt applications</a></li>
+</ul>
+</li>
+<li class="toctree-l1"><a class="reference internal" href="plotting.html">Plotting in pyqtgraph</a><ul>
+<li class="toctree-l2"><a class="reference internal" href="plotting.html#organization-of-plotting-classes">Organization of Plotting Classes</a></li>
+<li class="toctree-l2"><a class="reference internal" href="plotting.html#examples">Examples</a></li>
+</ul>
+</li>
+<li class="toctree-l1"><a class="reference internal" href="images.html">Displaying images and video</a></li>
+<li class="toctree-l1"><a class="reference internal" href="style.html">Line, Fill, and Color</a></li>
+<li class="toctree-l1"><a class="reference internal" href="region_of_interest.html">Region-of-interest controls</a><ul>
+<li class="toctree-l2"><a class="reference internal" href="region_of_interest.html#slicing-multidimensional-data">Slicing Multidimensional Data</a></li>
+<li class="toctree-l2"><a class="reference internal" href="region_of_interest.html#linear-selection-and-marking">Linear Selection and Marking</a></li>
+<li class="toctree-l2"><a class="reference internal" href="region_of_interest.html#d-selection-and-marking">2D Selection and Marking</a></li>
+</ul>
+</li>
+<li class="toctree-l1"><a class="reference internal" href="graphicswindow.html">Basic display widgets</a></li>
+<li class="toctree-l1"><a class="reference internal" href="parametertree.html">Rapid GUI prototyping</a></li>
+<li class="toctree-l1"><a class="reference internal" href="apireference.html">API Reference</a><ul>
+<li class="toctree-l2"><a class="reference internal" href="functions.html">Pyqtgraph&#8217;s Helper Functions</a></li>
+<li class="toctree-l2"><a class="reference internal" href="graphicsItems/index.html">Pyqtgraph&#8217;s Graphics Items</a></li>
+<li class="toctree-l2"><a class="reference internal" href="widgets/index.html">Pyqtgraph&#8217;s Widgets</a></li>
+</ul>
+</li>
+</ul>
+</div>
+</div>
+<div class="section" id="indices-and-tables">
+<h1>Indices and tables<a class="headerlink" href="#indices-and-tables" title="Permalink to this headline">¶</a></h1>
+<ul class="simple">
+<li><a class="reference internal" href="genindex.html"><em>Index</em></a></li>
+<li><a class="reference internal" href="py-modindex.html"><em>Module Index</em></a></li>
+<li><a class="reference internal" href="search.html"><em>Search Page</em></a></li>
+</ul>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h3><a href="#">Table Of Contents</a></h3>
+  <ul>
+<li><a class="reference internal" href="#">Welcome to the documentation for pyqtgraph 1.8</a><ul>
+</ul>
+</li>
+<li><a class="reference internal" href="#indices-and-tables">Indices and tables</a></li>
+</ul>
+
+  <h4>Next topic</h4>
+  <p class="topless"><a href="introduction.html"
+                        title="next chapter">Introduction</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/index.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="introduction.html" title="Introduction"
+             >next</a> |</li>
+        <li><a href="#">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/introduction.html b/documentation/build/html/introduction.html
new file mode 100644
index 0000000000000000000000000000000000000000..fc1569769ae7e44084e9b5385e37fff0c0f2ec7f
--- /dev/null
+++ b/documentation/build/html/introduction.html
@@ -0,0 +1,163 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Introduction &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="How to use pyqtgraph" href="how_to_use.html" />
+    <link rel="prev" title="Welcome to the documentation for pyqtgraph 1.8" href="index.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="how_to_use.html" title="How to use pyqtgraph"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="index.html" title="Welcome to the documentation for pyqtgraph 1.8"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="introduction">
+<h1>Introduction<a class="headerlink" href="#introduction" title="Permalink to this headline">¶</a></h1>
+<div class="section" id="what-is-pyqtgraph">
+<h2>What is pyqtgraph?<a class="headerlink" href="#what-is-pyqtgraph" title="Permalink to this headline">¶</a></h2>
+<p>Pyqtgraph is a graphics and user interface library for Python that provides functionality commonly required in engineering and science applications. Its primary goals are 1) to provide fast, interactive graphics for displaying data (plots, video, etc.) and 2) to provide tools to aid in rapid application development (for example, property trees such as used in Qt Designer).</p>
+<p>Pyqtgraph makes heavy use of the Qt GUI platform (via PyQt or PySide) for its high-performance graphics and numpy for heavy number crunching. In particular, pyqtgraph uses Qt&#8217;s GraphicsView framework which is a highly capable graphics system on its own; we bring optimized and simplified primitives to this framework to allow data visualization with minimal effort.</p>
+<p>It is known to run on Linux, Windows, and OSX</p>
+</div>
+<div class="section" id="what-can-it-do">
+<h2>What can it do?<a class="headerlink" href="#what-can-it-do" title="Permalink to this headline">¶</a></h2>
+<p>Amongst the core features of pyqtgraph are:</p>
+<ul class="simple">
+<li>Basic data visualization primitives: Images, line and scatter plots</li>
+<li>Fast enough for realtime update of video/plot data</li>
+<li>Interactive scaling/panning, averaging, FFTs, SVG/PNG export</li>
+<li>Widgets for marking/selecting plot regions</li>
+<li>Widgets for marking/selecting image region-of-interest and automatically slicing multi-dimensional image data</li>
+<li>Framework for building customized image region-of-interest widgets</li>
+<li>Docking system that replaces/complements Qt&#8217;s dock system to allow more complex (and more predictable) docking arrangements</li>
+<li>ParameterTree widget for rapid prototyping of dynamic interfaces (Similar to the property trees in Qt Designer and many other applications)</li>
+</ul>
+</div>
+<div class="section" id="examples">
+<span id="id1"></span><h2>Examples<a class="headerlink" href="#examples" title="Permalink to this headline">¶</a></h2>
+<p>Pyqtgraph includes an extensive set of examples that can be accessed by running:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="kn">import</span> <span class="nn">pyqtgraph.examples</span>
+<span class="n">pyqtgraph</span><span class="o">.</span><span class="n">examples</span><span class="o">.</span><span class="n">run</span><span class="p">()</span>
+</pre></div>
+</div>
+<p>This will start a launcher with a list of available examples. Select an item from the list to view its source code and double-click an item to run the example.</p>
+</div>
+<div class="section" id="how-does-it-compare-to">
+<h2>How does it compare to...<a class="headerlink" href="#how-does-it-compare-to" title="Permalink to this headline">¶</a></h2>
+<ul class="simple">
+<li>matplotlib: For plotting and making publication-quality graphics, matplotlib is far more mature than pyqtgraph. However, matplotlib is also much slower and not suitable for applications requiring realtime update of plots/video or rapid interactivity. It also does not provide any of the GUI tools and image interaction/slicing functionality in pyqtgraph.</li>
+<li>pyqwt5: pyqwt is generally more mature than pyqtgraph for plotting and is about as fast. The major differences are 1) pyqtgraph is written in pure python, so it is somewhat more portable than pyqwt, which often lags behind pyqt in development (and can be a pain to install on some platforms) and 2) like matplotlib, pyqwt does not provide any of the GUI tools and image interaction/slicing functionality in pyqtgraph.</li>
+</ul>
+<p>(My experience with these libraries is somewhat outdated; please correct me if I am wrong here)</p>
+</div>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h3><a href="index.html">Table Of Contents</a></h3>
+  <ul>
+<li><a class="reference internal" href="#">Introduction</a><ul>
+<li><a class="reference internal" href="#what-is-pyqtgraph">What is pyqtgraph?</a></li>
+<li><a class="reference internal" href="#what-can-it-do">What can it do?</a></li>
+<li><a class="reference internal" href="#examples">Examples</a></li>
+<li><a class="reference internal" href="#how-does-it-compare-to">How does it compare to...</a></li>
+</ul>
+</li>
+</ul>
+
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="index.html"
+                        title="previous chapter">Welcome to the documentation for pyqtgraph 1.8</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="how_to_use.html"
+                        title="next chapter">How to use pyqtgraph</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/introduction.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="how_to_use.html" title="How to use pyqtgraph"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="index.html" title="Welcome to the documentation for pyqtgraph 1.8"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/objects.inv b/documentation/build/html/objects.inv
new file mode 100644
index 0000000000000000000000000000000000000000..aa34069b2bd1ed05c16836f5f8c7044c9f2be7df
Binary files /dev/null and b/documentation/build/html/objects.inv differ
diff --git a/documentation/build/html/parametertree.html b/documentation/build/html/parametertree.html
new file mode 100644
index 0000000000000000000000000000000000000000..211df78d7b3a3820b6721b5ba24922641ee30e86
--- /dev/null
+++ b/documentation/build/html/parametertree.html
@@ -0,0 +1,123 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Rapid GUI prototyping &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="API Reference" href="apireference.html" />
+    <link rel="prev" title="Basic display widgets" href="graphicswindow.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="apireference.html" title="API Reference"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="graphicswindow.html" title="Basic display widgets"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="rapid-gui-prototyping">
+<h1>Rapid GUI prototyping<a class="headerlink" href="#rapid-gui-prototyping" title="Permalink to this headline">¶</a></h1>
+<blockquote>
+<ul class="simple">
+<li>parametertree</li>
+<li>dockarea</li>
+<li>flowchart</li>
+<li>canvas</li>
+</ul>
+</blockquote>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="graphicswindow.html"
+                        title="previous chapter">Basic display widgets</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="apireference.html"
+                        title="next chapter">API Reference</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/parametertree.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="apireference.html" title="API Reference"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="graphicswindow.html" title="Basic display widgets"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/plotting.html b/documentation/build/html/plotting.html
new file mode 100644
index 0000000000000000000000000000000000000000..3855cbec7d764f436e77352f42b491fd42852cce
--- /dev/null
+++ b/documentation/build/html/plotting.html
@@ -0,0 +1,217 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Plotting in pyqtgraph &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="Displaying images and video" href="images.html" />
+    <link rel="prev" title="How to use pyqtgraph" href="how_to_use.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="images.html" title="Displaying images and video"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="how_to_use.html" title="How to use pyqtgraph"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="plotting-in-pyqtgraph">
+<h1>Plotting in pyqtgraph<a class="headerlink" href="#plotting-in-pyqtgraph" title="Permalink to this headline">¶</a></h1>
+<p>There are a few basic ways to plot data in pyqtgraph:</p>
+<table border="1" class="docutils">
+<colgroup>
+<col width="56%" />
+<col width="44%" />
+</colgroup>
+<tbody valign="top">
+<tr><td><a class="reference internal" href="functions.html#pyqtgraph.plot" title="pyqtgraph.plot"><tt class="xref py py-func docutils literal"><span class="pre">pyqtgraph.plot()</span></tt></a></td>
+<td>Create a new plot window showing your data</td>
+</tr>
+<tr><td><tt class="xref py py-func docutils literal"><span class="pre">PlotWidget.plot()</span></tt></td>
+<td>Add a new set of data to an existing plot widget</td>
+</tr>
+<tr><td><a class="reference internal" href="graphicsItems/plotitem.html#pyqtgraph.PlotItem.plot" title="pyqtgraph.PlotItem.plot"><tt class="xref py py-func docutils literal"><span class="pre">PlotItem.plot()</span></tt></a></td>
+<td>Add a new set of data to an existing plot widget</td>
+</tr>
+<tr><td><tt class="xref py py-func docutils literal"><span class="pre">GraphicsWindow.addPlot()</span></tt></td>
+<td>Add a new plot to a grid of plots</td>
+</tr>
+</tbody>
+</table>
+<p>All of these will accept the same basic arguments which control how the plot data is interpreted and displayed:</p>
+<ul class="simple">
+<li>x - Optional X data; if not specified, then a range of integers will be generated automatically.</li>
+<li>y - Y data.</li>
+<li>pen - The pen to use when drawing plot lines, or None to disable lines.</li>
+<li>symbol - A string describing the shape of symbols to use for each point. Optionally, this may also be a sequence of strings with a different symbol for each point.</li>
+<li>symbolPen - The pen (or sequence of pens) to use when drawing the symbol outline.</li>
+<li>symbolBrush - The brush (or sequence of brushes) to use when filling the symbol.</li>
+<li>fillLevel - Fills the area under the plot curve to this Y-value.</li>
+<li>brush - The brush to use when filling under the curve.</li>
+</ul>
+<p>See the &#8216;plotting&#8217; <a class="reference internal" href="introduction.html#examples"><em>example</em></a> for a demonstration of these arguments.</p>
+<p>All of the above functions also return handles to the objects that are created, allowing the plots and data to be further modified.</p>
+<div class="section" id="organization-of-plotting-classes">
+<h2>Organization of Plotting Classes<a class="headerlink" href="#organization-of-plotting-classes" title="Permalink to this headline">¶</a></h2>
+<p>There are several classes invloved in displaying plot data. Most of these classes are instantiated automatically, but it is useful to understand how they are organized and relate to each other. Pyqtgraph is based heavily on Qt&#8217;s GraphicsView framework&#8211;if you are not already familiar with this, it&#8217;s worth reading about (but not essential). Most importantly: 1) Qt GUIs are composed of QWidgets, 2) A special widget called QGraphicsView is used for displaying complex graphics, and 3) QGraphicsItems define the objects that are displayed within a QGraphicsView.</p>
+<ul>
+<li><dl class="first docutils">
+<dt>Data Classes (all subclasses of QGraphicsItem)</dt>
+<dd><ul class="first last simple">
+<li>PlotCurveItem - Displays a plot line given x,y data</li>
+<li>ScatterPlotItem - Displays points given x,y data</li>
+<li><tt class="xref py py-class docutils literal"><span class="pre">PlotDataItem</span></tt> - Combines PlotCurveItem and ScatterPlotItem. The plotting functions discussed above create objects of this type.</li>
+</ul>
+</dd>
+</dl>
+</li>
+<li><dl class="first docutils">
+<dt>Container Classes (subclasses of QGraphicsItem; contain other QGraphicsItem objects and must be viewed from within a GraphicsView)</dt>
+<dd><ul class="first last simple">
+<li>PlotItem - Contains a ViewBox for displaying data as well as AxisItems and labels for displaying the axes and title. This is a QGraphicsItem subclass and thus may only be used from within a GraphicsView</li>
+<li>GraphicsLayoutItem - QGraphicsItem subclass which displays a grid of items. This is used to display multiple PlotItems together.</li>
+<li>ViewBox - A QGraphicsItem subclass for displaying data. The user may scale/pan the contents of a ViewBox using the mouse. Typically all PlotData/PlotCurve/ScatterPlotItems are displayed from within a ViewBox.</li>
+<li>AxisItem - Displays axis values, ticks, and labels. Most commonly used with PlotItem.</li>
+</ul>
+</dd>
+</dl>
+</li>
+<li><dl class="first docutils">
+<dt>Container Classes (subclasses of QWidget; may be embedded in PyQt GUIs)</dt>
+<dd><ul class="first last simple">
+<li>PlotWidget - A subclass of GraphicsView with a single PlotItem displayed. Most of the methods provided by PlotItem are also available through PlotWidget.</li>
+<li>GraphicsLayoutWidget - QWidget subclass displaying a single GraphicsLayoutItem. Most of the methods provided by GraphicsLayoutItem are also available through GraphicsLayoutWidget.</li>
+</ul>
+</dd>
+</dl>
+</li>
+</ul>
+<img alt="_images/plottingClasses.png" src="_images/plottingClasses.png" />
+</div>
+<div class="section" id="examples">
+<h2>Examples<a class="headerlink" href="#examples" title="Permalink to this headline">¶</a></h2>
+<p>See the &#8216;plotting&#8217; and &#8216;PlotWidget&#8217; <a class="reference internal" href="introduction.html#examples"><em>examples included with pyqtgraph</em></a> for more information.</p>
+<p>Show x,y data as scatter plot:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="kn">import</span> <span class="nn">pyqtgraph</span> <span class="kn">as</span> <span class="nn">pg</span>
+<span class="kn">import</span> <span class="nn">numpy</span> <span class="kn">as</span> <span class="nn">np</span>
+<span class="n">x</span> <span class="o">=</span> <span class="n">np</span><span class="o">.</span><span class="n">random</span><span class="o">.</span><span class="n">normal</span><span class="p">(</span><span class="n">size</span><span class="o">=</span><span class="mi">1000</span><span class="p">)</span>
+<span class="n">y</span> <span class="o">=</span> <span class="n">np</span><span class="o">.</span><span class="n">random</span><span class="o">.</span><span class="n">normal</span><span class="p">(</span><span class="n">size</span><span class="o">=</span><span class="mi">1000</span><span class="p">)</span>
+<span class="n">pg</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">x</span><span class="p">,</span> <span class="n">y</span><span class="p">,</span> <span class="n">pen</span><span class="o">=</span><span class="bp">None</span><span class="p">,</span> <span class="n">symbol</span><span class="o">=</span><span class="s">&#39;o&#39;</span><span class="p">)</span>  <span class="c">## setting pen=None disables line drawing</span>
+</pre></div>
+</div>
+<p>Create/show a plot widget, display three data curves:</p>
+<div class="highlight-python"><div class="highlight"><pre><span class="kn">import</span> <span class="nn">pyqtgraph</span> <span class="kn">as</span> <span class="nn">pg</span>
+<span class="kn">import</span> <span class="nn">numpy</span> <span class="kn">as</span> <span class="nn">np</span>
+<span class="n">x</span> <span class="o">=</span> <span class="n">np</span><span class="o">.</span><span class="n">arange</span><span class="p">(</span><span class="mi">1000</span><span class="p">)</span>
+<span class="n">y</span> <span class="o">=</span> <span class="n">np</span><span class="o">.</span><span class="n">random</span><span class="o">.</span><span class="n">normal</span><span class="p">(</span><span class="n">size</span><span class="o">=</span><span class="p">(</span><span class="mi">3</span><span class="p">,</span> <span class="mi">1000</span><span class="p">))</span>
+<span class="n">plotWidget</span> <span class="o">=</span> <span class="n">pg</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">title</span><span class="o">=</span><span class="s">&quot;Three plot curves&quot;</span><span class="p">)</span>
+<span class="k">for</span> <span class="n">i</span> <span class="ow">in</span> <span class="nb">range</span><span class="p">(</span><span class="mi">3</span><span class="p">):</span>
+    <span class="n">plotWidget</span><span class="o">.</span><span class="n">plot</span><span class="p">(</span><span class="n">x</span><span class="p">,</span> <span class="n">y</span><span class="p">[</span><span class="n">i</span><span class="p">],</span> <span class="n">pen</span><span class="o">=</span><span class="p">(</span><span class="n">i</span><span class="p">,</span><span class="mi">3</span><span class="p">))</span>  <span class="c">## setting pen=(i,3) automaticaly creates three different-colored pens</span>
+</pre></div>
+</div>
+</div>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h3><a href="index.html">Table Of Contents</a></h3>
+  <ul>
+<li><a class="reference internal" href="#">Plotting in pyqtgraph</a><ul>
+<li><a class="reference internal" href="#organization-of-plotting-classes">Organization of Plotting Classes</a></li>
+<li><a class="reference internal" href="#examples">Examples</a></li>
+</ul>
+</li>
+</ul>
+
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="how_to_use.html"
+                        title="previous chapter">How to use pyqtgraph</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="images.html"
+                        title="next chapter">Displaying images and video</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/plotting.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="images.html" title="Displaying images and video"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="how_to_use.html" title="How to use pyqtgraph"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/py-modindex.html b/documentation/build/html/py-modindex.html
new file mode 100644
index 0000000000000000000000000000000000000000..50a684ee4bc9533718377c5af4d0190144e376ce
--- /dev/null
+++ b/documentation/build/html/py-modindex.html
@@ -0,0 +1,118 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Python Module Index &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+ 
+
+
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="#" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+
+   <h1>Python Module Index</h1>
+
+   <div class="modindex-jumpbox">
+   <a href="#cap-p"><strong>p</strong></a>
+   </div>
+
+   <table class="indextable modindextable" cellspacing="0" cellpadding="2">
+     <tr class="pcap"><td></td><td>&nbsp;</td><td></td></tr>
+     <tr class="cap"><td></td><td><a name="cap-p">
+           <strong>p</strong></a></td><td></td></tr>
+     <tr>
+       <td><img src="_static/minus.png" id="toggle-1"
+              class="toggler" style="display: none" alt="-" /></td>
+       <td>
+       <tt class="xref">pyqtgraph</tt></td><td>
+       <em></em></td></tr>
+     <tr class="cg-1">
+       <td></td>
+       <td>&nbsp;&nbsp;&nbsp;
+       <a href="widgets/dockarea.html#module-pyqtgraph.dockarea"><tt class="xref">pyqtgraph.dockarea</tt></a></td><td>
+       <em></em></td></tr>
+     <tr class="cg-1">
+       <td></td>
+       <td>&nbsp;&nbsp;&nbsp;
+       <a href="widgets/parametertree.html#module-pyqtgraph.parametertree"><tt class="xref">pyqtgraph.parametertree</tt></a></td><td>
+       <em></em></td></tr>
+   </table>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="#" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/region_of_interest.html b/documentation/build/html/region_of_interest.html
new file mode 100644
index 0000000000000000000000000000000000000000..85b3983220bd4fa7208211e27fdb2124d693daaf
--- /dev/null
+++ b/documentation/build/html/region_of_interest.html
@@ -0,0 +1,140 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Region-of-interest controls &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="Basic display widgets" href="graphicswindow.html" />
+    <link rel="prev" title="Line, Fill, and Color" href="style.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicswindow.html" title="Basic display widgets"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="style.html" title="Line, Fill, and Color"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="region-of-interest-controls">
+<h1>Region-of-interest controls<a class="headerlink" href="#region-of-interest-controls" title="Permalink to this headline">¶</a></h1>
+<div class="section" id="slicing-multidimensional-data">
+<h2>Slicing Multidimensional Data<a class="headerlink" href="#slicing-multidimensional-data" title="Permalink to this headline">¶</a></h2>
+</div>
+<div class="section" id="linear-selection-and-marking">
+<h2>Linear Selection and Marking<a class="headerlink" href="#linear-selection-and-marking" title="Permalink to this headline">¶</a></h2>
+</div>
+<div class="section" id="d-selection-and-marking">
+<h2>2D Selection and Marking<a class="headerlink" href="#d-selection-and-marking" title="Permalink to this headline">¶</a></h2>
+<ul class="simple">
+<li>translate / rotate / scale</li>
+<li>highly configurable control handles</li>
+<li>automated data slicing</li>
+<li>linearregion, infiniteline</li>
+</ul>
+</div>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h3><a href="index.html">Table Of Contents</a></h3>
+  <ul>
+<li><a class="reference internal" href="#">Region-of-interest controls</a><ul>
+<li><a class="reference internal" href="#slicing-multidimensional-data">Slicing Multidimensional Data</a></li>
+<li><a class="reference internal" href="#linear-selection-and-marking">Linear Selection and Marking</a></li>
+<li><a class="reference internal" href="#d-selection-and-marking">2D Selection and Marking</a></li>
+</ul>
+</li>
+</ul>
+
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="style.html"
+                        title="previous chapter">Line, Fill, and Color</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="graphicswindow.html"
+                        title="next chapter">Basic display widgets</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/region_of_interest.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicswindow.html" title="Basic display widgets"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="style.html" title="Line, Fill, and Color"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/search.html b/documentation/build/html/search.html
new file mode 100644
index 0000000000000000000000000000000000000000..e734bc16ffa676da773558b2b2279fd59412a026
--- /dev/null
+++ b/documentation/build/html/search.html
@@ -0,0 +1,102 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Search &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <script type="text/javascript" src="_static/searchtools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+  <script type="text/javascript">
+    jQuery(function() { Search.loadIndex("searchindex.js"); });
+  </script>
+   
+
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <h1 id="search-documentation">Search</h1>
+  <div id="fallback" class="admonition warning">
+  <script type="text/javascript">$('#fallback').hide();</script>
+  <p>
+    Please activate JavaScript to enable the search
+    functionality.
+  </p>
+  </div>
+  <p>
+    From here you can search these documents. Enter your search
+    words into the box below and click "search". Note that the search
+    function will automatically search for all of the words. Pages
+    containing fewer words won't appear in the result list.
+  </p>
+  <form action="" method="get">
+    <input type="text" name="q" value="" />
+    <input type="submit" value="search" />
+    <span id="search-progress" style="padding-left: 10px"></span>
+  </form>
+  
+  <div id="search-results">
+  
+  </div>
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/searchindex.js b/documentation/build/html/searchindex.js
new file mode 100644
index 0000000000000000000000000000000000000000..5c07321b386317e08239ac0cee2e6306a1a914c8
--- /dev/null
+++ b/documentation/build/html/searchindex.js
@@ -0,0 +1 @@
+Search.setIndex({objects:{"pyqtgraph.UIGraphicsItem":{setNewBounds:[10,2,1],viewRangeChanged:[10,2,1],viewChangedEvent:[10,2,1],"__init__":[10,2,1],mouseShape:[10,2,1],realBoundingRect:[10,2,1]},"pyqtgraph.PlotCurveItem":{"__init__":[15,2,1],setData:[15,2,1]},"pyqtgraph.PlotItem":{setXLink:[14,2,1],plot:[14,2,1],setLabel:[14,2,1],enableAutoScale:[14,2,1],linkYChanged:[14,2,1],linkXChanged:[14,2,1],showLabel:[14,2,1],setTitle:[14,2,1],setYLink:[14,2,1],updateXScale:[14,2,1],updateYScale:[14,2,1],viewGeometry:[14,2,1],showAxis:[14,2,1],addAvgCurve:[14,2,1],updatePlotList:[14,2,1],sigRangeChanged:[14,4,1],"__init__":[14,2,1]},"pyqtgraph.ScatterPlotItem":{setPoints:[9,2,1],"__init__":[9,2,1]},"pyqtgraph.ScaleBar":{"__init__":[57,2,1]},"pyqtgraph.HistogramLUTWidget":{"__init__":[40,2,1]},"pyqtgraph.HistogramLUTItem":{"__init__":[41,2,1]},"pyqtgraph.GradientLegend":{setLabels:[32,2,1],"__init__":[32,2,1]},"pyqtgraph.DataTreeWidget":{"__init__":[53,2,1],setData:[53,2,1]},"pyqtgraph.CurveArrow":{"__init__":[33,2,1]},"pyqtgraph.GraphicsView":{scaleToImage:[23,2,1],viewRect:[23,2,1],pixelSize:[23,2,1],setCentralWidget:[23,2,1],"__init__":[23,2,1]},"pyqtgraph.GridItem":{"__init__":[19,2,1]},"pyqtgraph.PlotWidget":{"__init__":[7,2,1]},"pyqtgraph.AxisItem":{"__init__":[26,2,1],setScale:[26,2,1],setGrid:[26,2,1]},"pyqtgraph.ROI":{saveState:[24,2,1],getGlobalTransform:[24,2,1],getLocalHandlePositions:[24,2,1],getArrayRegion:[24,2,1],handleChange:[24,2,1],translate:[24,2,1],getArraySlice:[24,2,1],"__init__":[24,2,1]},"pyqtgraph.CheckTable":{"__init__":[56,2,1]},"pyqtgraph.LinearRegionItem":{getRegion:[45,2,1],"__init__":[45,2,1]},"pyqtgraph.PlotDataItem":{setShadowPen:[1,2,1],setData:[1,2,1],"__init__":[1,2,1],setPen:[1,2,1]},"pyqtgraph.GraphicsWidget":{"__init__":[29,2,1]},"pyqtgraph.InfiniteLine":{setAngle:[47,2,1],setBounds:[47,2,1],"__init__":[47,2,1]},"pyqtgraph.JoystickButton":{"__init__":[44,2,1]},"pyqtgraph.GradientWidget":{"__init__":[22,2,1]},"pyqtgraph.TableWidget":{iteratorFn:[0,2,1],appendData:[0,2,1],copy:[0,2,1],"__init__":[0,2,1]},"pyqtgraph.ImageView":{jumpFrames:[42,2,1],timeIndex:[42,2,1],"__init__":[42,2,1],setImage:[42,2,1]},"pyqtgraph.ArrowItem":{"__init__":[11,2,1]},"pyqtgraph.CurvePoint":{"__init__":[34,2,1]},"pyqtgraph.ColorButton":{"__init__":[51,2,1]},"pyqtgraph.ImageItem":{setPxMode:[3,2,1],setImage:[3,2,1],getHistogram:[3,2,1],setLookupTable:[3,2,1],pixelSize:[3,2,1],setLevels:[3,2,1],"__init__":[3,2,1]},"pyqtgraph.ViewBox":{targetRect:[4,2,1],mapFromView:[4,2,1],mapToView:[4,2,1],itemBoundingRect:[4,2,1],mapViewToScene:[4,2,1],viewRect:[4,2,1],keyPressEvent:[4,2,1],scaleBy:[4,2,1],childrenBoundingRect:[4,2,1],childTransform:[4,2,1],mapSceneToView:[4,2,1],setAspectLocked:[4,2,1],"__init__":[4,2,1],setRange:[4,2,1]},"pyqtgraph.VTickGroup":{"__init__":[28,2,1]},"pyqtgraph.RawImageWidget":{"__init__":[37,2,1],setImage:[37,2,1]},"pyqtgraph.VerticalLabel":{"__init__":[13,2,1]},"pyqtgraph.TreeWidget":{itemMoving:[6,2,1],"__init__":[6,2,1]},"pyqtgraph.GradientEditorItem":{getLookupTable:[49,2,1],"__init__":[49,2,1]},"pyqtgraph.ProgressDialog":{"__init__":[5,2,1]},"pyqtgraph.GraphicsObject":{viewTransform:[8,2,1],getBoundingParents:[8,2,1],pixelVectors:[8,2,1],viewRect:[8,2,1],getViewWidget:[8,2,1],getViewBox:[8,2,1],pixelLength:[8,2,1],deviceTransform:[8,2,1],"__init__":[8,2,1]},pyqtgraph:{VTickGroup:[28,3,1],GraphicsWidget:[29,3,1],affineSlice:[18,1,1],ScaleBar:[57,3,1],image:[18,1,1],mkBrush:[18,1,1],PlotDataItem:[1,3,1],GraphicsObject:[8,3,1],ImageItem:[3,3,1],LinearRegionItem:[45,3,1],ImageView:[42,3,1],FileDialog:[48,3,1],HistogramLUTWidget:[40,3,1],CheckTable:[56,3,1],MultiPlotWidget:[27,3,1],mkPen:[18,1,1],plot:[18,1,1],InfiniteLine:[47,3,1],HistogramLUTItem:[41,3,1],PlotWidget:[7,3,1],GradientWidget:[22,3,1],GridItem:[19,3,1],GradientEditorItem:[49,3,1],GradientLegend:[32,3,1],AxisItem:[26,3,1],ViewBox:[4,3,1],dockarea:[43,0,0],ArrowItem:[11,3,1],hsvColor:[18,1,1],PlotItem:[14,3,1],colorStr:[18,1,1],GraphicsLayout:[46,3,1],siEval:[18,1,1],LabelItem:[16,3,1],ROI:[24,3,1],JoystickButton:[44,3,1],CurveArrow:[33,3,1],CurvePoint:[34,3,1],SpinBox:[31,3,1],mkColor:[18,1,1],GraphicsLayoutWidget:[54,3,1],PlotCurveItem:[15,3,1],ButtonItem:[21,3,1],TreeWidget:[6,3,1],siFormat:[18,1,1],parametertree:[35,0,0],VerticalLabel:[13,3,1],intColor:[18,1,1],ColorButton:[51,3,1],RawImageWidget:[37,3,1],DataTreeWidget:[53,3,1],GraphicsView:[23,3,1],UIGraphicsItem:[10,3,1],siScale:[18,1,1],TableWidget:[0,3,1],ScatterPlotItem:[9,3,1],ProgressDialog:[5,3,1],colorTuple:[18,1,1]},"pyqtgraph.SpinBox":{setProperty:[31,2,1],setValue:[31,2,1],editingFinishedEvent:[31,2,1],"__init__":[31,2,1],interpret:[31,2,1]},"pyqtgraph.GraphicsLayoutWidget":{"__init__":[54,2,1]},"pyqtgraph.LabelItem":{setText:[16,2,1],"__init__":[16,2,1],setAttr:[16,2,1]},"pyqtgraph.ButtonItem":{"__init__":[21,2,1]},"pyqtgraph.MultiPlotWidget":{"__init__":[27,2,1]},"pyqtgraph.FileDialog":{"__init__":[48,2,1]},"pyqtgraph.GraphicsLayout":{nextCol:[46,2,1],nextRow:[46,2,1],"__init__":[46,2,1]}},terms:{roi:[18,24,52,50],all:[1,9,3,4,18,55,14,25],code:[20,18],gradienteditoritem:[52,49,50],edg:45,orthogon:18,osx:20,skip:3,global:24,makeargb:[37,3],rapid:[20,17,39,3,31],prefix:[18,14,31],subclass:[2,25,50],screen:[12,14,3,23],follow:[18,30,4],disk:24,children:4,row:[46,55],hsva:18,whose:10,setlabel:[14,32],middl:23,depend:14,decim:[1,31],intermedi:31,linkxchang:14,mapscenetoview:4,setpen:1,worth:25,sent:37,sourc:[20,18],everi:1,string:[16,0,18,30,25],delaysign:31,fals:[26,1,9,14,4,5,18,31,6,53,23,24,47,15],mous:[24,15,25,23,4],"1px":1,veri:[37,55],affect:10,setcentralwidget:23,exact:23,getarrayregion:[18,24],dim:18,imagedata:[12,55],level:[12,42,3],button:[5,14,23,21],scalabl:10,list:[0,1,9,20,18,8,55,14,12,53],griditem:[19,10,52,50],gethistogram:3,item:[26,17,1,3,4,20,46,50,6,8,52,10,23,55,14,25],vector:[8,18,23],dockarea:[43,2,39,52],refer:[17,52,10,34],arang:25,dimens:[55,18,10],properti:[16,20,33,34],slower:[12,20],direct:[8,18],consequ:50,zero:10,video:[17,3,20,12,37,42],pass:14,further:[55,25],getarrayslic:24,translatesnap:24,click:[20,9],append:14,even:[37,18],index:[17,18,42,30,6,34,33,24],what:[20,17,18,19],hide:14,appear:[26,1,55,32],compar:[20,17],section:18,current:[26,3,4,46,31,12,24],clipboard:0,rgba:[12,18],"new":[1,9,14,12,47,25],"public":20,contrast:1,qgraphicsscen:[23,50],widget:[17,18,2,53,20,42,52,31,6,7,8,27,10,23,36,12,37,24,25,55],full:[23,4],gener:[16,1,2,20,46,18,8,55,37,24,25],whitelevel:3,len:[1,18],tangent:34,uigraphicsitem:[52,10,50],address:8,locat:[34,18,9,11],along:[26,34,14,32],becom:18,modifi:25,legend:1,valu:[16,26,1,9,3,45,42,18,31,32,8,30,55,14,12,24,47,25],wait:5,invis:18,solid:[1,18],convert:[12,8,18],purpos:10,convers:[12,18,52],ahead:42,across:18,larger:18,step:[12,18,3,31],precis:18,within:[17,18,4,28,8,55,19,25],chang:[26,31,10,14,24,47],commonli:[20,25],portabl:20,overrid:[42,10],diamet:1,configur:[26,38],regardless:9,parallelepip:18,labelitem:[16,52,50],extra:[37,1,14,31],appli:34,modul:[43,17,2,52,35],getlookupt:49,setaspectlock:4,api:[17,52],visibl:[8,23,4],ax1stop:24,colortupl:18,ymin:4,select:[0,18,17,20,31,38,12,24],highli:[20,18,55,38],plot:[26,17,1,9,4,20,18,45,55,14,15,25],hexadecim:18,from:[26,17,18,4,20,8,55,12,10,24,25],describ:25,would:[26,1,24,55,18],minval:[5,18],mkbrush:[18,30],regist:14,two:[12,50],next:[46,32],few:[12,8,55,25],live:10,call:[18,4,46,6,10,14,12,55,25],graphicsitem:[26,1,21,50,34,10],recommend:18,dict:[0,1,9,53,32],type:[0,18,31,12,24,25],useopengl:23,more:[18,3,20,30,55,12,37,25],mkpen:[1,30,18],graphicslayout:[46,52,50],intcolor:[18,30],qtreewidget:6,pyqwt:20,relat:25,ital:16,enhanc:[1,9],flag:16,accept:[16,1,3,18,32,6,30,55,12,24,25],particular:20,known:20,central:23,effort:20,cach:8,must:[18,6,55,14,37,25],none:[1,3,4,5,6,7,8,9,10,16,18,21,22,23,24,25,26,27,28,44,31,33,34,14,37,47,40,41,42,45,46,51,53,54,15],graphic:[17,18,20,50,52,10,14,25],xvalu:1,getviewwidget:8,outlin:[1,25],invlov:25,column:[46,1,56],kwarg:31,can:[0,1,2,3,4,8,10,12,17,30,20,23,24,26,9,33,34,14,47,45,50,55],graphicswindow:[36,55,25],progressdialog:[5,2,52],scatter:[20,1,9,25],setbound:47,nearest:31,linkview:26,give:18,process:[12,5,18],imagewindow:18,itemignorestransform:16,indic:[17,18,19,8,42,47,57],plotwindow:18,high:20,xmin:4,minimum:[5,47,4],maxgreen:3,want:[12,55,10,50],graphicsobject:[8,52,3,50],itemmov:6,setxlink:14,alwai:[18,9,10,28,4],surfac:55,multipl:[8,55,25,31],goal:20,awkward:18,anoth:[12,14],pyqt:[17,20,29,8,55,25],divis:[19,57],how:[17,18,3,20,55,12,24,25],sever:[2,25],pure:[12,20],reject:6,opt:[33,11],instead:[12,14],simpl:[18,52],css:16,updat:[3,4,20,15,31,10,23,42,14],qwt:15,map:[8,24,4],lai:46,overridden:[23,4],max:[42,47,4],after:[10,14,31],spot:[1,9],befor:[5,14],showlabel:14,plane:18,scratch:55,aribtrari:18,compat:[15,3,31,4],mai:[1,30,23,47,25,18],npt:49,secondari:1,data:[0,1,9,17,20,15,28,18,38,52,55,14,12,53,24,47,25],averag:[20,14],attempt:12,setproperti:31,seriou:55,gradientwidget:[2,22,52],minim:20,correspond:18,exclud:10,caus:[26,3],inform:[12,3,25],maintain:6,combin:25,allow:[0,3,4,20,47,31,6,10,23,55,14,25],callabl:3,first:[12,8,3],order:12,iteratorfn:0,qgraphicswidget:[29,23],rotat:[34,24,38],fft:[20,15],rang:[26,1,4,28,10,23,25],symbols:1,through:[18,30,25],treewidget:[6,2,52],scatterplotitem:[52,9,25,50],vari:18,ax0stop:24,paramet:[16,9,14],qcolor:[18,30],style:[16,1,30],movabl:[45,24,47],directli:[12,18,3],img:[37,42,24],chosen:18,settitl:14,symbolpen:[1,25],clickabl:15,parametertre:[20,2,39,52,35],platform:20,window:[20,17,18,55,25],enablemous:[23,4],hidden:14,unitprefix:14,pixel:[1,10,3,8,23],shear:18,arrowitem:[11,52,50],them:12,good:10,"return":[0,18,42,3,4,45,46,31,6,8,10,49,23,55,24,14,25],greater:1,thei:[6,18,25],handl:[0,24,55,25,38],auto:[16,10,14],linkychang:14,timeindex:42,rectangl:32,ff0:18,framework:[20,25,50],filedialog:[48,2,52],qgraphicsitem:[25,50],dataset:[1,18],videospeedtest:12,setvalu:[5,47,31],introduct:[20,17],plotitem:[18,27,50,7,52,14,25],updateyscal:14,recarrai:1,anyth:[34,50],edit:31,drop:6,easili:[34,30,50],tablewidget:[0,2,52],mode:15,arrow:[33,11],each:[42,8,9,18,25],returnslic:24,redraw:24,side:26,mean:10,compil:12,imageitem:[3,50,52,12,37,24],maxvalu:18,replac:[20,18],individu:45,continu:14,realli:4,heavi:20,meta:[1,14],greyscal:[18,30],iter:[0,30],siscal:18,xval:[28,42,55],happen:12,lockaspect:4,extract:18,orient:[26,45,18,13,22],special:25,out:[46,18,31,4],shown:12,maptoview:4,unbound:31,space:[8,24,18],gradient:[12,32],weav:12,predefin:18,content:[17,52,2,25,50],suitabl:[20,24],rel:[28,24,10,57],correct:[20,8],red:55,yvals2:55,lag:20,linear:[17,18,31,38],insid:[16,17,18,27,4,7,8,10,12,37,55],advanc:46,given:[1,9,4,55,14,25],delai:31,reason:55,base:[26,10,25],timepoint:18,dictionari:[42,53],usual:8,region:[17,4,20,38,45,24],rect:[10,4],extend:[26,0,5,29,6,8],childrenboundingrect:4,wai:[26,1,55,12,10,25],minvalu:18,angl:[24,47],could:[5,55],synchron:26,forcewidth:13,length:[18,5,6,8,23,47],addplot:[55,25],isn:24,outsid:4,geometri:[14,23],assign:[1,9],frequent:2,histogramlut:12,origin:18,pleas:20,major:[20,19],suffix:18,render:1,symbolbrush:[1,25],onc:1,arrai:[0,1,9,3,18,55,12,53,24],scalesnap:24,qualiti:20,number:[20,34,1,18,46],alreadi:25,cosmet:18,"1e6":18,indistinguish:55,open:55,primari:[20,1],size:[16,9,3,32,10,23,24,25,57],fmri:18,guess:42,workaround:29,width:[1,4,21,18,8,23,57],associ:14,top:14,compositionmod:3,system:[12,20,19,23,4],construct:18,paint:10,necessarili:4,demonstr:[6,25],axisitem:[26,52,25,50],exampl:[16,17,18,20,5,34,10,12,55,26,25],white:42,"\u03bcunit":18,"final":18,store:24,mingreen:3,hue:18,shell:55,option:[16,1,3,31,55,12,42,47,25],tool:[12,20],copi:[0,18,15],specifi:[30,9,1,10,24,25],slider:[12,42],ydata:18,somewhat:[20,18,55],essenti:25,than:[20,1,55,18],png:20,mapfromview:4,conveni:18,setattr:16,whenev:10,provid:[0,2,20,50,33,12,15,25],remov:[9,23],pyqtgraph:[0,1,2,3,4,5,6,7,8,9,10,11,12,13,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,14,37,44,47,40,41,42,45,46,48,49,50,51,52,53,54,55,56,57],tree:[6,20],structur:53,charact:30,sigrangechang:14,light:12,posit:[34,24,47],arrang:20,appenddata:0,other:[18,9,20,55,12,25],initi:[47,1,10],grei:1,graphicslayoutitem:[36,25],comput:[12,3],clip:8,rawimagewidget:[12,37,2,52],checktabl:[2,56,52],datatreewidget:[2,53,52],curvepoint:[34,52,50],ani:[26,1,2,20,18,50,33,55,14,12,10],infinitelin:[47,50,10,52,38],karg:[40,1,3,29,22,18,49,7,14,54,37,24],have:[18,4,28,31,8,10,24],tabl:[12,17,3,49],need:[1,42,18,12,37,24],minr:3,border:[46,3,4],sat:18,getboundingpar:8,engin:[20,18,2],multiplotwidget:[2,52,27],equival:18,min:[42,47,4],maxr:3,self:[24,4],plotdataitem:[1,52,25,14,50],isotrop:4,note:[16,34,18,10,47],also:[30,20,5,6,34,8,23,12,24,25],qgraphicstextitem:16,take:[47,18,55],which:[18,2,4,20,28,45,8,10,24,25],histogramlutwidget:[40,2,52],data1:55,noth:37,data3:55,data2:55,simplifi:[20,18],begin:18,pain:20,normal:[25,50],multipli:26,object:[57,8,24,25,9],rrggbbaa:18,linearregionitem:[45,52,50],most:[8,50,55,18,25],graphicsscen:8,childtransform:4,pair:[24,32],alpha:[26,18,49],"class":[0,1,3,4,5,6,7,8,9,10,11,12,13,15,16,17,18,19,21,22,23,24,25,26,27,28,29,30,31,32,33,34,14,37,44,47,40,41,42,45,46,48,49,50,51,53,54,56,57],ax0start:24,placement:46,hideroot:53,clear:[1,8,14],differ:[12,20,1,55,25],doe:[20,17,8,34],mri:18,determin:[26,18,19,8,10,12,24],axi:[16,26,1,4,14,12,42,25],minhu:18,viewtransform:8,think:55,viewchangedev:10,show:[26,18,5,55,14,25],forgetviewwidget:8,getregion:45,filllevel:[1,15,25],random:25,bring:20,bright:18,radio:14,feedback:55,vtickgroup:[28,52,50],minblu:3,onli:[1,3,4,46,31,8,55,10,42,47,25],coerc:31,ratio:4,colorbutton:[2,51,52],"true":[1,24,3,4,45,5,18,31,6,9,49,14,37,42,13,47],metaarrai:[0,1],behind:[20,1],should:[1,53,4],graphicslayoutwidget:[52,2,55,25,54],busi:5,black:42,viewport:10,qwidget:[2,25],combo:14,qprogressdialog:5,local:[8,4],control:[12,17,25,23,38],realboundingrect:10,keypressev:4,qgraphicsview:[25,23],info:1,predict:20,move:[6,42,24,31,4],get:[37,55],familiar:25,autom:38,unscal:37,state:[6,24,55,14],"import":[20,50,8,55,12,25],increas:[12,23],maxblu:3,requir:[20,5,24],setdata:[15,1,53],scale:[16,26,18,9,3,4,20,42,32,38,23,11,12,37,24,14,25,57],child:[8,4],bar:57,keyword:1,organ:[17,25],diamond:9,mkcolor:[18,30],method:[12,18,30,10,25],setlookupt:3,stuff:5,common:12,xmax:4,contain:[12,8,3,25],qgraphicsobject:8,where:[1,30],valid:47,view:[16,18,9,4,20,28,32,8,10,23,42,25,57],respond:10,set:[16,26,1,9,3,4,20,47,28,18,31,34,23,12,42,24,14,25],qpointf:47,setscal:26,crunch:20,frame:[12,42],displai:[0,1,3,4,5,55,37,12,19,16,17,18,20,21,42,25,26,34,14,11,47,52,53,36,15,57],see:[16,1,3,18,34,30,55,14,12,11,25],subtre:6,result:[8,9,18,23],arg:[16,0,1,42,48,40,29,22,18,49,8,14,37,24],fail:12,horizont:[45,47],yvalu:1,best:18,plotdata:25,infinit:47,detect:10,lut:3,getglobaltransform:24,mainli:16,boundari:[14,10,31,23],exist:[9,55,25,4],label:[16,26,25,14,32],enough:[20,37],dynam:20,between:[12,1],updateplotlist:14,drawn:1,experi:20,approach:55,qbrush:[18,30],parentitem:21,altern:9,autolevel:[42,3],kei:4,numer:31,inverti:4,complement:20,extens:20,maxhu:18,steroid:31,here:[20,55],pixelvector:8,rotatesnap:24,ipython:55,ax1start:24,pixels:[3,23],notat:[18,31],both:[12,1,4],last:18,fit:[26,42,14],cycl:18,howev:[20,18],lazi:55,showaxi:14,viewbox:[16,26,4,50,8,52,10,14,36,25],etc:[16,20,9,55,31],plotcurveitem:[50,33,34,52,15,25],instanc:[12,18],"__init__":[0,1,3,4,5,6,7,8,9,10,11,13,15,16,44,19,21,22,23,24,26,27,28,29,31,32,33,34,14,37,47,40,41,42,45,46,48,49,51,53,54,56,57],ccff00:16,mani:[1,20,30,50,55,24],fix:10,load:12,simpli:55,point:[1,9,4,18,32,33,34,12,11,24,25],instanti:[12,25],colspan:[46,55],pop:55,height:[8,10,4],header:0,written:[20,18],linux:20,cancel:5,typic:25,mouseshap:10,assum:8,viewporttransform:8,scaletoimag:23,save:3,vertic:[45,28,13,47],rgb:[12,18,49],invert:24,devic:8,compos:25,been:[6,24,4],sinc:50,much:20,interpret:[42,25,31],easiest:12,basic:[20,17,25,14,36],unambigu:23,blacklevel:3,box:[24,10,4],pxmode:[1,9],setimag:[12,37,18,42,3],imag:[17,1,3,20,21,18,41,23,12,37,42],numpi:[0,1,20,55,12,25],search:17,argument:[16,1,9,3,5,18,30,10,14,37,24,47,25],coordin:[1,24,4,28,8,9,10,23,19,47],understand:25,togeth:[25,14],demand:12,emphac:1,spin:31,opac:3,"case":[18,55],canceltext:5,multi:[20,18],ident:[1,9,29],sieval:18,look:[18,9],launcher:20,setylink:14,additem:46,graphicsview:[2,4,20,52,50,7,8,27,10,23,36,12,37,25,55],rectangular:[24,18,19,57],cursor:5,defin:[25,32],"while":[46,18,55],abov:[12,55,25],error:18,wascancel:5,aid:20,scene:[9,3,4,8,14,23],shadowpen:[1,15],observ:55,bin:3,planar:18,helper:[17,18,52],ctrl:4,pool:14,itself:14,qrectf:[10,4],vor:10,pixellength:8,histogramlutitem:[41,52,50],primit:20,verticallabel:[2,13,52],pyqwt5:20,scienc:[20,2],parent:[4,5,6,7,8,10,16,44,22,23,42,26,27,31,14,37,51,40,24,46,53,54,15],colorstr:18,enableautoscal:14,develop:[20,55],welcom:17,design:[20,55],perform:[12,37,9,23,20],suggest:55,make:[6,20,18,26,55],format:[0,18,3,55,14,12,24],fillbrush:1,same:[1,9,4,28,18,55,23,10,25],instal:20,nextcol:46,python:[12,20,55,53],pysid:20,complex:[20,30,25],pad:4,gui:[20,17,39,25],scalebar:[57,52,50],document:17,yval:55,pan:[20,42,25,23,4],higher:12,finish:[5,31],optim:[20,37,1,3],viewrect:[8,23,4],nest:[8,53],effect:18,qpen:[1,30,18],plotcurv:25,capabl:[20,18],lookup:[12,3,49],rais:[5,31],user:[2,20,5,55,47,25],canva:39,addavgcurv:14,stack:4,expand:[6,10],built:[12,30],appropri:30,center:4,labeltext:5,relativeto:24,thu:[34,25],nx2:1,well:[12,25],col:55,matplotlib:20,anim:[33,34],without:55,command:[17,55],thi:[1,3,4,6,8,10,12,18,20,23,42,25,26,9,29,31,34,14,37,47,24,50,55],dimension:[20,18],left:14,graphicswidget:[16,46,29,50,8,52],identifi:9,just:[18,55,31],hierarch:53,curvearrow:[33,34,50,52,11],getviewbox:8,shape:[37,1,10,18,25],via:[20,55,23],virtual:50,aspect:4,heavili:25,dock:20,jumpfram:42,shadow:[1,15],viewgeometri:14,signific:23,easi:55,except:[5,31],param:14,discuss:25,color:[16,17,18,15,30,32,52,12,51,25,57],add:[9,25,14],autorang:[42,10],inner:8,win:55,snap:24,els:37,busycursor:5,match:[10,23],build:[12,20,2,55],real:1,applic:[12,17,2,55,20],around:4,itemboundingrect:4,read:25,mapviewtoscen:4,dark:12,buttonitem:[21,52,50],grid:[26,19,46,55,24,25],xdata:18,background:23,press:[24,4],bit:12,tick:[26,28,25],rescal:10,name:[1,42,14],maxval:5,ignor:[9,24,10,3],like:[20,18,55],specif:[33,32],plotwidget:[16,18,2,7,52,55,14,25],qspinbox:31,childgroup:4,signal:31,arbitrari:[18,9],html:14,integ:[12,18,25,31],forgetviewbox:8,"boolean":16,singl:[26,18,27,3,15,30,7,8,9,14,12,47,25],realtim:20,setshadowpen:1,resiz:[10,23],imagefil:21,unnecessari:18,setrang:[23,4],right:[14,23],often:[20,55],captur:4,settext:16,interact:[20,15,55,14],some:[20,0],draw:[1,3,28,18,32,50,47,25],zoom:4,intern:[6,46,8,4],sampl:[33,34],setnewbound:10,importantli:[55,25],useleftbuttonpan:4,librari:[12,20],slice:[17,18,20,38,52,24],bottom:[22,14],maxticklength:26,per:1,prop:31,wrong:20,"20x20":18,pen:[26,1,9,15,28,52,18,30,55,24,47,25],scrollbar:23,unit:[26,18,52,14],allowunicod:18,notabl:30,either:[34,24,14],core:20,plu:9,run:20,bold:16,spinbox:[2,52,31],perpendicular:18,yrang:28,promot:55,offset:[12,32],rrggbb:18,joystickbutton:[44,2,52],simpler:55,lock:4,about:[20,37,55,25],actual:[31,4],transpos:12,setangl:47,page:17,degre:47,statement:5,includ:[12,20,1,55,25],dialog:5,span:26,getlocalhandleposit:24,disabl:[26,5,1,25],produc:12,"8pt":16,routin:4,own:20,effici:55,snapsiz:24,"float":[12,1,18,31],bound:[4,45,31,8,10,47],automat:[26,0,1,14,20,46,30,8,10,23,12,55,19,25],three:[18,25],diagon:18,targetrect:4,brush:[1,9,45,30,52,15,25,18],devicetransform:8,factor:18,mark:[20,17,28,45,38],your:[12,55,25],gradientlegend:[50,52,32],occupi:28,accordingli:14,dlg:5,triangl:9,ymax:4,val:31,area:[1,25],enabl:[8,14,23],hex:18,transform:[8,24,10,3,4],fast:[20,37,15],custom:[20,55],avail:[12,20,55,25],start:[20,18],reli:50,interfac:[20,18,2,55],editor:12,under:25,forward:4,setpoint:9,entir:23,"function":[0,18,2,3,4,20,17,30,50,8,52,55,12,37,24,25],creation:10,interest:[20,17,24,38],offer:18,forc:[9,4],tupl:[18,24,30],linearregion:38,hsvcolor:[18,30],amongst:20,histogram:[12,3],nextrow:46,link:14,translat:[12,24,38],setgrid:26,don:55,line:[17,1,20,18,45,30,55,19,47,25],dtype:1,bug:[8,29],scalebi:4,reset:31,pull:[18,24],immedi:55,flowchart:39,boundingrect:10,possibl:18,whether:[42,24,3],maxbound:24,access:20,maximum:[5,30,47,4],sepecifi:1,until:5,record:0,scipi:12,otherwis:[9,29],handlechang:24,similar:20,setlevel:3,curv:[1,33,34,14,11,15,25],affineslic:18,featur:[20,31],pil:12,creat:[1,55,18,23,25],"int":[1,18,31],cover:24,repres:[8,30,15,18],autoscal:14,editingfinishedev:31,implement:[27,23,4,50,7,14,24],file:[12,55],imageview:[18,2,52,55,12,42],request:4,attr:16,work:[6,12],rearrang:12,fill:[17,1,30,23,25,18],denot:32,automaticali:25,titl:[16,18,25,14],when:[1,3,4,47,6,55,23,10,24,14,25],detail:1,invalid:31,event:4,"default":[16,1,9,4,42,18,10,23,24],circl:9,bool:[1,42],varieti:18,squar:9,you:[18,50,10,12,37,25],autopixelrang:23,absurd:6,matur:20,repeat:1,"_only_":37,sequenc:[1,25],symbol:[1,9,25],qtablewidget:0,ndarrai:[37,1,42,18],multidimension:[17,38],elsewher:6,drag:[6,45,47,4],accomplish:50,embed:[12,17,55,25],consid:55,savest:24,doubl:20,setpxmod:3,prefixless:18,unaffect:14,stai:10,outdat:20,invari:11,viewrangechang:10,svg:20,updatexscal:14,visual:[20,55],tradeoff:37,text:[16,5,31,32,14,13],obj:4,time:[18,3,5,55,12,42],far:20,siformat:18,"export":20,backward:4,prototyp:[20,17,39]},objtypes:{"0":"py:module","1":"py:function","2":"py:method","3":"py:class","4":"py:attribute"},titles:["TableWidget","PlotDataItem","Pyqtgraph&#8217;s Widgets","ImageItem","ViewBox","ProgressDialog","TreeWidget","PlotWidget","GraphicsObject","ScatterPlotItem","UIGraphicsItem","ArrowItem","Displaying images and video","VerticalLabel","PlotItem","PlotCurveItem","LabelItem","Welcome to the documentation for pyqtgraph 1.8","Pyqtgraph&#8217;s Helper Functions","GridItem","Introduction","ButtonItem","GradientWidget","GraphicsView","ROI","Plotting in pyqtgraph","AxisItem","MultiPlotWidget","VTickGroup","GraphicsWidget","Line, Fill, and Color","SpinBox","GradientLegend","CurveArrow","CurvePoint","parametertree module","Basic display widgets","RawImageWidget","Region-of-interest controls","Rapid GUI prototyping","HistogramLUTWidget","HistogramLUTItem","ImageView","dockarea module","JoystickButton","LinearRegionItem","GraphicsLayout","InfiniteLine","FileDialog","GradientEditorItem","Pyqtgraph&#8217;s Graphics Items","ColorButton","API Reference","DataTreeWidget","GraphicsLayoutWidget","How to use pyqtgraph","CheckTable","ScaleBar"],objnames:{"0":"Python module","1":"Python function","2":"Python method","3":"Python class","4":"Python attribute"},filenames:["widgets/tablewidget","graphicsItems/plotdataitem","widgets/index","graphicsItems/imageitem","graphicsItems/viewbox","widgets/progressdialog","widgets/treewidget","widgets/plotwidget","graphicsItems/graphicsobject","graphicsItems/scatterplotitem","graphicsItems/uigraphicsitem","graphicsItems/arrowitem","images","widgets/verticallabel","graphicsItems/plotitem","graphicsItems/plotcurveitem","graphicsItems/labelitem","index","functions","graphicsItems/griditem","introduction","graphicsItems/buttonitem","widgets/gradientwidget","widgets/graphicsview","graphicsItems/roi","plotting","graphicsItems/axisitem","widgets/multiplotwidget","graphicsItems/vtickgroup","graphicsItems/graphicswidget","style","widgets/spinbox","graphicsItems/gradientlegend","graphicsItems/curvearrow","graphicsItems/curvepoint","widgets/parametertree","graphicswindow","widgets/rawimagewidget","region_of_interest","parametertree","widgets/histogramlutwidget","graphicsItems/histogramlutitem","widgets/imageview","widgets/dockarea","widgets/joystickbutton","graphicsItems/linearregionitem","graphicsItems/graphicslayout","graphicsItems/infiniteline","widgets/filedialog","graphicsItems/gradienteditoritem","graphicsItems/index","widgets/colorbutton","apireference","widgets/datatreewidget","widgets/graphicslayoutwidget","how_to_use","widgets/checktable","graphicsItems/scalebar"]})
\ No newline at end of file
diff --git a/documentation/build/html/style.html b/documentation/build/html/style.html
new file mode 100644
index 0000000000000000000000000000000000000000..3cdea05f1f0d20e663846843e6f4cc68fdeaf178
--- /dev/null
+++ b/documentation/build/html/style.html
@@ -0,0 +1,127 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Line, Fill, and Color &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="index.html" />
+    <link rel="next" title="Region-of-interest controls" href="region_of_interest.html" />
+    <link rel="prev" title="Displaying images and video" href="images.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="region_of_interest.html" title="Region-of-interest controls"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="images.html" title="Displaying images and video"
+             accesskey="P">previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="line-fill-and-color">
+<h1>Line, Fill, and Color<a class="headerlink" href="#line-fill-and-color" title="Permalink to this headline">¶</a></h1>
+<p>Many functions and methods in pyqtgraph accept arguments specifying the line style (pen), fill style (brush), or color.</p>
+<p>For these function arguments, the following values may be used:</p>
+<ul class="simple">
+<li>single-character string representing color (b, g, r, c, m, y, k, w)</li>
+<li>(r, g, b) or (r, g, b, a) tuple</li>
+<li>single greyscale value (0.0 - 1.0)</li>
+<li>(index, maximum) tuple for automatically iterating through colors (see functions.intColor)</li>
+<li>QColor</li>
+<li>QPen / QBrush where appropriate</li>
+</ul>
+<p>Notably, more complex pens and brushes can be easily built using the mkPen() / mkBrush() functions or with Qt&#8217;s QPen and QBrush classes.</p>
+<p>Colors can also be built using mkColor(), intColor(), hsvColor(), or Qt&#8217;s QColor class</p>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="images.html"
+                        title="previous chapter">Displaying images and video</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="region_of_interest.html"
+                        title="next chapter">Region-of-interest controls</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="_sources/style.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="region_of_interest.html" title="Region-of-interest controls"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="images.html" title="Displaying images and video"
+             >previous</a> |</li>
+        <li><a href="index.html">pyqtgraph v1.8 documentation</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/checktable.html b/documentation/build/html/widgets/checktable.html
new file mode 100644
index 0000000000000000000000000000000000000000..22f15e1738d41e211f0c57a82e062318c592e1e7
--- /dev/null
+++ b/documentation/build/html/widgets/checktable.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>CheckTable &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="TableWidget" href="tablewidget.html" />
+    <link rel="prev" title="DataTreeWidget" href="datatreewidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="tablewidget.html" title="TableWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="datatreewidget.html" title="DataTreeWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="checktable">
+<h1>CheckTable<a class="headerlink" href="#checktable" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.CheckTable">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">CheckTable</tt><big>(</big><em>columns</em><big>)</big><a class="headerlink" href="#pyqtgraph.CheckTable" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.CheckTable.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>columns</em><big>)</big><a class="headerlink" href="#pyqtgraph.CheckTable.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="datatreewidget.html"
+                        title="previous chapter">DataTreeWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="tablewidget.html"
+                        title="next chapter">TableWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/checktable.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="tablewidget.html" title="TableWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="datatreewidget.html" title="DataTreeWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/colorbutton.html b/documentation/build/html/widgets/colorbutton.html
new file mode 100644
index 0000000000000000000000000000000000000000..6865391e1d650518304e38667a63f6e585911b9e
--- /dev/null
+++ b/documentation/build/html/widgets/colorbutton.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ColorButton &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="GraphicsLayoutWidget" href="graphicslayoutwidget.html" />
+    <link rel="prev" title="GradientWidget" href="gradientwidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicslayoutwidget.html" title="GraphicsLayoutWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="gradientwidget.html" title="GradientWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="colorbutton">
+<h1>ColorButton<a class="headerlink" href="#colorbutton" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ColorButton">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ColorButton</tt><big>(</big><em>parent=None</em>, <em>color=(128</em>, <em>128</em>, <em>128)</em><big>)</big><a class="headerlink" href="#pyqtgraph.ColorButton" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.ColorButton.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>color=(128</em>, <em>128</em>, <em>128)</em><big>)</big><a class="headerlink" href="#pyqtgraph.ColorButton.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="gradientwidget.html"
+                        title="previous chapter">GradientWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="graphicslayoutwidget.html"
+                        title="next chapter">GraphicsLayoutWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/colorbutton.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicslayoutwidget.html" title="GraphicsLayoutWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="gradientwidget.html" title="GradientWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/datatreewidget.html b/documentation/build/html/widgets/datatreewidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..449b0b48de0ceb8193f618143dc6aa0abf952e2d
--- /dev/null
+++ b/documentation/build/html/widgets/datatreewidget.html
@@ -0,0 +1,138 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>DataTreeWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="CheckTable" href="checktable.html" />
+    <link rel="prev" title="ImageView" href="imageview.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="checktable.html" title="CheckTable"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="imageview.html" title="ImageView"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="datatreewidget">
+<h1>DataTreeWidget<a class="headerlink" href="#datatreewidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.DataTreeWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">DataTreeWidget</tt><big>(</big><em>parent=None</em>, <em>data=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.DataTreeWidget" title="Permalink to this definition">¶</a></dt>
+<dd><p>Widget for displaying hierarchical python data structures
+(eg, nested dicts, lists, and arrays)</p>
+<dl class="method">
+<dt id="pyqtgraph.DataTreeWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>data=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.DataTreeWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.DataTreeWidget.setData">
+<tt class="descname">setData</tt><big>(</big><em>data</em>, <em>hideRoot=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.DataTreeWidget.setData" title="Permalink to this definition">¶</a></dt>
+<dd><p>data should be a dictionary.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="imageview.html"
+                        title="previous chapter">ImageView</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="checktable.html"
+                        title="next chapter">CheckTable</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/datatreewidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="checktable.html" title="CheckTable"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="imageview.html" title="ImageView"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/dockarea.html b/documentation/build/html/widgets/dockarea.html
new file mode 100644
index 0000000000000000000000000000000000000000..8473421d8ea89f347fe0afbc2acb2733bbc2753d
--- /dev/null
+++ b/documentation/build/html/widgets/dockarea.html
@@ -0,0 +1,120 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>dockarea module &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="parametertree module" href="parametertree.html" />
+    <link rel="prev" title="GraphicsLayoutWidget" href="graphicslayoutwidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="parametertree.html" title="parametertree module"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="graphicslayoutwidget.html" title="GraphicsLayoutWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="module-pyqtgraph.dockarea">
+<span id="dockarea-module"></span><h1>dockarea module<a class="headerlink" href="#module-pyqtgraph.dockarea" title="Permalink to this headline">¶</a></h1>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="graphicslayoutwidget.html"
+                        title="previous chapter">GraphicsLayoutWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="parametertree.html"
+                        title="next chapter">parametertree module</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/dockarea.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="parametertree.html" title="parametertree module"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="graphicslayoutwidget.html" title="GraphicsLayoutWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/filedialog.html b/documentation/build/html/widgets/filedialog.html
new file mode 100644
index 0000000000000000000000000000000000000000..45fa4ab1ca4042896eac72135108a1e98252c180
--- /dev/null
+++ b/documentation/build/html/widgets/filedialog.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>FileDialog &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="GraphicsView" href="graphicsview.html" />
+    <link rel="prev" title="SpinBox" href="spinbox.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicsview.html" title="GraphicsView"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="spinbox.html" title="SpinBox"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="filedialog">
+<h1>FileDialog<a class="headerlink" href="#filedialog" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.FileDialog">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">FileDialog</tt><big>(</big><em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.FileDialog" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.FileDialog.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.FileDialog.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="spinbox.html"
+                        title="previous chapter">SpinBox</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="graphicsview.html"
+                        title="next chapter">GraphicsView</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/filedialog.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="graphicsview.html" title="GraphicsView"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="spinbox.html" title="SpinBox"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/gradientwidget.html b/documentation/build/html/widgets/gradientwidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..3a11e659f0534274c82c88ca3db7e60955062848
--- /dev/null
+++ b/documentation/build/html/widgets/gradientwidget.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GradientWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="ColorButton" href="colorbutton.html" />
+    <link rel="prev" title="TableWidget" href="tablewidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="colorbutton.html" title="ColorButton"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="tablewidget.html" title="TableWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="gradientwidget">
+<h1>GradientWidget<a class="headerlink" href="#gradientwidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GradientWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GradientWidget</tt><big>(</big><em>parent=None</em>, <em>orientation='bottom'</em>, <em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.GradientWidget" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.GradientWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>orientation='bottom'</em>, <em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.GradientWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="tablewidget.html"
+                        title="previous chapter">TableWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="colorbutton.html"
+                        title="next chapter">ColorButton</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/gradientwidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="colorbutton.html" title="ColorButton"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="tablewidget.html" title="TableWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/graphicslayoutwidget.html b/documentation/build/html/widgets/graphicslayoutwidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..3cbc7e00b3bddc1aec23354f8dae96eb5ae073e1
--- /dev/null
+++ b/documentation/build/html/widgets/graphicslayoutwidget.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GraphicsLayoutWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="dockarea module" href="dockarea.html" />
+    <link rel="prev" title="ColorButton" href="colorbutton.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="dockarea.html" title="dockarea module"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="colorbutton.html" title="ColorButton"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="graphicslayoutwidget">
+<h1>GraphicsLayoutWidget<a class="headerlink" href="#graphicslayoutwidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GraphicsLayoutWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GraphicsLayoutWidget</tt><big>(</big><em>parent=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsLayoutWidget" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.GraphicsLayoutWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsLayoutWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="colorbutton.html"
+                        title="previous chapter">ColorButton</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="dockarea.html"
+                        title="next chapter">dockarea module</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/graphicslayoutwidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="dockarea.html" title="dockarea module"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="colorbutton.html" title="ColorButton"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/graphicsview.html b/documentation/build/html/widgets/graphicsview.html
new file mode 100644
index 0000000000000000000000000000000000000000..4474a07f1b9c2dd7231028026f50b88d4209c9a2
--- /dev/null
+++ b/documentation/build/html/widgets/graphicsview.html
@@ -0,0 +1,162 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>GraphicsView &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="JoystickButton" href="joystickbutton.html" />
+    <link rel="prev" title="FileDialog" href="filedialog.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="joystickbutton.html" title="JoystickButton"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="filedialog.html" title="FileDialog"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="graphicsview">
+<h1>GraphicsView<a class="headerlink" href="#graphicsview" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.GraphicsView">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">GraphicsView</tt><big>(</big><em>parent=None</em>, <em>useOpenGL=None</em>, <em>background='k'</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsView" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.GraphicsView.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>useOpenGL=None</em>, <em>background='k'</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsView.__init__" title="Permalink to this definition">¶</a></dt>
+<dd><p>Re-implementation of QGraphicsView that removes scrollbars and allows unambiguous control of the 
+viewed coordinate range. Also automatically creates a QGraphicsScene and a central QGraphicsWidget
+that is automatically scaled to the full view geometry.</p>
+<p>By default, the view coordinate system matches the widget&#8217;s pixel coordinates and 
+automatically updates when the view is resized. This can be overridden by setting 
+autoPixelRange=False. The exact visible range can be set with setRange().</p>
+<p>The view can be panned using the middle mouse button and scaled using the right mouse button if
+enabled via enableMouse().</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsView.pixelSize">
+<tt class="descname">pixelSize</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsView.pixelSize" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return vector with the length and width of one view pixel in scene coordinates</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsView.scaleToImage">
+<tt class="descname">scaleToImage</tt><big>(</big><em>image</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsView.scaleToImage" title="Permalink to this definition">¶</a></dt>
+<dd><p>Scales such that pixels in image are the same size as screen pixels. This may result in a significant performance increase.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsView.setCentralWidget">
+<tt class="descname">setCentralWidget</tt><big>(</big><em>item</em><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsView.setCentralWidget" title="Permalink to this definition">¶</a></dt>
+<dd><p>Sets a QGraphicsWidget to automatically fill the entire view.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.GraphicsView.viewRect">
+<tt class="descname">viewRect</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.GraphicsView.viewRect" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the boundaries of the view in scene coordinates</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="filedialog.html"
+                        title="previous chapter">FileDialog</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="joystickbutton.html"
+                        title="next chapter">JoystickButton</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/graphicsview.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="joystickbutton.html" title="JoystickButton"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="filedialog.html" title="FileDialog"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/histogramlutwidget.html b/documentation/build/html/widgets/histogramlutwidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..5866ae0174831b2444ca2afbcf879adf3f6596a1
--- /dev/null
+++ b/documentation/build/html/widgets/histogramlutwidget.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>HistogramLUTWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="ProgressDialog" href="progressdialog.html" />
+    <link rel="prev" title="parametertree module" href="parametertree.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="progressdialog.html" title="ProgressDialog"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="parametertree.html" title="parametertree module"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="histogramlutwidget">
+<h1>HistogramLUTWidget<a class="headerlink" href="#histogramlutwidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.HistogramLUTWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">HistogramLUTWidget</tt><big>(</big><em>parent=None</em>, <em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.HistogramLUTWidget" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.HistogramLUTWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.HistogramLUTWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="parametertree.html"
+                        title="previous chapter">parametertree module</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="progressdialog.html"
+                        title="next chapter">ProgressDialog</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/histogramlutwidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="progressdialog.html" title="ProgressDialog"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="parametertree.html" title="parametertree module"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/imageview.html b/documentation/build/html/widgets/imageview.html
new file mode 100644
index 0000000000000000000000000000000000000000..85680aa634ce8ab3e6e15f2f3c9073aa6dd2d8d5
--- /dev/null
+++ b/documentation/build/html/widgets/imageview.html
@@ -0,0 +1,158 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ImageView &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="DataTreeWidget" href="datatreewidget.html" />
+    <link rel="prev" title="PlotWidget" href="plotwidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="datatreewidget.html" title="DataTreeWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="plotwidget.html" title="PlotWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="imageview">
+<h1>ImageView<a class="headerlink" href="#imageview" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ImageView">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ImageView</tt><big>(</big><em>parent=None</em>, <em>name='ImageView'</em>, <em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageView" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.ImageView.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>name='ImageView'</em>, <em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageView.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageView.jumpFrames">
+<tt class="descname">jumpFrames</tt><big>(</big><em>n</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageView.jumpFrames" title="Permalink to this definition">¶</a></dt>
+<dd><p>If this is a video, move ahead n frames</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageView.setImage">
+<tt class="descname">setImage</tt><big>(</big><em>img</em>, <em>autoRange=True</em>, <em>autoLevels=True</em>, <em>levels=None</em>, <em>axes=None</em>, <em>xvals=None</em>, <em>pos=None</em>, <em>scale=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageView.setImage" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the image to be displayed in the widget.
+Options are:</p>
+<blockquote>
+<p>img:         ndarray; the image to be displayed.
+autoRange:   bool; whether to scale/pan the view to fit the image.
+autoLevels:  bool; whether to update the white/black levels to fit the image.
+levels:      (min, max); the white and black level values to use.
+axes:        {&#8216;t&#8217;:0, &#8216;x&#8217;:1, &#8216;y&#8217;:2, &#8216;c&#8217;:3}; Dictionary indicating the interpretation for each axis.</p>
+<blockquote>
+This is only needed to override the default guess.</blockquote>
+</blockquote>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.ImageView.timeIndex">
+<tt class="descname">timeIndex</tt><big>(</big><em>slider</em><big>)</big><a class="headerlink" href="#pyqtgraph.ImageView.timeIndex" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return the time and frame index indicated by a slider</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="plotwidget.html"
+                        title="previous chapter">PlotWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="datatreewidget.html"
+                        title="next chapter">DataTreeWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/imageview.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="datatreewidget.html" title="DataTreeWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="plotwidget.html" title="PlotWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/index.html b/documentation/build/html/widgets/index.html
new file mode 100644
index 0000000000000000000000000000000000000000..8e84cb402079a99383d7b2dc5d132836f27927c8
--- /dev/null
+++ b/documentation/build/html/widgets/index.html
@@ -0,0 +1,144 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Pyqtgraph’s Widgets &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="API Reference" href="../apireference.html" />
+    <link rel="next" title="PlotWidget" href="plotwidget.html" />
+    <link rel="prev" title="UIGraphicsItem" href="../graphicsItems/uigraphicsitem.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotwidget.html" title="PlotWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="../graphicsItems/uigraphicsitem.html" title="UIGraphicsItem"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" accesskey="U">API Reference</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="pyqtgraph-s-widgets">
+<h1>Pyqtgraph&#8217;s Widgets<a class="headerlink" href="#pyqtgraph-s-widgets" title="Permalink to this headline">¶</a></h1>
+<p>Pyqtgraph provides several QWidget subclasses which are useful for building user interfaces. These widgets can generally be used in any Qt application and provide functionality that is frequently useful in science and engineering applications.</p>
+<p>Contents:</p>
+<div class="toctree-wrapper compound">
+<ul>
+<li class="toctree-l1"><a class="reference internal" href="plotwidget.html">PlotWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="imageview.html">ImageView</a></li>
+<li class="toctree-l1"><a class="reference internal" href="datatreewidget.html">DataTreeWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="checktable.html">CheckTable</a></li>
+<li class="toctree-l1"><a class="reference internal" href="tablewidget.html">TableWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="gradientwidget.html">GradientWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="colorbutton.html">ColorButton</a></li>
+<li class="toctree-l1"><a class="reference internal" href="graphicslayoutwidget.html">GraphicsLayoutWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="dockarea.html">dockarea module</a></li>
+<li class="toctree-l1"><a class="reference internal" href="parametertree.html">parametertree module</a></li>
+<li class="toctree-l1"><a class="reference internal" href="histogramlutwidget.html">HistogramLUTWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="progressdialog.html">ProgressDialog</a></li>
+<li class="toctree-l1"><a class="reference internal" href="spinbox.html">SpinBox</a></li>
+<li class="toctree-l1"><a class="reference internal" href="filedialog.html">FileDialog</a></li>
+<li class="toctree-l1"><a class="reference internal" href="graphicsview.html">GraphicsView</a></li>
+<li class="toctree-l1"><a class="reference internal" href="joystickbutton.html">JoystickButton</a></li>
+<li class="toctree-l1"><a class="reference internal" href="multiplotwidget.html">MultiPlotWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="treewidget.html">TreeWidget</a></li>
+<li class="toctree-l1"><a class="reference internal" href="verticallabel.html">VerticalLabel</a></li>
+<li class="toctree-l1"><a class="reference internal" href="rawimagewidget.html">RawImageWidget</a></li>
+</ul>
+</div>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="../graphicsItems/uigraphicsitem.html"
+                        title="previous chapter">UIGraphicsItem</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="plotwidget.html"
+                        title="next chapter">PlotWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/index.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="plotwidget.html" title="PlotWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="../graphicsItems/uigraphicsitem.html" title="UIGraphicsItem"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/joystickbutton.html b/documentation/build/html/widgets/joystickbutton.html
new file mode 100644
index 0000000000000000000000000000000000000000..60e8eee39fa4c64783ab0069592e640d327deb91
--- /dev/null
+++ b/documentation/build/html/widgets/joystickbutton.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>JoystickButton &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="MultiPlotWidget" href="multiplotwidget.html" />
+    <link rel="prev" title="GraphicsView" href="graphicsview.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="multiplotwidget.html" title="MultiPlotWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="graphicsview.html" title="GraphicsView"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="joystickbutton">
+<h1>JoystickButton<a class="headerlink" href="#joystickbutton" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.JoystickButton">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">JoystickButton</tt><big>(</big><em>parent=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.JoystickButton" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.JoystickButton.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.JoystickButton.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="graphicsview.html"
+                        title="previous chapter">GraphicsView</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="multiplotwidget.html"
+                        title="next chapter">MultiPlotWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/joystickbutton.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="multiplotwidget.html" title="MultiPlotWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="graphicsview.html" title="GraphicsView"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/multiplotwidget.html b/documentation/build/html/widgets/multiplotwidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..8624e2e1e7ed970db6c108530a16c9bc825aa37a
--- /dev/null
+++ b/documentation/build/html/widgets/multiplotwidget.html
@@ -0,0 +1,131 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>MultiPlotWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="TreeWidget" href="treewidget.html" />
+    <link rel="prev" title="JoystickButton" href="joystickbutton.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="treewidget.html" title="TreeWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="joystickbutton.html" title="JoystickButton"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="multiplotwidget">
+<h1>MultiPlotWidget<a class="headerlink" href="#multiplotwidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.MultiPlotWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">MultiPlotWidget</tt><big>(</big><em>parent=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.MultiPlotWidget" title="Permalink to this definition">¶</a></dt>
+<dd><p>Widget implementing a graphicsView with a single PlotItem inside.</p>
+<dl class="method">
+<dt id="pyqtgraph.MultiPlotWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.MultiPlotWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="joystickbutton.html"
+                        title="previous chapter">JoystickButton</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="treewidget.html"
+                        title="next chapter">TreeWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/multiplotwidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="treewidget.html" title="TreeWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="joystickbutton.html" title="JoystickButton"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/parametertree.html b/documentation/build/html/widgets/parametertree.html
new file mode 100644
index 0000000000000000000000000000000000000000..cb2ff84fde178107337ce0fb48a5e66d09021fd4
--- /dev/null
+++ b/documentation/build/html/widgets/parametertree.html
@@ -0,0 +1,120 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>parametertree module &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="HistogramLUTWidget" href="histogramlutwidget.html" />
+    <link rel="prev" title="dockarea module" href="dockarea.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="histogramlutwidget.html" title="HistogramLUTWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="dockarea.html" title="dockarea module"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="module-pyqtgraph.parametertree">
+<span id="parametertree-module"></span><h1>parametertree module<a class="headerlink" href="#module-pyqtgraph.parametertree" title="Permalink to this headline">¶</a></h1>
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="dockarea.html"
+                        title="previous chapter">dockarea module</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="histogramlutwidget.html"
+                        title="next chapter">HistogramLUTWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/parametertree.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="histogramlutwidget.html" title="HistogramLUTWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="dockarea.html" title="dockarea module"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/plotwidget.html b/documentation/build/html/widgets/plotwidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..c8b060f22544251f7d5251a0fe28ba3ce1b572d4
--- /dev/null
+++ b/documentation/build/html/widgets/plotwidget.html
@@ -0,0 +1,131 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>PlotWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="ImageView" href="imageview.html" />
+    <link rel="prev" title="Pyqtgraph’s Widgets" href="index.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="imageview.html" title="ImageView"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="index.html" title="Pyqtgraph’s Widgets"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="plotwidget">
+<h1>PlotWidget<a class="headerlink" href="#plotwidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.PlotWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">PlotWidget</tt><big>(</big><em>parent=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotWidget" title="Permalink to this definition">¶</a></dt>
+<dd><p>Widget implementing a graphicsView with a single PlotItem inside.</p>
+<dl class="method">
+<dt id="pyqtgraph.PlotWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.PlotWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="index.html"
+                        title="previous chapter">Pyqtgraph&#8217;s Widgets</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="imageview.html"
+                        title="next chapter">ImageView</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/plotwidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="imageview.html" title="ImageView"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="index.html" title="Pyqtgraph’s Widgets"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/progressdialog.html b/documentation/build/html/widgets/progressdialog.html
new file mode 100644
index 0000000000000000000000000000000000000000..969b09afa34dd01cf3ec1c1bd9057bb5dd9bfa7c
--- /dev/null
+++ b/documentation/build/html/widgets/progressdialog.html
@@ -0,0 +1,153 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>ProgressDialog &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="SpinBox" href="spinbox.html" />
+    <link rel="prev" title="HistogramLUTWidget" href="histogramlutwidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="spinbox.html" title="SpinBox"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="histogramlutwidget.html" title="HistogramLUTWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="progressdialog">
+<h1>ProgressDialog<a class="headerlink" href="#progressdialog" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.ProgressDialog">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">ProgressDialog</tt><big>(</big><em>labelText</em>, <em>minimum=0</em>, <em>maximum=100</em>, <em>cancelText='Cancel'</em>, <em>parent=None</em>, <em>wait=250</em>, <em>busyCursor=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.ProgressDialog" title="Permalink to this definition">¶</a></dt>
+<dd><p>Extends QProgressDialog for use in &#8216;with&#8217; statements.
+Arguments:</p>
+<blockquote>
+labelText   (required)
+cancelText   Text to display on cancel button, or None to disable it.
+minimum
+maximum
+parent       
+wait         Length of time (im ms) to wait before displaying dialog
+busyCursor   If True, show busy cursor until dialog finishes</blockquote>
+<dl class="docutils">
+<dt>Example:</dt>
+<dd><dl class="first last docutils">
+<dt>with ProgressDialog(&#8220;Processing..&#8221;, minVal, maxVal) as dlg:</dt>
+<dd><p class="first"># do stuff
+dlg.setValue(i)   ## could also use dlg += 1
+if dlg.wasCanceled():</p>
+<blockquote class="last">
+raise Exception(&#8220;Processing canceled by user&#8221;)</blockquote>
+</dd>
+</dl>
+</dd>
+</dl>
+<dl class="method">
+<dt id="pyqtgraph.ProgressDialog.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>labelText</em>, <em>minimum=0</em>, <em>maximum=100</em>, <em>cancelText='Cancel'</em>, <em>parent=None</em>, <em>wait=250</em>, <em>busyCursor=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.ProgressDialog.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="histogramlutwidget.html"
+                        title="previous chapter">HistogramLUTWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="spinbox.html"
+                        title="next chapter">SpinBox</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/progressdialog.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="spinbox.html" title="SpinBox"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="histogramlutwidget.html" title="HistogramLUTWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/rawimagewidget.html b/documentation/build/html/widgets/rawimagewidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..88a895847fcf1d591d2a76e6fba4b9940094ed4a
--- /dev/null
+++ b/documentation/build/html/widgets/rawimagewidget.html
@@ -0,0 +1,132 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>RawImageWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="prev" title="VerticalLabel" href="verticallabel.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="verticallabel.html" title="VerticalLabel"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="rawimagewidget">
+<h1>RawImageWidget<a class="headerlink" href="#rawimagewidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.RawImageWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">RawImageWidget</tt><big>(</big><em>parent=None</em>, <em>scaled=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.RawImageWidget" title="Permalink to this definition">¶</a></dt>
+<dd><p>Widget optimized for very fast video display. 
+Generally using an ImageItem inside GraphicsView is fast enough,
+but if you need even more performance, this widget is about as fast as it gets.</p>
+<p>The tradeoff is that this widget will _only_ display the unscaled image
+and nothing else.</p>
+<dl class="method">
+<dt id="pyqtgraph.RawImageWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>scaled=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.RawImageWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.RawImageWidget.setImage">
+<tt class="descname">setImage</tt><big>(</big><em>img</em>, <em>*args</em>, <em>**kargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.RawImageWidget.setImage" title="Permalink to this definition">¶</a></dt>
+<dd><p>img must be ndarray of shape (x,y), (x,y,3), or (x,y,4).
+Extra arguments are sent to functions.makeARGB</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="verticallabel.html"
+                        title="previous chapter">VerticalLabel</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/rawimagewidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="verticallabel.html" title="VerticalLabel"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/spinbox.html b/documentation/build/html/widgets/spinbox.html
new file mode 100644
index 0000000000000000000000000000000000000000..5eaf1b5195e9fbe924f6e2427ec7cfaaf8c23be4
--- /dev/null
+++ b/documentation/build/html/widgets/spinbox.html
@@ -0,0 +1,164 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>SpinBox &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="FileDialog" href="filedialog.html" />
+    <link rel="prev" title="ProgressDialog" href="progressdialog.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="filedialog.html" title="FileDialog"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="progressdialog.html" title="ProgressDialog"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="spinbox">
+<h1>SpinBox<a class="headerlink" href="#spinbox" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.SpinBox">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">SpinBox</tt><big>(</big><em>parent=None</em>, <em>value=0.0</em>, <em>**kwargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.SpinBox" title="Permalink to this definition">¶</a></dt>
+<dd><p>QSpinBox widget on steroids. Allows selection of numerical value, with extra features:
+- SI prefix notation
+- Float values with linear and decimal stepping (1-9, 10-90, 100-900, etc.)
+- Option for unbounded values
+- Delayed signals (allows multiple rapid changes with only one change signal)</p>
+<dl class="method">
+<dt id="pyqtgraph.SpinBox.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em>, <em>value=0.0</em>, <em>**kwargs</em><big>)</big><a class="headerlink" href="#pyqtgraph.SpinBox.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.SpinBox.editingFinishedEvent">
+<tt class="descname">editingFinishedEvent</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.SpinBox.editingFinishedEvent" title="Permalink to this definition">¶</a></dt>
+<dd><p>Edit has finished; set value.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.SpinBox.interpret">
+<tt class="descname">interpret</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.SpinBox.interpret" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return value of text. Return False if text is invalid, raise exception if text is intermediate</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.SpinBox.setProperty">
+<tt class="descname">setProperty</tt><big>(</big><em>prop</em>, <em>val</em><big>)</big><a class="headerlink" href="#pyqtgraph.SpinBox.setProperty" title="Permalink to this definition">¶</a></dt>
+<dd><p>setProperty is just for compatibility with QSpinBox</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.SpinBox.setValue">
+<tt class="descname">setValue</tt><big>(</big><em>value=None</em>, <em>update=True</em>, <em>delaySignal=False</em><big>)</big><a class="headerlink" href="#pyqtgraph.SpinBox.setValue" title="Permalink to this definition">¶</a></dt>
+<dd><p>Set the value of this spin. 
+If the value is out of bounds, it will be moved to the nearest boundary
+If the spin is integer type, the value will be coerced to int
+Returns the actual value set.</p>
+<p>If value is None, then the current value is used (this is for resetting
+the value after bounds, etc. have changed)</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="progressdialog.html"
+                        title="previous chapter">ProgressDialog</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="filedialog.html"
+                        title="next chapter">FileDialog</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/spinbox.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="filedialog.html" title="FileDialog"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="progressdialog.html" title="ProgressDialog"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/tablewidget.html b/documentation/build/html/widgets/tablewidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..5e6febc496b128700eff8ac1feb91b4e01a0c676
--- /dev/null
+++ b/documentation/build/html/widgets/tablewidget.html
@@ -0,0 +1,168 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>TableWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="GradientWidget" href="gradientwidget.html" />
+    <link rel="prev" title="CheckTable" href="checktable.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="gradientwidget.html" title="GradientWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="checktable.html" title="CheckTable"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="tablewidget">
+<h1>TableWidget<a class="headerlink" href="#tablewidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.TableWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">TableWidget</tt><big>(</big><em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.TableWidget" title="Permalink to this definition">¶</a></dt>
+<dd><p>Extends QTableWidget with some useful functions for automatic data handling.
+Can automatically format and display:</p>
+<blockquote>
+<p>numpy arrays
+numpy record arrays 
+metaarrays
+list-of-lists  [[1,2,3], [4,5,6]]
+dict-of-lists  {&#8216;x&#8217;: [1,2,3], &#8216;y&#8217;: [4,5,6]}
+list-of-dicts  [</p>
+<blockquote>
+<blockquote>
+{&#8216;x&#8217;: 1, &#8216;y&#8217;: 4}, 
+{&#8216;x&#8217;: 2, &#8216;y&#8217;: 5}, 
+{&#8216;x&#8217;: 3, &#8216;y&#8217;: 6}</blockquote>
+<p>]</p>
+</blockquote>
+</blockquote>
+<dl class="method">
+<dt id="pyqtgraph.TableWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>*args</em><big>)</big><a class="headerlink" href="#pyqtgraph.TableWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.TableWidget.appendData">
+<tt class="descname">appendData</tt><big>(</big><em>data</em><big>)</big><a class="headerlink" href="#pyqtgraph.TableWidget.appendData" title="Permalink to this definition">¶</a></dt>
+<dd><p>Types allowed:
+1 or 2D numpy array or metaArray
+1D numpy record array
+list-of-lists, list-of-dicts or dict-of-lists</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.TableWidget.copy">
+<tt class="descname">copy</tt><big>(</big><big>)</big><a class="headerlink" href="#pyqtgraph.TableWidget.copy" title="Permalink to this definition">¶</a></dt>
+<dd><p>Copy selected data to clipboard.</p>
+</dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.TableWidget.iteratorFn">
+<tt class="descname">iteratorFn</tt><big>(</big><em>data</em><big>)</big><a class="headerlink" href="#pyqtgraph.TableWidget.iteratorFn" title="Permalink to this definition">¶</a></dt>
+<dd><p>Return 1) a function that will provide an iterator for data and 2) a list of header strings</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="checktable.html"
+                        title="previous chapter">CheckTable</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="gradientwidget.html"
+                        title="next chapter">GradientWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/tablewidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="gradientwidget.html" title="GradientWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="checktable.html" title="CheckTable"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/treewidget.html b/documentation/build/html/widgets/treewidget.html
new file mode 100644
index 0000000000000000000000000000000000000000..d20bcbc4badb767541f007a985583ce89dffcdb2
--- /dev/null
+++ b/documentation/build/html/widgets/treewidget.html
@@ -0,0 +1,140 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>TreeWidget &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="VerticalLabel" href="verticallabel.html" />
+    <link rel="prev" title="MultiPlotWidget" href="multiplotwidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="verticallabel.html" title="VerticalLabel"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="multiplotwidget.html" title="MultiPlotWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="treewidget">
+<h1>TreeWidget<a class="headerlink" href="#treewidget" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.TreeWidget">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">TreeWidget</tt><big>(</big><em>parent=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.TreeWidget" title="Permalink to this definition">¶</a></dt>
+<dd><p>Extends QTreeWidget to allow internal drag/drop with widgets in the tree.
+Also maintains the expanded state of subtrees as they are moved.
+This class demonstrates the absurd lengths one must go to to make drag/drop work.</p>
+<dl class="method">
+<dt id="pyqtgraph.TreeWidget.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>parent=None</em><big>)</big><a class="headerlink" href="#pyqtgraph.TreeWidget.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+<dl class="method">
+<dt id="pyqtgraph.TreeWidget.itemMoving">
+<tt class="descname">itemMoving</tt><big>(</big><em>item</em>, <em>parent</em>, <em>index</em><big>)</big><a class="headerlink" href="#pyqtgraph.TreeWidget.itemMoving" title="Permalink to this definition">¶</a></dt>
+<dd><p>Called when item has been dropped elsewhere in the tree.
+Return True to accept the move, False to reject.</p>
+</dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="multiplotwidget.html"
+                        title="previous chapter">MultiPlotWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="verticallabel.html"
+                        title="next chapter">VerticalLabel</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/treewidget.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="verticallabel.html" title="VerticalLabel"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="multiplotwidget.html" title="MultiPlotWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/build/html/widgets/verticallabel.html b/documentation/build/html/widgets/verticallabel.html
new file mode 100644
index 0000000000000000000000000000000000000000..335a9c1e439e6ff9af64bed17154fbd7dec39e80
--- /dev/null
+++ b/documentation/build/html/widgets/verticallabel.html
@@ -0,0 +1,130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>VerticalLabel &mdash; pyqtgraph v1.8 documentation</title>
+    <link rel="stylesheet" href="../_static/default.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '1.8',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="pyqtgraph v1.8 documentation" href="../index.html" />
+    <link rel="up" title="Pyqtgraph’s Widgets" href="index.html" />
+    <link rel="next" title="RawImageWidget" href="rawimagewidget.html" />
+    <link rel="prev" title="TreeWidget" href="treewidget.html" /> 
+  </head>
+  <body>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="rawimagewidget.html" title="RawImageWidget"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="treewidget.html" title="TreeWidget"
+             accesskey="P">previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" accesskey="U">Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>  
+
+    <div class="document">
+      <div class="documentwrapper">
+        <div class="bodywrapper">
+          <div class="body">
+            
+  <div class="section" id="verticallabel">
+<h1>VerticalLabel<a class="headerlink" href="#verticallabel" title="Permalink to this headline">¶</a></h1>
+<dl class="class">
+<dt id="pyqtgraph.VerticalLabel">
+<em class="property">class </em><tt class="descclassname">pyqtgraph.</tt><tt class="descname">VerticalLabel</tt><big>(</big><em>text</em>, <em>orientation='vertical'</em>, <em>forceWidth=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.VerticalLabel" title="Permalink to this definition">¶</a></dt>
+<dd><dl class="method">
+<dt id="pyqtgraph.VerticalLabel.__init__">
+<tt class="descname">__init__</tt><big>(</big><em>text</em>, <em>orientation='vertical'</em>, <em>forceWidth=True</em><big>)</big><a class="headerlink" href="#pyqtgraph.VerticalLabel.__init__" title="Permalink to this definition">¶</a></dt>
+<dd></dd></dl>
+
+</dd></dl>
+
+</div>
+
+
+          </div>
+        </div>
+      </div>
+      <div class="sphinxsidebar">
+        <div class="sphinxsidebarwrapper">
+  <h4>Previous topic</h4>
+  <p class="topless"><a href="treewidget.html"
+                        title="previous chapter">TreeWidget</a></p>
+  <h4>Next topic</h4>
+  <p class="topless"><a href="rawimagewidget.html"
+                        title="next chapter">RawImageWidget</a></p>
+  <h3>This Page</h3>
+  <ul class="this-page-menu">
+    <li><a href="../_sources/widgets/verticallabel.txt"
+           rel="nofollow">Show Source</a></li>
+  </ul>
+<div id="searchbox" style="display: none">
+  <h3>Quick search</h3>
+    <form class="search" action="../search.html" method="get">
+      <input type="text" name="q" size="18" />
+      <input type="submit" value="Go" />
+      <input type="hidden" name="check_keywords" value="yes" />
+      <input type="hidden" name="area" value="default" />
+    </form>
+    <p class="searchtip" style="font-size: 90%">
+    Enter search terms or a module, class or function name.
+    </p>
+</div>
+<script type="text/javascript">$('#searchbox').show(0);</script>
+        </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../py-modindex.html" title="Python Module Index"
+             >modules</a> |</li>
+        <li class="right" >
+          <a href="rawimagewidget.html" title="RawImageWidget"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="treewidget.html" title="TreeWidget"
+             >previous</a> |</li>
+        <li><a href="../index.html">pyqtgraph v1.8 documentation</a> &raquo;</li>
+          <li><a href="../apireference.html" >API Reference</a> &raquo;</li>
+          <li><a href="index.html" >Pyqtgraph&#8217;s Widgets</a> &raquo;</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        &copy; Copyright 2011, Luke Campagnola.
+      Created using <a href="http://sphinx.pocoo.org/">Sphinx</a> 1.0.1.
+    </div>
+  </body>
+</html>
\ No newline at end of file
diff --git a/documentation/make.bat b/documentation/make.bat
new file mode 100644
index 0000000000000000000000000000000000000000..1d76823ddc8792a28344e5250f77ea6c15a87091
--- /dev/null
+++ b/documentation/make.bat
@@ -0,0 +1,155 @@
+@ECHO OFF
+
+REM Command file for Sphinx documentation
+
+if "%SPHINXBUILD%" == "" (
+	set SPHINXBUILD=sphinx-build
+)
+set BUILDDIR=build
+set ALLSPHINXOPTS=-d %BUILDDIR%/doctrees %SPHINXOPTS% source
+if NOT "%PAPER%" == "" (
+	set ALLSPHINXOPTS=-D latex_paper_size=%PAPER% %ALLSPHINXOPTS%
+)
+
+if "%1" == "" goto help
+
+if "%1" == "help" (
+	:help
+	echo.Please use `make ^<target^>` where ^<target^> is one of
+	echo.  html       to make standalone HTML files
+	echo.  dirhtml    to make HTML files named index.html in directories
+	echo.  singlehtml to make a single large HTML file
+	echo.  pickle     to make pickle files
+	echo.  json       to make JSON files
+	echo.  htmlhelp   to make HTML files and a HTML help project
+	echo.  qthelp     to make HTML files and a qthelp project
+	echo.  devhelp    to make HTML files and a Devhelp project
+	echo.  epub       to make an epub
+	echo.  latex      to make LaTeX files, you can set PAPER=a4 or PAPER=letter
+	echo.  text       to make text files
+	echo.  man        to make manual pages
+	echo.  changes    to make an overview over all changed/added/deprecated items
+	echo.  linkcheck  to check all external links for integrity
+	echo.  doctest    to run all doctests embedded in the documentation if enabled
+	goto end
+)
+
+if "%1" == "clean" (
+	for /d %%i in (%BUILDDIR%\*) do rmdir /q /s %%i
+	del /q /s %BUILDDIR%\*
+	goto end
+)
+
+if "%1" == "html" (
+	%SPHINXBUILD% -b html %ALLSPHINXOPTS% %BUILDDIR%/html
+	echo.
+	echo.Build finished. The HTML pages are in %BUILDDIR%/html.
+	goto end
+)
+
+if "%1" == "dirhtml" (
+	%SPHINXBUILD% -b dirhtml %ALLSPHINXOPTS% %BUILDDIR%/dirhtml
+	echo.
+	echo.Build finished. The HTML pages are in %BUILDDIR%/dirhtml.
+	goto end
+)
+
+if "%1" == "singlehtml" (
+	%SPHINXBUILD% -b singlehtml %ALLSPHINXOPTS% %BUILDDIR%/singlehtml
+	echo.
+	echo.Build finished. The HTML pages are in %BUILDDIR%/singlehtml.
+	goto end
+)
+
+if "%1" == "pickle" (
+	%SPHINXBUILD% -b pickle %ALLSPHINXOPTS% %BUILDDIR%/pickle
+	echo.
+	echo.Build finished; now you can process the pickle files.
+	goto end
+)
+
+if "%1" == "json" (
+	%SPHINXBUILD% -b json %ALLSPHINXOPTS% %BUILDDIR%/json
+	echo.
+	echo.Build finished; now you can process the JSON files.
+	goto end
+)
+
+if "%1" == "htmlhelp" (
+	%SPHINXBUILD% -b htmlhelp %ALLSPHINXOPTS% %BUILDDIR%/htmlhelp
+	echo.
+	echo.Build finished; now you can run HTML Help Workshop with the ^
+.hhp project file in %BUILDDIR%/htmlhelp.
+	goto end
+)
+
+if "%1" == "qthelp" (
+	%SPHINXBUILD% -b qthelp %ALLSPHINXOPTS% %BUILDDIR%/qthelp
+	echo.
+	echo.Build finished; now you can run "qcollectiongenerator" with the ^
+.qhcp project file in %BUILDDIR%/qthelp, like this:
+	echo.^> qcollectiongenerator %BUILDDIR%\qthelp\pyqtgraph.qhcp
+	echo.To view the help file:
+	echo.^> assistant -collectionFile %BUILDDIR%\qthelp\pyqtgraph.ghc
+	goto end
+)
+
+if "%1" == "devhelp" (
+	%SPHINXBUILD% -b devhelp %ALLSPHINXOPTS% %BUILDDIR%/devhelp
+	echo.
+	echo.Build finished.
+	goto end
+)
+
+if "%1" == "epub" (
+	%SPHINXBUILD% -b epub %ALLSPHINXOPTS% %BUILDDIR%/epub
+	echo.
+	echo.Build finished. The epub file is in %BUILDDIR%/epub.
+	goto end
+)
+
+if "%1" == "latex" (
+	%SPHINXBUILD% -b latex %ALLSPHINXOPTS% %BUILDDIR%/latex
+	echo.
+	echo.Build finished; the LaTeX files are in %BUILDDIR%/latex.
+	goto end
+)
+
+if "%1" == "text" (
+	%SPHINXBUILD% -b text %ALLSPHINXOPTS% %BUILDDIR%/text
+	echo.
+	echo.Build finished. The text files are in %BUILDDIR%/text.
+	goto end
+)
+
+if "%1" == "man" (
+	%SPHINXBUILD% -b man %ALLSPHINXOPTS% %BUILDDIR%/man
+	echo.
+	echo.Build finished. The manual pages are in %BUILDDIR%/man.
+	goto end
+)
+
+if "%1" == "changes" (
+	%SPHINXBUILD% -b changes %ALLSPHINXOPTS% %BUILDDIR%/changes
+	echo.
+	echo.The overview file is in %BUILDDIR%/changes.
+	goto end
+)
+
+if "%1" == "linkcheck" (
+	%SPHINXBUILD% -b linkcheck %ALLSPHINXOPTS% %BUILDDIR%/linkcheck
+	echo.
+	echo.Link check complete; look for any errors in the above output ^
+or in %BUILDDIR%/linkcheck/output.txt.
+	goto end
+)
+
+if "%1" == "doctest" (
+	%SPHINXBUILD% -b doctest %ALLSPHINXOPTS% %BUILDDIR%/doctest
+	echo.
+	echo.Testing of doctests in the sources finished, look at the ^
+results in %BUILDDIR%/doctest/output.txt.
+	goto end
+)
+
+:end
diff --git a/documentation/source/apireference.rst b/documentation/source/apireference.rst
new file mode 100644
index 0000000000000000000000000000000000000000..ab4ec66690759f5069417b740c24aabce7b9af97
--- /dev/null
+++ b/documentation/source/apireference.rst
@@ -0,0 +1,11 @@
+API Reference
+=============
+
+Contents:
+
+.. toctree::
+    :maxdepth: 2
+
+    functions
+    graphicsItems/index
+    widgets/index
diff --git a/documentation/source/conf.py b/documentation/source/conf.py
new file mode 100644
index 0000000000000000000000000000000000000000..6df8d7b976b09a19f8f7dca0adabbcfaa436acba
--- /dev/null
+++ b/documentation/source/conf.py
@@ -0,0 +1,217 @@
+# -*- coding: utf-8 -*-
+#
+# pyqtgraph documentation build configuration file, created by
+# sphinx-quickstart on Fri Nov 18 19:33:12 2011.
+#
+# This file is execfile()d with the current directory set to its containing dir.
+#
+# Note that not all possible configuration values are present in this
+# autogenerated file.
+#
+# All configuration values have a default; values that are commented out
+# serve to show the default.
+
+import sys, os
+
+# If extensions (or modules to document with autodoc) are in another directory,
+# add these directories to sys.path here. If the directory is relative to the
+# documentation root, use os.path.abspath to make it absolute, like shown here.
+path = os.path.dirname(os.path.abspath(__file__))
+sys.path.insert(0, os.path.join(path, '..', '..', '..'))
+
+# -- General configuration -----------------------------------------------------
+
+# If your documentation needs a minimal Sphinx version, state it here.
+#needs_sphinx = '1.0'
+
+# Add any Sphinx extension module names here, as strings. They can be extensions
+# coming with Sphinx (named 'sphinx.ext.*') or your custom ones.
+extensions = ['sphinx.ext.autodoc', 'sphinx.ext.viewcode']
+
+# Add any paths that contain templates here, relative to this directory.
+templates_path = ['_templates']
+
+# The suffix of source filenames.
+source_suffix = '.rst'
+
+# The encoding of source files.
+#source_encoding = 'utf-8-sig'
+
+# The master toctree document.
+master_doc = 'index'
+
+# General information about the project.
+project = u'pyqtgraph'
+copyright = u'2011, Luke Campagnola'
+
+# The version info for the project you're documenting, acts as replacement for
+# |version| and |release|, also used in various other places throughout the
+# built documents.
+#
+# The short X.Y version.
+version = '1.8'
+# The full version, including alpha/beta/rc tags.
+release = '1.8'
+
+# The language for content autogenerated by Sphinx. Refer to documentation
+# for a list of supported languages.
+#language = None
+
+# There are two options for replacing |today|: either, you set today to some
+# non-false value, then it is used:
+#today = ''
+# Else, today_fmt is used as the format for a strftime call.
+#today_fmt = '%B %d, %Y'
+
+# List of patterns, relative to source directory, that match files and
+# directories to ignore when looking for source files.
+exclude_patterns = []
+
+# The reST default role (used for this markup: `text`) to use for all documents.
+#default_role = None
+
+# If true, '()' will be appended to :func: etc. cross-reference text.
+#add_function_parentheses = True
+
+# If true, the current module name will be prepended to all description
+# unit titles (such as .. function::).
+#add_module_names = True
+
+# If true, sectionauthor and moduleauthor directives will be shown in the
+# output. They are ignored by default.
+#show_authors = False
+
+# The name of the Pygments (syntax highlighting) style to use.
+pygments_style = 'sphinx'
+
+# A list of ignored prefixes for module index sorting.
+#modindex_common_prefix = []
+
+
+# -- Options for HTML output ---------------------------------------------------
+
+# The theme to use for HTML and HTML Help pages.  See the documentation for
+# a list of builtin themes.
+html_theme = 'default'
+
+# Theme options are theme-specific and customize the look and feel of a theme
+# further.  For a list of options available for each theme, see the
+# documentation.
+#html_theme_options = {}
+
+# Add any paths that contain custom themes here, relative to this directory.
+#html_theme_path = []
+
+# The name for this set of Sphinx documents.  If None, it defaults to
+# "<project> v<release> documentation".
+#html_title = None
+
+# A shorter title for the navigation bar.  Default is the same as html_title.
+#html_short_title = None
+
+# The name of an image file (relative to this directory) to place at the top
+# of the sidebar.
+#html_logo = None
+
+# The name of an image file (within the static path) to use as favicon of the
+# docs.  This file should be a Windows icon file (.ico) being 16x16 or 32x32
+# pixels large.
+#html_favicon = None
+
+# Add any paths that contain custom static files (such as style sheets) here,
+# relative to this directory. They are copied after the builtin static files,
+# so a file named "default.css" will overwrite the builtin "default.css".
+html_static_path = ['_static']
+
+# If not '', a 'Last updated on:' timestamp is inserted at every page bottom,
+# using the given strftime format.
+#html_last_updated_fmt = '%b %d, %Y'
+
+# If true, SmartyPants will be used to convert quotes and dashes to
+# typographically correct entities.
+#html_use_smartypants = True
+
+# Custom sidebar templates, maps document names to template names.
+#html_sidebars = {}
+
+# Additional templates that should be rendered to pages, maps page names to
+# template names.
+#html_additional_pages = {}
+
+# If false, no module index is generated.
+#html_domain_indices = True
+
+# If false, no index is generated.
+#html_use_index = True
+
+# If true, the index is split into individual pages for each letter.
+#html_split_index = False
+
+# If true, links to the reST sources are added to the pages.
+#html_show_sourcelink = True
+
+# If true, "Created using Sphinx" is shown in the HTML footer. Default is True.
+#html_show_sphinx = True
+
+# If true, "(C) Copyright ..." is shown in the HTML footer. Default is True.
+#html_show_copyright = True
+
+# If true, an OpenSearch description file will be output, and all pages will
+# contain a <link> tag referring to it.  The value of this option must be the
+# base URL from which the finished HTML is served.
+#html_use_opensearch = ''
+
+# This is the file name suffix for HTML files (e.g. ".xhtml").
+#html_file_suffix = None
+
+# Output file base name for HTML help builder.
+htmlhelp_basename = 'pyqtgraphdoc'
+
+
+# -- Options for LaTeX output --------------------------------------------------
+
+# The paper size ('letter' or 'a4').
+#latex_paper_size = 'letter'
+
+# The font size ('10pt', '11pt' or '12pt').
+#latex_font_size = '10pt'
+
+# Grouping the document tree into LaTeX files. List of tuples
+# (source start file, target name, title, author, documentclass [howto/manual]).
+latex_documents = [
+  ('index', 'pyqtgraph.tex', u'pyqtgraph Documentation',
+   u'Luke Campagnola', 'manual'),
+]
+
+# The name of an image file (relative to this directory) to place at the top of
+# the title page.
+#latex_logo = None
+
+# For "manual" documents, if this is true, then toplevel headings are parts,
+# not chapters.
+#latex_use_parts = False
+
+# If true, show page references after internal links.
+#latex_show_pagerefs = False
+
+# If true, show URL addresses after external links.
+#latex_show_urls = False
+
+# Additional stuff for the LaTeX preamble.
+#latex_preamble = ''
+
+# Documents to append as an appendix to all manuals.
+#latex_appendices = []
+
+# If false, no module index is generated.
+#latex_domain_indices = True
+
+
+# -- Options for manual page output --------------------------------------------
+
+# One entry per manual page. List of tuples
+# (source start file, name, description, authors, manual section).
+man_pages = [
+    ('index', 'pyqtgraph', u'pyqtgraph Documentation',
+     [u'Luke Campagnola'], 1)
+]
diff --git a/documentation/source/functions.rst b/documentation/source/functions.rst
new file mode 100644
index 0000000000000000000000000000000000000000..3d56a4d918ec2066feb91dd00b554fe68f246036
--- /dev/null
+++ b/documentation/source/functions.rst
@@ -0,0 +1,53 @@
+Pyqtgraph's Helper Functions
+============================
+
+Simple Data Display Functions
+-----------------------------
+
+.. autofunction:: pyqtgraph.plot
+
+.. autofunction:: pyqtgraph.image
+
+
+
+Color, Pen, and Brush Functions
+-------------------------------
+
+Qt uses the classes QColor, QPen, and QBrush to determine how to draw lines and fill shapes. These classes are highly capable but somewhat awkward to use. Pyqtgraph offers the functions :func:`~pyqtgraph.mkColor`, :func:`~pyqtgraph.mkPen`, and :func:`~pyqtgraph.mkBrush` to simplify the process of creating these classes. In most cases, however, it will be unnecessary to call these functions directly--any function or method that accepts *pen* or *brush* arguments will make use of these functions for you. For example, the following three lines all have the same effect::
+    
+    pg.plot(xdata, ydata, pen='r')
+    pg.plot(xdata, ydata, pen=pg.mkPen('r'))
+    pg.plot(xdata, ydata, pen=QPen(QColor(255, 0, 0)))
+
+
+.. autofunction:: pyqtgraph.mkColor
+
+.. autofunction:: pyqtgraph.mkPen
+
+.. autofunction:: pyqtgraph.mkBrush
+
+.. autofunction:: pyqtgraph.hsvColor
+
+.. autofunction:: pyqtgraph.intColor
+
+.. autofunction:: pyqtgraph.colorTuple
+
+.. autofunction:: pyqtgraph.colorStr
+
+
+Data Slicing
+------------
+
+.. autofunction:: pyqtgraph.affineSlice
+
+
+
+SI Unit Conversion Functions
+----------------------------
+
+.. autofunction:: pyqtgraph.siFormat
+
+.. autofunction:: pyqtgraph.siScale
+
+.. autofunction:: pyqtgraph.siEval
+
diff --git a/documentation/source/graphicsItems/arrowitem.rst b/documentation/source/graphicsItems/arrowitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..250957a598d30ca029ea00dcd416705c0ede00a1
--- /dev/null
+++ b/documentation/source/graphicsItems/arrowitem.rst
@@ -0,0 +1,8 @@
+ArrowItem
+=========
+
+.. autoclass:: pyqtgraph.ArrowItem
+    :members:
+
+    .. automethod:: pyqtgraph.ArrowItem.__init__
+
diff --git a/documentation/source/graphicsItems/axisitem.rst b/documentation/source/graphicsItems/axisitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..8f76d130dc92571ed9654aa1474d6ad1f0068aa4
--- /dev/null
+++ b/documentation/source/graphicsItems/axisitem.rst
@@ -0,0 +1,8 @@
+AxisItem
+========
+
+.. autoclass:: pyqtgraph.AxisItem
+    :members:
+
+    .. automethod:: pyqtgraph.AxisItem.__init__
+
diff --git a/documentation/source/graphicsItems/buttonitem.rst b/documentation/source/graphicsItems/buttonitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..44469db68d5fb98dd6719e8538ae18031df7f958
--- /dev/null
+++ b/documentation/source/graphicsItems/buttonitem.rst
@@ -0,0 +1,8 @@
+ButtonItem
+==========
+
+.. autoclass:: pyqtgraph.ButtonItem
+    :members:
+
+    .. automethod:: pyqtgraph.ButtonItem.__init__
+
diff --git a/documentation/source/graphicsItems/curvearrow.rst b/documentation/source/graphicsItems/curvearrow.rst
new file mode 100644
index 0000000000000000000000000000000000000000..4c7f11ab55a5aaa9a8ad783e24b6415329e4b410
--- /dev/null
+++ b/documentation/source/graphicsItems/curvearrow.rst
@@ -0,0 +1,8 @@
+CurveArrow
+==========
+
+.. autoclass:: pyqtgraph.CurveArrow
+    :members:
+
+    .. automethod:: pyqtgraph.CurveArrow.__init__
+
diff --git a/documentation/source/graphicsItems/curvepoint.rst b/documentation/source/graphicsItems/curvepoint.rst
new file mode 100644
index 0000000000000000000000000000000000000000..f19791f701028e53df2b9d37699195c6cc50e81c
--- /dev/null
+++ b/documentation/source/graphicsItems/curvepoint.rst
@@ -0,0 +1,8 @@
+CurvePoint
+==========
+
+.. autoclass:: pyqtgraph.CurvePoint
+    :members:
+
+    .. automethod:: pyqtgraph.CurvePoint.__init__
+
diff --git a/documentation/source/graphicsItems/gradienteditoritem.rst b/documentation/source/graphicsItems/gradienteditoritem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..02d40956df842c23ea07d7763e398659428e3515
--- /dev/null
+++ b/documentation/source/graphicsItems/gradienteditoritem.rst
@@ -0,0 +1,8 @@
+GradientEditorItem
+==================
+
+.. autoclass:: pyqtgraph.GradientEditorItem
+    :members:
+
+    .. automethod:: pyqtgraph.GradientEditorItem.__init__
+
diff --git a/documentation/source/graphicsItems/gradientlegend.rst b/documentation/source/graphicsItems/gradientlegend.rst
new file mode 100644
index 0000000000000000000000000000000000000000..f47031c0a060062b2a2ffed9a7344ed357b97df9
--- /dev/null
+++ b/documentation/source/graphicsItems/gradientlegend.rst
@@ -0,0 +1,8 @@
+GradientLegend
+==============
+
+.. autoclass:: pyqtgraph.GradientLegend
+    :members:
+
+    .. automethod:: pyqtgraph.GradientLegend.__init__
+
diff --git a/documentation/source/graphicsItems/graphicslayout.rst b/documentation/source/graphicsItems/graphicslayout.rst
new file mode 100644
index 0000000000000000000000000000000000000000..f45dfd8706ee3fc3f87bebec5d767222d9a73b2f
--- /dev/null
+++ b/documentation/source/graphicsItems/graphicslayout.rst
@@ -0,0 +1,8 @@
+GraphicsLayout
+==============
+
+.. autoclass:: pyqtgraph.GraphicsLayout
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsLayout.__init__
+
diff --git a/documentation/source/graphicsItems/graphicsobject.rst b/documentation/source/graphicsItems/graphicsobject.rst
new file mode 100644
index 0000000000000000000000000000000000000000..736d941e0713c58ba9c6eb5fd9928a7a85701e28
--- /dev/null
+++ b/documentation/source/graphicsItems/graphicsobject.rst
@@ -0,0 +1,8 @@
+GraphicsObject
+==============
+
+.. autoclass:: pyqtgraph.GraphicsObject
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsObject.__init__
+
diff --git a/documentation/source/graphicsItems/graphicswidget.rst b/documentation/source/graphicsItems/graphicswidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..7cf23bbe7dfbddd4f77b94f7aa9176a0e6b5bead
--- /dev/null
+++ b/documentation/source/graphicsItems/graphicswidget.rst
@@ -0,0 +1,8 @@
+GraphicsWidget
+==============
+
+.. autoclass:: pyqtgraph.GraphicsWidget
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsWidget.__init__
+
diff --git a/documentation/source/graphicsItems/griditem.rst b/documentation/source/graphicsItems/griditem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..aa9327668b4a4e1001ca0d4666897e335b3c388f
--- /dev/null
+++ b/documentation/source/graphicsItems/griditem.rst
@@ -0,0 +1,8 @@
+GridItem
+========
+
+.. autoclass:: pyqtgraph.GridItem
+    :members:
+
+    .. automethod:: pyqtgraph.GridItem.__init__
+
diff --git a/documentation/source/graphicsItems/histogramlutitem.rst b/documentation/source/graphicsItems/histogramlutitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..db0e18cb491fd8c1ec9d4d65cd904dd951fade8b
--- /dev/null
+++ b/documentation/source/graphicsItems/histogramlutitem.rst
@@ -0,0 +1,8 @@
+HistogramLUTItem
+================
+
+.. autoclass:: pyqtgraph.HistogramLUTItem
+    :members:
+
+    .. automethod:: pyqtgraph.HistogramLUTItem.__init__
+
diff --git a/documentation/source/graphicsItems/imageitem.rst b/documentation/source/graphicsItems/imageitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..49a981dca8f48ca855dbdcc401fa8175d3a5b549
--- /dev/null
+++ b/documentation/source/graphicsItems/imageitem.rst
@@ -0,0 +1,8 @@
+ImageItem
+=========
+
+.. autoclass:: pyqtgraph.ImageItem
+    :members:
+
+    .. automethod:: pyqtgraph.ImageItem.__init__
+
diff --git a/documentation/source/graphicsItems/index.rst b/documentation/source/graphicsItems/index.rst
new file mode 100644
index 0000000000000000000000000000000000000000..46f5a9387b0d4c8eb7e791ca405246e904da0bb7
--- /dev/null
+++ b/documentation/source/graphicsItems/index.rst
@@ -0,0 +1,37 @@
+Pyqtgraph's Graphics Items
+==========================
+
+Since pyqtgraph relies on Qt's GraphicsView framework, most of its graphics functionality is implemented as QGraphicsItem subclasses. This has two important consequences: 1) virtually anything you want to draw can be easily accomplished using the functionality provided by Qt. 2) Many of pyqtgraph's GraphicsItem classes can be used in any normal QGraphicsScene.
+
+
+Contents:
+
+.. toctree::
+    :maxdepth: 2
+
+    plotdataitem
+    plotcurveitem
+    scatterplotitem
+    plotitem
+    imageitem
+    viewbox
+    linearregionitem
+    infiniteline
+    roi
+    graphicslayout
+    axisitem
+    arrowitem
+    curvepoint
+    curvearrow
+    griditem
+    scalebar
+    labelitem
+    vtickgroup
+    gradienteditoritem
+    histogramlutitem
+    gradientlegend
+    buttonitem
+    graphicsobject
+    graphicswidget
+    uigraphicsitem
+
diff --git a/documentation/source/graphicsItems/infiniteline.rst b/documentation/source/graphicsItems/infiniteline.rst
new file mode 100644
index 0000000000000000000000000000000000000000..e95987bc1eb8549611857abefc97e04b81e2ca17
--- /dev/null
+++ b/documentation/source/graphicsItems/infiniteline.rst
@@ -0,0 +1,8 @@
+InfiniteLine
+============
+
+.. autoclass:: pyqtgraph.InfiniteLine
+    :members:
+
+    .. automethod:: pyqtgraph.InfiniteLine.__init__
+
diff --git a/documentation/source/graphicsItems/labelitem.rst b/documentation/source/graphicsItems/labelitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..ca420d7609d34b18eed1d37625d8ced492a64845
--- /dev/null
+++ b/documentation/source/graphicsItems/labelitem.rst
@@ -0,0 +1,8 @@
+LabelItem
+=========
+
+.. autoclass:: pyqtgraph.LabelItem
+    :members:
+
+    .. automethod:: pyqtgraph.LabelItem.__init__
+
diff --git a/documentation/source/graphicsItems/linearregionitem.rst b/documentation/source/graphicsItems/linearregionitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..9bcb534c12baa88b49a18e251719f89439c3b475
--- /dev/null
+++ b/documentation/source/graphicsItems/linearregionitem.rst
@@ -0,0 +1,8 @@
+LinearRegionItem
+================
+
+.. autoclass:: pyqtgraph.LinearRegionItem
+    :members:
+
+    .. automethod:: pyqtgraph.LinearRegionItem.__init__
+
diff --git a/documentation/source/graphicsItems/make b/documentation/source/graphicsItems/make
new file mode 100644
index 0000000000000000000000000000000000000000..2a990405e7d7929732dfa5f23e0238b25e38c2bc
--- /dev/null
+++ b/documentation/source/graphicsItems/make
@@ -0,0 +1,37 @@
+files = """ArrowItem
+AxisItem
+ButtonItem
+CurvePoint
+GradientEditorItem
+GradientLegend
+GraphicsLayout
+GraphicsObject
+GraphicsWidget
+GridItem
+HistogramLUTItem
+ImageItem
+InfiniteLine
+LabelItem
+LinearRegionItem
+PlotCurveItem
+PlotDataItem
+ROI
+ScaleBar
+ScatterPlotItem
+UIGraphicsItem
+ViewBox
+VTickGroup""".split('\n')
+
+for f in files:
+    print f
+    fh = open(f.lower()+'.rst', 'w')
+    fh.write(
+"""%s
+%s
+
+.. autoclass:: pyqtgraph.%s
+    :members:
+
+    .. automethod:: pyqtgraph.%s.__init__
+
+""" % (f, '='*len(f), f, f))
diff --git a/documentation/source/graphicsItems/plotcurveitem.rst b/documentation/source/graphicsItems/plotcurveitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..f0b2171d2ec2a57816c74e2bc9f12025eef30c58
--- /dev/null
+++ b/documentation/source/graphicsItems/plotcurveitem.rst
@@ -0,0 +1,8 @@
+PlotCurveItem
+=============
+
+.. autoclass:: pyqtgraph.PlotCurveItem
+    :members:
+
+    .. automethod:: pyqtgraph.PlotCurveItem.__init__
+
diff --git a/documentation/source/graphicsItems/plotdataitem.rst b/documentation/source/graphicsItems/plotdataitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..275084e95465d6b62683118a3d9307a62ddf9d8d
--- /dev/null
+++ b/documentation/source/graphicsItems/plotdataitem.rst
@@ -0,0 +1,8 @@
+PlotDataItem
+============
+
+.. autoclass:: pyqtgraph.PlotDataItem
+    :members:
+
+    .. automethod:: pyqtgraph.PlotDataItem.__init__
+
diff --git a/documentation/source/graphicsItems/plotitem.rst b/documentation/source/graphicsItems/plotitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..cbf5f9f4148fddda8b2376f32ac91dde73be9e90
--- /dev/null
+++ b/documentation/source/graphicsItems/plotitem.rst
@@ -0,0 +1,7 @@
+PlotItem
+========
+
+.. autoclass:: pyqtgraph.PlotItem
+    :members:
+
+    .. automethod:: pyqtgraph.PlotItem.__init__
diff --git a/documentation/source/graphicsItems/roi.rst b/documentation/source/graphicsItems/roi.rst
new file mode 100644
index 0000000000000000000000000000000000000000..22945ade9526219414983f99795adcb72878b4a2
--- /dev/null
+++ b/documentation/source/graphicsItems/roi.rst
@@ -0,0 +1,8 @@
+ROI
+===
+
+.. autoclass:: pyqtgraph.ROI
+    :members:
+
+    .. automethod:: pyqtgraph.ROI.__init__
+
diff --git a/documentation/source/graphicsItems/scalebar.rst b/documentation/source/graphicsItems/scalebar.rst
new file mode 100644
index 0000000000000000000000000000000000000000..2ab3396777adc785f10853c33236628ce03ce28a
--- /dev/null
+++ b/documentation/source/graphicsItems/scalebar.rst
@@ -0,0 +1,8 @@
+ScaleBar
+========
+
+.. autoclass:: pyqtgraph.ScaleBar
+    :members:
+
+    .. automethod:: pyqtgraph.ScaleBar.__init__
+
diff --git a/documentation/source/graphicsItems/scatterplotitem.rst b/documentation/source/graphicsItems/scatterplotitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..be2c874bfaaf6f9728a04faf4644b6a2d44fac1d
--- /dev/null
+++ b/documentation/source/graphicsItems/scatterplotitem.rst
@@ -0,0 +1,8 @@
+ScatterPlotItem
+===============
+
+.. autoclass:: pyqtgraph.ScatterPlotItem
+    :members:
+
+    .. automethod:: pyqtgraph.ScatterPlotItem.__init__
+
diff --git a/documentation/source/graphicsItems/uigraphicsitem.rst b/documentation/source/graphicsItems/uigraphicsitem.rst
new file mode 100644
index 0000000000000000000000000000000000000000..4f0b99339e816197b5762f53f16cfa4ce935ecc7
--- /dev/null
+++ b/documentation/source/graphicsItems/uigraphicsitem.rst
@@ -0,0 +1,8 @@
+UIGraphicsItem
+==============
+
+.. autoclass:: pyqtgraph.UIGraphicsItem
+    :members:
+
+    .. automethod:: pyqtgraph.UIGraphicsItem.__init__
+
diff --git a/documentation/source/graphicsItems/viewbox.rst b/documentation/source/graphicsItems/viewbox.rst
new file mode 100644
index 0000000000000000000000000000000000000000..3593d2953fea459ee1c508d195c22ed8ea17bea4
--- /dev/null
+++ b/documentation/source/graphicsItems/viewbox.rst
@@ -0,0 +1,8 @@
+ViewBox
+=======
+
+.. autoclass:: pyqtgraph.ViewBox
+    :members:
+
+    .. automethod:: pyqtgraph.ViewBox.__init__
+
diff --git a/documentation/source/graphicsItems/vtickgroup.rst b/documentation/source/graphicsItems/vtickgroup.rst
new file mode 100644
index 0000000000000000000000000000000000000000..342705de1b36dc7fdb51d6986f83032a8c513aea
--- /dev/null
+++ b/documentation/source/graphicsItems/vtickgroup.rst
@@ -0,0 +1,8 @@
+VTickGroup
+==========
+
+.. autoclass:: pyqtgraph.VTickGroup
+    :members:
+
+    .. automethod:: pyqtgraph.VTickGroup.__init__
+
diff --git a/documentation/source/graphicswindow.rst b/documentation/source/graphicswindow.rst
new file mode 100644
index 0000000000000000000000000000000000000000..3d5641c3d57d54bb5ea603faa4a26f46f89a9f0f
--- /dev/null
+++ b/documentation/source/graphicswindow.rst
@@ -0,0 +1,8 @@
+Basic display widgets
+=====================
+
+ - GraphicsWindow
+ - GraphicsView
+ - GraphicsLayoutItem
+ - ViewBox
+
diff --git a/documentation/source/how_to_use.rst b/documentation/source/how_to_use.rst
new file mode 100644
index 0000000000000000000000000000000000000000..74e901d04b6f48d76a06ee424fbc25f21504ff7c
--- /dev/null
+++ b/documentation/source/how_to_use.rst
@@ -0,0 +1,47 @@
+How to use pyqtgraph
+====================
+
+There are a few suggested ways to use pyqtgraph:
+    
+* From the interactive shell (python -i, ipython, etc)
+* Displaying pop-up windows from an application
+* Embedding widgets in a PyQt application
+
+
+
+Command-line use
+----------------
+
+Pyqtgraph makes it very easy to visualize data from the command line. Observe::
+    
+    import pyqtgraph as pg
+    pg.plot(data)   # data can be a list of values or a numpy array
+
+The example above would open a window displaying a line plot of the data given. I don't think it could reasonably be any simpler than that. The call to pg.plot returns a handle to the plot widget that is created, allowing more data to be added to the same window.
+
+Further examples::
+    
+    pw = pg.plot(xVals, yVals, pen='r')  # plot x vs y in red
+    pw.plot(xVals, yVals2, pen='b')
+    
+    win = pg.GraphicsWindow()  # Automatically generates grids with multiple items
+    win.addPlot(data1, row=0, col=0)
+    win.addPlot(data2, row=0, col=1)
+    win.addPlot(data3, row=1, col=0, colspan=2)
+
+    pg.show(imageData)  # imageData must be a numpy array with 2 to 4 dimensions
+    
+We're only scratching the surface here--these functions accept many different data formats and options for customizing the appearance of your data.
+
+
+Displaying windows from within an application
+---------------------------------------------
+
+While I consider this approach somewhat lazy, it is often the case that 'lazy' is indistinguishable from 'highly efficient'. The approach here is simply to use the very same functions that would be used on the command line, but from within an existing application. I often use this when I simply want to get a immediate feedback about the state of data in my application without taking the time to build a user interface for it.
+
+
+Embedding widgets inside PyQt applications
+------------------------------------------
+
+For the serious application developer, all of the functionality in pyqtgraph is available via widgets that can be embedded just like any other Qt widgets. Most importantly, see: PlotWidget, ImageView, GraphicsView, GraphicsLayoutWidget. Pyqtgraph's widgets can be included in Designer's ui files via the "Promote To..." functionality.
+
diff --git a/documentation/source/images.rst b/documentation/source/images.rst
new file mode 100644
index 0000000000000000000000000000000000000000..461a9cb7ade43a77e24ff614636a7443295c1f04
--- /dev/null
+++ b/documentation/source/images.rst
@@ -0,0 +1,26 @@
+Displaying images and video
+===========================
+
+Pyqtgraph displays 2D numpy arrays as images and provides tools for determining how to translate between the numpy data type and RGB values on the screen. If you want to display data from common image and video file formats, you will need to load the data first using another library (PIL works well for images and built-in numpy conversion). 
+
+The easiest way to display 2D or 3D data is using the :func:`pyqtgraph.image` function::
+    
+    import pyqtgraph as pg
+    pg.image(imageData)
+    
+This function will accept any floating-point or integer data types and displays a single :class:`~pyqtgraph.ImageView` widget containing your data. This widget includes controls for determining how the image data will be converted to 32-bit RGBa values. Conversion happens in two steps (both are optional):
+    
+1. Scale and offset the data (by selecting the dark/light levels on the displayed histogram)
+2. Convert the data to color using a lookup table (determined by the colors shown in the gradient editor)
+
+If the data is 3D (time, x, y), then a time axis will be shown with a slider that can set the currently displayed frame. (if the axes in your data are ordered differently, use numpy.transpose to rearrange them)
+
+There are a few other methods for displaying images as well:
+   
+* The :class:`~pyqtgraph.ImageView` class can also be instantiated directly and embedded in Qt applications.
+* Instances of :class:`~pyqtgraph.ImageItem` can be used inside a GraphicsView.
+* For higher performance, use :class:`~pyqtgraph.RawImageWidget`.
+
+Any of these classes are acceptable for displaying video by calling setImage() to display a new frame. To increase performance, the image processing system uses scipy.weave to produce compiled libraries. If your computer has a compiler available, weave will automatically attempt to build the libraries it needs on demand. If this fails, then the slower pure-python methods will be used instead. 
+
+For more information, see the classes listed above and the 'VideoSpeedTest', 'ImageItem', 'ImageView', and 'HistogramLUT' :ref:`examples`.
\ No newline at end of file
diff --git a/documentation/source/images/plottingClasses.png b/documentation/source/images/plottingClasses.png
new file mode 100644
index 0000000000000000000000000000000000000000..7c8325a5bbe0809aa3b40ac3a8f76972b4d802a9
Binary files /dev/null and b/documentation/source/images/plottingClasses.png differ
diff --git a/documentation/source/images/plottingClasses.svg b/documentation/source/images/plottingClasses.svg
new file mode 100644
index 0000000000000000000000000000000000000000..393d16d7bfacc4aadb2a2bf5ce0b0c303856854c
--- /dev/null
+++ b/documentation/source/images/plottingClasses.svg
@@ -0,0 +1,580 @@
+<?xml version="1.0" encoding="UTF-8" standalone="no"?>
+<!-- Created with Inkscape (http://www.inkscape.org/) -->
+
+<svg
+   xmlns:dc="http://purl.org/dc/elements/1.1/"
+   xmlns:cc="http://creativecommons.org/ns#"
+   xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
+   xmlns:svg="http://www.w3.org/2000/svg"
+   xmlns="http://www.w3.org/2000/svg"
+   xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
+   xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
+   width="648.03278"
+   height="268.51233"
+   id="svg2"
+   version="1.1"
+   inkscape:version="0.48.1 r9760"
+   sodipodi:docname="plottingClasses.svg"
+   inkscape:export-filename="/home/luke/work/manis_lab/code/pyqtgraph/documentation/source/images/plottingClasses.png"
+   inkscape:export-xdpi="124.99"
+   inkscape:export-ydpi="124.99">
+  <defs
+     id="defs4">
+    <filter
+       inkscape:collect="always"
+       id="filter4029"
+       color-interpolation-filters="sRGB">
+      <feGaussianBlur
+         inkscape:collect="always"
+         stdDeviation="3.3898323"
+         id="feGaussianBlur4031" />
+    </filter>
+    <filter
+       color-interpolation-filters="sRGB"
+       inkscape:collect="always"
+       id="filter4029-0">
+      <feGaussianBlur
+         inkscape:collect="always"
+         stdDeviation="3.3898323"
+         id="feGaussianBlur4031-5" />
+    </filter>
+  </defs>
+  <sodipodi:namedview
+     id="base"
+     pagecolor="#ffffff"
+     bordercolor="#666666"
+     borderopacity="1.0"
+     inkscape:pageopacity="0.0"
+     inkscape:pageshadow="2"
+     inkscape:zoom="1.4"
+     inkscape:cx="383.64946"
+     inkscape:cy="21.059243"
+     inkscape:document-units="px"
+     inkscape:current-layer="g3978"
+     showgrid="false"
+     inkscape:window-width="1400"
+     inkscape:window-height="1030"
+     inkscape:window-x="-3"
+     inkscape:window-y="-3"
+     inkscape:window-maximized="1"
+     fit-margin-top="0"
+     fit-margin-left="0"
+     fit-margin-right="0"
+     fit-margin-bottom="0" />
+  <metadata
+     id="metadata7">
+    <rdf:RDF>
+      <cc:Work
+         rdf:about="">
+        <dc:format>image/svg+xml</dc:format>
+        <dc:type
+           rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
+        <dc:title></dc:title>
+      </cc:Work>
+    </rdf:RDF>
+  </metadata>
+  <g
+     inkscape:label="Layer 1"
+     inkscape:groupmode="layer"
+     id="layer1"
+     transform="translate(-9.6542608,-141.60496)">
+    <g
+       id="g3941"
+       transform="matrix(0.62675963,0,0,0.62675963,-43.966218,98.521874)">
+      <g
+         style="stroke-width:2;stroke-miterlimit:4;stroke-dasharray:none"
+         transform="translate(0,-258)"
+         id="g3765">
+        <rect
+           y="336.48514"
+           x="95.275459"
+           height="407.9704"
+           width="495.98489"
+           id="rect4003"
+           style="fill:#000000;fill-opacity:1;stroke:#000000;stroke-width:3.19101596;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0;filter:url(#filter4029)" />
+        <rect
+           style="fill:#cecae4;fill-opacity:1;stroke:#000000;stroke-width:3.19101596;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+           id="rect2985"
+           width="495.98489"
+           height="407.9704"
+           x="88.893425"
+           y="330.10312" />
+        <text
+           xml:space="preserve"
+           style="font-size:72px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           x="91.923874"
+           y="348.28586"
+           id="text3755"
+           sodipodi:linespacing="125%"><tspan
+             sodipodi:role="line"
+             id="tspan3757"
+             x="91.923874"
+             y="348.28586"
+             style="font-size:20px">PlotWidget(GraphicsView)</tspan></text>
+      </g>
+      <g
+         transform="translate(3.0304576,-251.93908)"
+         id="g3770">
+        <rect
+           style="fill:#ffffff;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+           id="rect3759"
+           width="450.52805"
+           height="361.871"
+           x="111.11678"
+           y="355.35693" />
+        <text
+           sodipodi:linespacing="125%"
+           id="text3761"
+           y="376.57013"
+           x="124.24876"
+           style="font-size:72px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           xml:space="preserve"><tspan
+             style="font-size:18px"
+             y="376.57013"
+             x="124.24876"
+             id="tspan3763"
+             sodipodi:role="line">PlotItem(GraphicsItem)</tspan></text>
+      </g>
+      <g
+         id="g3777"
+         transform="translate(70.710678,-158.4213)">
+        <rect
+           y="355.35693"
+           x="111.11678"
+           height="226.27419"
+           width="314.15744"
+           id="rect3779"
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+        <text
+           xml:space="preserve"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           x="125.25891"
+           y="378.59042"
+           id="text3781"
+           sodipodi:linespacing="125%"><tspan
+             sodipodi:role="line"
+             id="tspan3783"
+             x="125.25891"
+             y="378.59042"
+             style="font-size:16px">ViewBox(GraphicsItem)</tspan></text>
+        <path
+           transform="translate(-39.395949,-44.446712)"
+           inkscape:connector-curvature="0"
+           id="path3789"
+           d="m 171.72593,536.17423 29.29443,-30.30457 28.28427,54.54823 22.22335,-34.34518 23.23351,24.24366 31.31473,-10.10153 27.27412,-34.34518 23.23351,-40.40611 23.23351,31.31473 36.36549,1.01016 19.1929,40.4061"
+           style="fill:none;stroke:#000000;stroke-width:1.59550798px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1" />
+      </g>
+      <g
+         id="g3801"
+         transform="matrix(0,-1,1,0,-207.00664,541.37735)">
+        <rect
+           y="355.35693"
+           x="119.19801"
+           height="29.294403"
+           width="225.26402"
+           id="rect3803"
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+        <text
+           xml:space="preserve"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           x="150.59395"
+           y="374.5498"
+           id="text3805"
+           sodipodi:linespacing="125%"><tspan
+             sodipodi:role="line"
+             id="tspan3807"
+             x="150.59395"
+             y="374.5498"
+             style="font-size:16px">AxisItem(GraphicsItem)</tspan></text>
+      </g>
+      <g
+         id="g3809"
+         transform="translate(104.06602,-189.05576)">
+        <rect
+           y="355.35693"
+           x="77.781746"
+           height="26.85568"
+           width="313.26996"
+           id="rect3811"
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+        <text
+           xml:space="preserve"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           x="154.59395"
+           y="374.5498"
+           id="text3813"
+           sodipodi:linespacing="125%"><tspan
+             sodipodi:role="line"
+             id="tspan3815"
+             x="154.59395"
+             y="374.5498"
+             style="font-size:16px">AxisItem(GraphicsItem)</tspan></text>
+      </g>
+      <g
+         transform="translate(104.06602,72.94424)"
+         id="g3817">
+        <rect
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+           id="rect3819"
+           width="313.26996"
+           height="26.85568"
+           x="77.781746"
+           y="355.35693" />
+        <text
+           sodipodi:linespacing="125%"
+           id="text3821"
+           y="374.5498"
+           x="154.59395"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           xml:space="preserve"><tspan
+             style="font-size:16px"
+             y="374.5498"
+             x="154.59395"
+             id="tspan3823"
+             sodipodi:role="line">AxisItem(GraphicsItem)</tspan></text>
+      </g>
+      <g
+         transform="matrix(0,-1,1,0,144.99336,541.37735)"
+         id="g3825">
+        <rect
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+           id="rect3827"
+           width="225.26402"
+           height="29.294403"
+           x="119.19801"
+           y="355.35693" />
+        <text
+           sodipodi:linespacing="125%"
+           id="text3829"
+           y="374.5498"
+           x="150.59395"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           xml:space="preserve"><tspan
+             style="font-size:16px"
+             y="374.5498"
+             x="150.59395"
+             id="tspan3831"
+             sodipodi:role="line">AxisItem(GraphicsItem)</tspan></text>
+      </g>
+      <g
+         transform="translate(104.06602,-219.05576)"
+         id="g3833">
+        <rect
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+           id="rect3835"
+           width="313.26996"
+           height="26.85568"
+           x="77.781746"
+           y="355.35693" />
+        <text
+           sodipodi:linespacing="125%"
+           id="text3837"
+           y="374.5498"
+           x="118.59395"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           xml:space="preserve"><tspan
+             style="font-size:16px"
+             y="374.5498"
+             x="118.59395"
+             id="tspan3839"
+             sodipodi:role="line">Title   -   LabelItem(GraphicsItem)</tspan></text>
+      </g>
+      <text
+         sodipodi:linespacing="125%"
+         id="text3879"
+         y="363.02704"
+         x="301.12698"
+         style="font-size:14px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+         xml:space="preserve"><tspan
+           y="363.02704"
+           x="301.12698"
+           id="tspan3881"
+           sodipodi:role="line">PlotDataItem(GraphicsItem)</tspan></text>
+    </g>
+    <g
+       id="g3978"
+       transform="matrix(0.62675963,0,0,0.62675963,280.29275,-190.12921)">
+      <rect
+         y="540.00317"
+         x="96.42733"
+         height="407.9704"
+         width="495.98489"
+         id="rect4003-9"
+         style="fill:#000000;fill-opacity:1;stroke:#000000;stroke-width:3.19101596;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0;filter:url(#filter4029-0)" />
+      <g
+         transform="translate(0,202)"
+         id="g3883">
+        <rect
+           y="330.10312"
+           x="88.893425"
+           height="407.9704"
+           width="495.98489"
+           id="rect3885"
+           style="fill:#cecae4;fill-opacity:1;stroke:#000000;stroke-width:3.19101596;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+        <text
+           sodipodi:linespacing="125%"
+           id="text3887"
+           y="348.28586"
+           x="91.923874"
+           style="font-size:72px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           xml:space="preserve"><tspan
+             style="font-size:20px"
+             y="348.28586"
+             x="91.923874"
+             id="tspan3889"
+             sodipodi:role="line">GraphicsLayoutWidget(GraphicsView)</tspan></text>
+      </g>
+      <g
+         id="g3891"
+         transform="translate(3.0304576,214.06092)">
+        <rect
+           y="355.35693"
+           x="111.11678"
+           height="361.871"
+           width="450.52805"
+           id="rect3893"
+           style="fill:#ffffff;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+        <text
+           xml:space="preserve"
+           style="font-size:72px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           x="124.24876"
+           y="376.57013"
+           id="text3895"
+           sodipodi:linespacing="125%"><tspan
+             sodipodi:role="line"
+             id="tspan3897"
+             x="124.24876"
+             y="376.57013"
+             style="font-size:18px">GraphicsLayoutItem(GraphicsItem)</tspan></text>
+      </g>
+      <g
+         transform="translate(17.172593,259.49748)"
+         id="g3909">
+        <rect
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+           id="rect3911"
+           width="199.00005"
+           height="144.45183"
+           x="111.11678"
+           y="355.35693" />
+        <text
+           sodipodi:linespacing="125%"
+           id="text3913"
+           y="378.59042"
+           x="125.25891"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           xml:space="preserve"><tspan
+             style="font-size:16px"
+             y="378.59042"
+             x="125.25891"
+             id="tspan3915"
+             sodipodi:role="line">PlotItem</tspan></text>
+        <g
+           transform="matrix(0.73495341,0,0,0.52372233,28.190975,147.93852)"
+           id="g4155"
+           style="opacity:0.21238936">
+          <g
+             transform="matrix(0.62675963,0,0,0.62675963,80.420081,271.29053)"
+             id="g3777-4">
+            <rect
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:4.10315084;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+               id="rect3779-6"
+               width="314.15744"
+               height="226.27419"
+               x="111.11678"
+               y="355.35693" />
+            <path
+               style="fill:none;stroke:#000000;stroke-width:4.10315084px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1"
+               d="m 171.72593,536.17423 29.29443,-30.30457 28.28427,54.54823 22.22335,-34.34518 23.23351,24.24366 31.31473,-10.10153 27.27412,-34.34518 23.23351,-40.40611 23.23351,31.31473 36.36549,1.01016 19.1929,40.4061"
+               id="path3789-2"
+               inkscape:connector-curvature="0"
+               transform="translate(-39.395949,-44.446712)" />
+          </g>
+          <g
+             transform="matrix(0,-0.62675963,0.62675963,0,-93.641919,709.89607)"
+             id="g3801-4">
+            <rect
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:4.10315084;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+               id="rect3803-7"
+               width="225.26402"
+               height="29.294403"
+               x="119.19801"
+               y="355.35693" />
+          </g>
+          <g
+             transform="matrix(0.62675963,0,0,0.62675963,101.32586,252.09009)"
+             id="g3809-4">
+            <rect
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:4.10315084;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+               id="rect3811-8"
+               width="313.26996"
+               height="26.85568"
+               x="77.781746"
+               y="355.35693" />
+          </g>
+          <g
+             id="g3817-8"
+             transform="matrix(0.62675963,0,0,0.62675963,101.32586,416.30111)">
+            <rect
+               y="355.35693"
+               x="77.781746"
+               height="26.85568"
+               width="313.26996"
+               id="rect3819-9"
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:4.10315084;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+          </g>
+          <g
+             id="g3825-8"
+             transform="matrix(0,-0.62675963,0.62675963,0,126.97747,709.89607)">
+            <rect
+               y="355.35693"
+               x="119.19801"
+               height="29.294403"
+               width="225.26402"
+               id="rect3827-0"
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:4.10315084;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+          </g>
+          <g
+             id="g3833-0"
+             transform="matrix(0.62675963,0,0,0.62675963,101.32586,233.2873)">
+            <rect
+               y="355.35693"
+               x="77.781746"
+               height="26.85568"
+               width="313.26996"
+               id="rect3835-5"
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:4.10315084;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+          </g>
+        </g>
+      </g>
+      <g
+         id="g3919"
+         transform="translate(237.17259,259.49748)">
+        <rect
+           y="355.35693"
+           x="111.11678"
+           height="144.45183"
+           width="199.00005"
+           id="rect3925"
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+        <text
+           xml:space="preserve"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           x="125.25891"
+           y="378.59042"
+           id="text3921"
+           sodipodi:linespacing="125%"><tspan
+             sodipodi:role="line"
+             id="tspan3923"
+             x="125.25891"
+             y="378.59042"
+             style="font-size:16px">ViewBox</tspan></text>
+        <path
+           inkscape:connector-curvature="0"
+           id="path3927"
+           d="m 132.32998,422.03916 15.82573,16.2779 15.28001,-29.30022 12.00571,18.44828 12.55144,-13.02232 16.91715,5.42597 14.7343,18.44829 12.55143,21.70388 12.55144,-16.8205 19.64573,-0.54261 10.36857,-21.70387"
+           style="fill:none;stroke:#000000;stroke-width:1.59550798px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1" />
+      </g>
+      <g
+         id="g3931"
+         transform="translate(17.172593,417.49748)">
+        <rect
+           y="355.35693"
+           x="111.11678"
+           height="144.45183"
+           width="419.21329"
+           id="rect3937"
+           style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:1.59550798;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+        <text
+           xml:space="preserve"
+           style="font-size:16px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial"
+           x="125.25891"
+           y="378.59042"
+           id="text3933"
+           sodipodi:linespacing="125%"><tspan
+             sodipodi:role="line"
+             id="tspan3935"
+             x="125.25891"
+             y="378.59042"
+             style="font-size:16px">PlotItem</tspan></text>
+        <g
+           transform="matrix(1.675408,0,0,0.51883759,-93.913147,152.77473)"
+           id="g4155-5"
+           style="opacity:0.18141593">
+          <g
+             transform="matrix(0.62675963,0,0,0.62675963,80.420081,271.29053)"
+             id="g3777-4-0">
+            <rect
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:2.73037291;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+               id="rect3779-6-6"
+               width="314.15744"
+               height="226.27419"
+               x="111.11678"
+               y="355.35693" />
+            <path
+               style="fill:none;stroke:#000000;stroke-width:2.73037291px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1"
+               d="m 171.72593,536.17423 29.29443,-30.30457 28.28427,54.54823 22.22335,-34.34518 23.23351,24.24366 31.31473,-10.10153 27.27412,-34.34518 23.23351,-40.40611 23.23351,31.31473 36.36549,1.01016 19.1929,40.4061"
+               id="path3789-2-4"
+               inkscape:connector-curvature="0"
+               transform="translate(-39.395949,-44.446712)" />
+          </g>
+          <g
+             transform="matrix(0,-0.62675963,0.26439647,0,45.741554,709.89607)"
+             id="g3801-4-6">
+            <rect
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:4.203825;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+               id="rect3803-7-2"
+               width="225.26402"
+               height="29.294403"
+               x="119.19801"
+               y="355.35693" />
+          </g>
+          <g
+             transform="matrix(0.62675963,0,0,0.62675963,101.32586,252.09009)"
+             id="g3809-4-5">
+            <rect
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:2.73037291;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+               id="rect3811-8-8"
+               width="313.26996"
+               height="26.85568"
+               x="77.781746"
+               y="355.35693" />
+          </g>
+          <g
+             id="g3817-8-6"
+             transform="matrix(0.62675963,0,0,0.62675963,101.32586,416.30111)">
+            <rect
+               y="355.35693"
+               x="77.781746"
+               height="26.85568"
+               width="313.26996"
+               id="rect3819-9-2"
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:2.73037291;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+          </g>
+          <g
+             id="g3825-8-8"
+             transform="matrix(0,-0.62675963,0.24174877,0,263.79375,709.89607)">
+            <rect
+               y="355.35693"
+               x="119.19801"
+               height="29.294403"
+               width="225.26402"
+               id="rect3827-0-4"
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:4.39633036;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+          </g>
+          <g
+             id="g3833-0-7"
+             transform="matrix(0.62675963,0,0,0.62675963,101.32586,233.2873)">
+            <rect
+               y="355.35693"
+               x="77.781746"
+               height="26.85568"
+               width="313.26996"
+               id="rect3835-5-2"
+               style="fill:#d7d7d7;fill-opacity:1;stroke:#000000;stroke-width:2.73037291;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+          </g>
+        </g>
+      </g>
+    </g>
+  </g>
+</svg>
diff --git a/documentation/source/index.rst b/documentation/source/index.rst
new file mode 100644
index 0000000000000000000000000000000000000000..aa6753ef481b9ff8ca70a5f4b0c78c79c4a0f197
--- /dev/null
+++ b/documentation/source/index.rst
@@ -0,0 +1,32 @@
+.. pyqtgraph documentation master file, created by
+   sphinx-quickstart on Fri Nov 18 19:33:12 2011.
+   You can adapt this file completely to your liking, but it should at least
+   contain the root `toctree` directive.
+
+Welcome to the documentation for pyqtgraph 1.8
+==============================================
+
+Contents:
+
+.. toctree::
+    :maxdepth: 2
+
+    introduction
+    how_to_use
+    plotting
+    images
+    style
+    region_of_interest
+    graphicswindow
+    parametertree
+    internals
+    apireference
+    
+
+Indices and tables
+==================
+
+* :ref:`genindex`
+* :ref:`modindex`
+* :ref:`search`
+
diff --git a/documentation/source/internals.rst b/documentation/source/internals.rst
new file mode 100644
index 0000000000000000000000000000000000000000..3f25376d11d1c6cc7e6261b43f64a6b63eed44b4
--- /dev/null
+++ b/documentation/source/internals.rst
@@ -0,0 +1,9 @@
+Internals - Extensions to Qt's GraphicsView
+================================
+
+* GraphicsView
+* GraphicsScene (mouse events)
+* GraphicsObject
+* GraphicsWidget
+* ViewBox
+
diff --git a/documentation/source/introduction.rst b/documentation/source/introduction.rst
new file mode 100644
index 0000000000000000000000000000000000000000..c5c1dfabdf1601b027ba985181b61fe3dcf0037b
--- /dev/null
+++ b/documentation/source/introduction.rst
@@ -0,0 +1,51 @@
+Introduction
+============
+
+
+
+What is pyqtgraph?
+------------------
+
+Pyqtgraph is a graphics and user interface library for Python that provides functionality commonly required in engineering and science applications. Its primary goals are 1) to provide fast, interactive graphics for displaying data (plots, video, etc.) and 2) to provide tools to aid in rapid application development (for example, property trees such as used in Qt Designer).
+
+Pyqtgraph makes heavy use of the Qt GUI platform (via PyQt or PySide) for its high-performance graphics and numpy for heavy number crunching. In particular, pyqtgraph uses Qt's GraphicsView framework which is a highly capable graphics system on its own; we bring optimized and simplified primitives to this framework to allow data visualization with minimal effort. 
+
+It is known to run on Linux, Windows, and OSX
+
+
+What can it do?
+---------------
+
+Amongst the core features of pyqtgraph are:
+
+* Basic data visualization primitives: Images, line and scatter plots
+* Fast enough for realtime update of video/plot data
+* Interactive scaling/panning, averaging, FFTs, SVG/PNG export
+* Widgets for marking/selecting plot regions
+* Widgets for marking/selecting image region-of-interest and automatically slicing multi-dimensional image data
+* Framework for building customized image region-of-interest widgets
+* Docking system that replaces/complements Qt's dock system to allow more complex (and more predictable) docking arrangements
+* ParameterTree widget for rapid prototyping of dynamic interfaces (Similar to the property trees in Qt Designer and many other applications)
+
+
+.. _examples:
+
+Examples
+--------
+
+Pyqtgraph includes an extensive set of examples that can be accessed by running::
+    
+    import pyqtgraph.examples
+    pyqtgraph.examples.run()
+
+This will start a launcher with a list of available examples. Select an item from the list to view its source code and double-click an item to run the example.
+
+
+How does it compare to...
+-------------------------
+
+* matplotlib: For plotting and making publication-quality graphics, matplotlib is far more mature than pyqtgraph. However, matplotlib is also much slower and not suitable for applications requiring realtime update of plots/video or rapid interactivity. It also does not provide any of the GUI tools and image interaction/slicing functionality in pyqtgraph.
+
+* pyqwt5: pyqwt is generally more mature than pyqtgraph for plotting and is about as fast. The major differences are 1) pyqtgraph is written in pure python, so it is somewhat more portable than pyqwt, which often lags behind pyqt in development (and can be a pain to install on some platforms) and 2) like matplotlib, pyqwt does not provide any of the GUI tools and image interaction/slicing functionality in pyqtgraph.
+
+(My experience with these libraries is somewhat outdated; please correct me if I am wrong here)
diff --git a/documentation/source/parametertree.rst b/documentation/source/parametertree.rst
new file mode 100644
index 0000000000000000000000000000000000000000..de699492273d0593cacc87fa03fe54ac68dac0d6
--- /dev/null
+++ b/documentation/source/parametertree.rst
@@ -0,0 +1,7 @@
+Rapid GUI prototyping
+=====================
+
+ - parametertree
+ - dockarea
+ - flowchart
+ - canvas
diff --git a/documentation/source/plotting.rst b/documentation/source/plotting.rst
new file mode 100644
index 0000000000000000000000000000000000000000..ee9ed6dc0283638a6815f6b561cfabdd14c858a7
--- /dev/null
+++ b/documentation/source/plotting.rst
@@ -0,0 +1,73 @@
+Plotting in pyqtgraph
+=====================
+
+There are a few basic ways to plot data in pyqtgraph: 
+
+================================================================ ==================================================
+:func:`pyqtgraph.plot`                                           Create a new plot window showing your data
+:func:`PlotWidget.plot() <pyqtgraph.PlotWidget.plot>`            Add a new set of data to an existing plot widget
+:func:`PlotItem.plot() <pyqtgraph.PlotItem.plot>`                Add a new set of data to an existing plot widget
+:func:`GraphicsWindow.addPlot() <pyqtgraph.GraphicsWindow.plot>` Add a new plot to a grid of plots
+================================================================ ==================================================
+
+All of these will accept the same basic arguments which control how the plot data is interpreted and displayed:
+    
+* x - Optional X data; if not specified, then a range of integers will be generated automatically.
+* y - Y data.
+* pen - The pen to use when drawing plot lines, or None to disable lines.
+* symbol - A string describing the shape of symbols to use for each point. Optionally, this may also be a sequence of strings with a different symbol for each point.
+* symbolPen - The pen (or sequence of pens) to use when drawing the symbol outline.
+* symbolBrush - The brush (or sequence of brushes) to use when filling the symbol.
+* fillLevel - Fills the area under the plot curve to this Y-value.
+* brush - The brush to use when filling under the curve.
+    
+See the 'plotting' :ref:`example <examples>` for a demonstration of these arguments.
+    
+All of the above functions also return handles to the objects that are created, allowing the plots and data to be further modified.
+
+Organization of Plotting Classes
+--------------------------------
+
+There are several classes invloved in displaying plot data. Most of these classes are instantiated automatically, but it is useful to understand how they are organized and relate to each other. Pyqtgraph is based heavily on Qt's GraphicsView framework--if you are not already familiar with this, it's worth reading about (but not essential). Most importantly: 1) Qt GUIs are composed of QWidgets, 2) A special widget called QGraphicsView is used for displaying complex graphics, and 3) QGraphicsItems define the objects that are displayed within a QGraphicsView.
+
+* Data Classes (all subclasses of QGraphicsItem)
+    * PlotCurveItem - Displays a plot line given x,y data
+    * ScatterPlotItem - Displays points given x,y data
+    * :class:`PlotDataItem <pyqtgraph.graphicsItems.PlotDataItem.PlotDataItem>` - Combines PlotCurveItem and ScatterPlotItem. The plotting functions discussed above create objects of this type.
+* Container Classes (subclasses of QGraphicsItem; contain other QGraphicsItem objects and must be viewed from within a GraphicsView)
+    * PlotItem - Contains a ViewBox for displaying data as well as AxisItems and labels for displaying the axes and title. This is a QGraphicsItem subclass and thus may only be used from within a GraphicsView
+    * GraphicsLayoutItem - QGraphicsItem subclass which displays a grid of items. This is used to display multiple PlotItems together.
+    * ViewBox - A QGraphicsItem subclass for displaying data. The user may scale/pan the contents of a ViewBox using the mouse. Typically all PlotData/PlotCurve/ScatterPlotItems are displayed from within a ViewBox.
+    * AxisItem - Displays axis values, ticks, and labels. Most commonly used with PlotItem.
+* Container Classes (subclasses of QWidget; may be embedded in PyQt GUIs)
+    * PlotWidget - A subclass of GraphicsView with a single PlotItem displayed. Most of the methods provided by PlotItem are also available through PlotWidget.
+    * GraphicsLayoutWidget - QWidget subclass displaying a single GraphicsLayoutItem. Most of the methods provided by GraphicsLayoutItem are also available through GraphicsLayoutWidget.
+    
+.. image:: images/plottingClasses.png
+
+
+Examples
+--------
+
+See the 'plotting' and 'PlotWidget' :ref:`examples included with pyqtgraph <examples>` for more information.
+
+Show x,y data as scatter plot::
+    
+    import pyqtgraph as pg
+    import numpy as np
+    x = np.random.normal(size=1000)
+    y = np.random.normal(size=1000)
+    pg.plot(x, y, pen=None, symbol='o')  ## setting pen=None disables line drawing
+
+Create/show a plot widget, display three data curves::
+    
+    import pyqtgraph as pg
+    import numpy as np
+    x = np.arange(1000)
+    y = np.random.normal(size=(3, 1000))
+    plotWidget = pg.plot(title="Three plot curves")
+    for i in range(3):
+        plotWidget.plot(x, y[i], pen=(i,3))  ## setting pen=(i,3) automaticaly creates three different-colored pens
+    
+
+
diff --git a/documentation/source/region_of_interest.rst b/documentation/source/region_of_interest.rst
new file mode 100644
index 0000000000000000000000000000000000000000..24799cb745207939458a6671b7882248133189af
--- /dev/null
+++ b/documentation/source/region_of_interest.rst
@@ -0,0 +1,19 @@
+Region-of-interest controls
+===========================
+
+Slicing Multidimensional Data
+-----------------------------
+
+Linear Selection and Marking
+----------------------------
+
+2D Selection and Marking
+------------------------
+
+
+
+
+- translate / rotate / scale
+- highly configurable control handles
+- automated data slicing
+- linearregion, infiniteline
diff --git a/documentation/source/style.rst b/documentation/source/style.rst
new file mode 100644
index 0000000000000000000000000000000000000000..fc172420d5305507f1bacb14fa4458ee9e3d1b26
--- /dev/null
+++ b/documentation/source/style.rst
@@ -0,0 +1,17 @@
+Line, Fill, and Color
+=====================
+
+Many functions and methods in pyqtgraph accept arguments specifying the line style (pen), fill style (brush), or color. 
+
+For these function arguments, the following values may be used:
+    
+* single-character string representing color (b, g, r, c, m, y, k, w)
+* (r, g, b) or (r, g, b, a) tuple
+* single greyscale value (0.0 - 1.0)
+* (index, maximum) tuple for automatically iterating through colors (see functions.intColor)
+* QColor
+* QPen / QBrush where appropriate
+
+Notably, more complex pens and brushes can be easily built using the mkPen() / mkBrush() functions or with Qt's QPen and QBrush classes.
+
+Colors can also be built using mkColor(), intColor(), hsvColor(), or Qt's QColor class
diff --git a/documentation/source/widgets/checktable.rst b/documentation/source/widgets/checktable.rst
new file mode 100644
index 0000000000000000000000000000000000000000..5301a4e931e714e3f8480ed5c85244a7eab775ff
--- /dev/null
+++ b/documentation/source/widgets/checktable.rst
@@ -0,0 +1,8 @@
+CheckTable
+==========
+
+.. autoclass:: pyqtgraph.CheckTable
+    :members:
+
+    .. automethod:: pyqtgraph.CheckTable.__init__
+
diff --git a/documentation/source/widgets/colorbutton.rst b/documentation/source/widgets/colorbutton.rst
new file mode 100644
index 0000000000000000000000000000000000000000..690239d89596264e3ea58051eecd8cd8c9650f51
--- /dev/null
+++ b/documentation/source/widgets/colorbutton.rst
@@ -0,0 +1,8 @@
+ColorButton
+===========
+
+.. autoclass:: pyqtgraph.ColorButton
+    :members:
+
+    .. automethod:: pyqtgraph.ColorButton.__init__
+
diff --git a/documentation/source/widgets/datatreewidget.rst b/documentation/source/widgets/datatreewidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..f6bbdbaf962ec38c3c30633d6d28b738c02fd527
--- /dev/null
+++ b/documentation/source/widgets/datatreewidget.rst
@@ -0,0 +1,8 @@
+DataTreeWidget
+==============
+
+.. autoclass:: pyqtgraph.DataTreeWidget
+    :members:
+
+    .. automethod:: pyqtgraph.DataTreeWidget.__init__
+
diff --git a/documentation/source/widgets/dockarea.rst b/documentation/source/widgets/dockarea.rst
new file mode 100644
index 0000000000000000000000000000000000000000..09a6accaf4e6cbd91bf2ea7870771c8068aca089
--- /dev/null
+++ b/documentation/source/widgets/dockarea.rst
@@ -0,0 +1,5 @@
+dockarea module
+===============
+
+.. automodule:: pyqtgraph.dockarea
+    :members:
diff --git a/documentation/source/widgets/filedialog.rst b/documentation/source/widgets/filedialog.rst
new file mode 100644
index 0000000000000000000000000000000000000000..bf2f9c072d978d3c3740068c7734559367935d7b
--- /dev/null
+++ b/documentation/source/widgets/filedialog.rst
@@ -0,0 +1,8 @@
+FileDialog
+==========
+
+.. autoclass:: pyqtgraph.FileDialog
+    :members:
+
+    .. automethod:: pyqtgraph.FileDialog.__init__
+
diff --git a/documentation/source/widgets/gradientwidget.rst b/documentation/source/widgets/gradientwidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..a2587503a1b3981d11f6c24db00f69d0bd231e66
--- /dev/null
+++ b/documentation/source/widgets/gradientwidget.rst
@@ -0,0 +1,8 @@
+GradientWidget
+==============
+
+.. autoclass:: pyqtgraph.GradientWidget
+    :members:
+
+    .. automethod:: pyqtgraph.GradientWidget.__init__
+
diff --git a/documentation/source/widgets/graphicslayoutwidget.rst b/documentation/source/widgets/graphicslayoutwidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..5f885f073bb8bff780efbb9e055d66f61f220daa
--- /dev/null
+++ b/documentation/source/widgets/graphicslayoutwidget.rst
@@ -0,0 +1,8 @@
+GraphicsLayoutWidget
+====================
+
+.. autoclass:: pyqtgraph.GraphicsLayoutWidget
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsLayoutWidget.__init__
+
diff --git a/documentation/source/widgets/graphicsview.rst b/documentation/source/widgets/graphicsview.rst
new file mode 100644
index 0000000000000000000000000000000000000000..ac7ae3bfd7ff79405fc1dab4fc12048284c156d3
--- /dev/null
+++ b/documentation/source/widgets/graphicsview.rst
@@ -0,0 +1,8 @@
+GraphicsView
+============
+
+.. autoclass:: pyqtgraph.GraphicsView
+    :members:
+
+    .. automethod:: pyqtgraph.GraphicsView.__init__
+
diff --git a/documentation/source/widgets/histogramlutwidget.rst b/documentation/source/widgets/histogramlutwidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..9d8f3b20b2cf0e30954ff7422a66e9005928ecaf
--- /dev/null
+++ b/documentation/source/widgets/histogramlutwidget.rst
@@ -0,0 +1,8 @@
+HistogramLUTWidget
+==================
+
+.. autoclass:: pyqtgraph.HistogramLUTWidget
+    :members:
+
+    .. automethod:: pyqtgraph.HistogramLUTWidget.__init__
+
diff --git a/documentation/source/widgets/imageview.rst b/documentation/source/widgets/imageview.rst
new file mode 100644
index 0000000000000000000000000000000000000000..1eadabbf1174f5cb269f6e34527cdaa43af88600
--- /dev/null
+++ b/documentation/source/widgets/imageview.rst
@@ -0,0 +1,8 @@
+ImageView
+=========
+
+.. autoclass:: pyqtgraph.ImageView
+    :members:
+
+    .. automethod:: pyqtgraph.ImageView.__init__
+
diff --git a/documentation/source/widgets/index.rst b/documentation/source/widgets/index.rst
new file mode 100644
index 0000000000000000000000000000000000000000..1beaf1ec9f26a112a5f89457fcb172aab303a59a
--- /dev/null
+++ b/documentation/source/widgets/index.rst
@@ -0,0 +1,31 @@
+Pyqtgraph's Widgets
+===================
+
+Pyqtgraph provides several QWidget subclasses which are useful for building user interfaces. These widgets can generally be used in any Qt application and provide functionality that is frequently useful in science and engineering applications.
+
+Contents:
+
+.. toctree::
+    :maxdepth: 2
+
+    plotwidget
+    imageview
+    dockarea
+    spinbox
+    gradientwidget
+    histogramlutwidget
+    parametertree
+    graphicsview
+    rawimagewidget
+    datatreewidget
+    tablewidget
+    treewidget
+    checktable
+    colorbutton
+    graphicslayoutwidget
+    progressdialog
+    filedialog
+    joystickbutton
+    multiplotwidget
+    verticallabel
+
diff --git a/documentation/source/widgets/joystickbutton.rst b/documentation/source/widgets/joystickbutton.rst
new file mode 100644
index 0000000000000000000000000000000000000000..4d21e16fcd12ed6a0de816ebeed22fd1e66a3181
--- /dev/null
+++ b/documentation/source/widgets/joystickbutton.rst
@@ -0,0 +1,8 @@
+JoystickButton
+==============
+
+.. autoclass:: pyqtgraph.JoystickButton
+    :members:
+
+    .. automethod:: pyqtgraph.JoystickButton.__init__
+
diff --git a/documentation/source/widgets/make b/documentation/source/widgets/make
new file mode 100644
index 0000000000000000000000000000000000000000..40d0e1265d7d27ec5fac1838c877aa1d30875166
--- /dev/null
+++ b/documentation/source/widgets/make
@@ -0,0 +1,31 @@
+files = """CheckTable
+ColorButton
+DataTreeWidget
+FileDialog
+GradientWidget
+GraphicsLayoutWidget
+GraphicsView
+HistogramLUTWidget
+JoystickButton
+MultiPlotWidget
+PlotWidget
+ProgressDialog
+RawImageWidget
+SpinBox
+TableWidget
+TreeWidget
+VerticalLabel""".split('\n')
+
+for f in files:
+    print f
+    fh = open(f.lower()+'.rst', 'w')
+    fh.write(
+"""%s
+%s
+
+.. autoclass:: pyqtgraph.%s
+    :members:
+
+    .. automethod:: pyqtgraph.%s.__init__
+
+""" % (f, '='*len(f), f, f))
diff --git a/documentation/source/widgets/multiplotwidget.rst b/documentation/source/widgets/multiplotwidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..46986db0b4818456a61487ba0fd4e44ff5318ddf
--- /dev/null
+++ b/documentation/source/widgets/multiplotwidget.rst
@@ -0,0 +1,8 @@
+MultiPlotWidget
+===============
+
+.. autoclass:: pyqtgraph.MultiPlotWidget
+    :members:
+
+    .. automethod:: pyqtgraph.MultiPlotWidget.__init__
+
diff --git a/documentation/source/widgets/parametertree.rst b/documentation/source/widgets/parametertree.rst
new file mode 100644
index 0000000000000000000000000000000000000000..565b930b10e468645a912e04d467deb27219fe49
--- /dev/null
+++ b/documentation/source/widgets/parametertree.rst
@@ -0,0 +1,5 @@
+parametertree module
+====================
+
+.. automodule:: pyqtgraph.parametertree
+    :members:
diff --git a/documentation/source/widgets/plotwidget.rst b/documentation/source/widgets/plotwidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..cbded80dd860f1668e4fc5d4bc228fe5ba251106
--- /dev/null
+++ b/documentation/source/widgets/plotwidget.rst
@@ -0,0 +1,8 @@
+PlotWidget
+==========
+
+.. autoclass:: pyqtgraph.PlotWidget
+    :members:
+
+    .. automethod:: pyqtgraph.PlotWidget.__init__
+
diff --git a/documentation/source/widgets/progressdialog.rst b/documentation/source/widgets/progressdialog.rst
new file mode 100644
index 0000000000000000000000000000000000000000..fff04cb37d9d6bc870f2311b8e77c0182b1e2fb8
--- /dev/null
+++ b/documentation/source/widgets/progressdialog.rst
@@ -0,0 +1,8 @@
+ProgressDialog
+==============
+
+.. autoclass:: pyqtgraph.ProgressDialog
+    :members:
+
+    .. automethod:: pyqtgraph.ProgressDialog.__init__
+
diff --git a/documentation/source/widgets/rawimagewidget.rst b/documentation/source/widgets/rawimagewidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..29fda791882dad388b94d8a1c5b9b2d6aca74735
--- /dev/null
+++ b/documentation/source/widgets/rawimagewidget.rst
@@ -0,0 +1,8 @@
+RawImageWidget
+==============
+
+.. autoclass:: pyqtgraph.RawImageWidget
+    :members:
+
+    .. automethod:: pyqtgraph.RawImageWidget.__init__
+
diff --git a/documentation/source/widgets/spinbox.rst b/documentation/source/widgets/spinbox.rst
new file mode 100644
index 0000000000000000000000000000000000000000..33da1f4c60ecc15918a50092169b5ff3872c2635
--- /dev/null
+++ b/documentation/source/widgets/spinbox.rst
@@ -0,0 +1,8 @@
+SpinBox
+=======
+
+.. autoclass:: pyqtgraph.SpinBox
+    :members:
+
+    .. automethod:: pyqtgraph.SpinBox.__init__
+
diff --git a/documentation/source/widgets/tablewidget.rst b/documentation/source/widgets/tablewidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..283b540b5ca6fe74c7639ce390374585809833e7
--- /dev/null
+++ b/documentation/source/widgets/tablewidget.rst
@@ -0,0 +1,8 @@
+TableWidget
+===========
+
+.. autoclass:: pyqtgraph.TableWidget
+    :members:
+
+    .. automethod:: pyqtgraph.TableWidget.__init__
+
diff --git a/documentation/source/widgets/treewidget.rst b/documentation/source/widgets/treewidget.rst
new file mode 100644
index 0000000000000000000000000000000000000000..00f9fa2812ca11fb967ee144e327f75ecbf951cb
--- /dev/null
+++ b/documentation/source/widgets/treewidget.rst
@@ -0,0 +1,8 @@
+TreeWidget
+==========
+
+.. autoclass:: pyqtgraph.TreeWidget
+    :members:
+
+    .. automethod:: pyqtgraph.TreeWidget.__init__
+
diff --git a/documentation/source/widgets/verticallabel.rst b/documentation/source/widgets/verticallabel.rst
new file mode 100644
index 0000000000000000000000000000000000000000..4f627437bedf88df99979d5fbae95ecd00958ada
--- /dev/null
+++ b/documentation/source/widgets/verticallabel.rst
@@ -0,0 +1,8 @@
+VerticalLabel
+=============
+
+.. autoclass:: pyqtgraph.VerticalLabel
+    :members:
+
+    .. automethod:: pyqtgraph.VerticalLabel.__init__
+
diff --git a/examples/test_Arrow.py b/examples/Arrow.py
similarity index 77%
rename from examples/test_Arrow.py
rename to examples/Arrow.py
index 7d0c4aad4cd652a8fb236ed81440ed237bb43687..f93840086e5c30d41215d19ff31d7cf494851bff 100755
--- a/examples/test_Arrow.py
+++ b/examples/Arrow.py
@@ -1,9 +1,8 @@
 # -*- coding: utf-8 -*-
-## Add path to library (just for examples; you do not need this)
+## Add path to library (just for examples; you do not need this)                                                                           
 import sys, os
 sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
 
-
 import numpy as np
 from PyQt4 import QtGui, QtCore
 import pyqtgraph as pg
@@ -15,7 +14,7 @@ mw.resize(800,800)
 
 p = pg.PlotWidget()
 mw.setCentralWidget(p)
-c = p.plot(x=np.sin(np.linspace(0, 2*np.pi, 100)), y=np.cos(np.linspace(0, 2*np.pi, 100)))
+c = p.plot(x=np.sin(np.linspace(0, 2*np.pi, 1000)), y=np.cos(np.linspace(0, 6*np.pi, 1000)))
 a = pg.CurveArrow(c)
 p.addItem(a)
 
diff --git a/examples/CLIexample.py b/examples/CLIexample.py
new file mode 100644
index 0000000000000000000000000000000000000000..f2def91a057fb0051a0b81d40bd170d18652d7ca
--- /dev/null
+++ b/examples/CLIexample.py
@@ -0,0 +1,22 @@
+## Add path to library (just for examples; you do not need this)
+import sys, os
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+
+from PyQt4 import QtGui, QtCore
+import numpy as np
+import pyqtgraph as pg
+
+app = QtGui.QApplication([])
+
+
+data = np.random.normal(size=1000)
+pg.plot(data, title="Simplest possible plotting example")
+
+data = np.random.normal(size=(500,500))
+pg.show(data, title="Simplest possible image example")
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/DataSlicing.py b/examples/DataSlicing.py
new file mode 100644
index 0000000000000000000000000000000000000000..32b9c584c6b3da48974049a3258ff3cb82807413
--- /dev/null
+++ b/examples/DataSlicing.py
@@ -0,0 +1,55 @@
+# -*- coding: utf-8 -*-
+## Add path to library (just for examples; you do not need this)
+import sys, os
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+
+import numpy as np
+import scipy
+from PyQt4 import QtCore, QtGui
+import pyqtgraph as pg
+
+app = QtGui.QApplication([])
+
+## Create window with two ImageView widgets
+win = QtGui.QMainWindow()
+win.resize(800,800)
+cw = QtGui.QWidget()
+win.setCentralWidget(cw)
+l = QtGui.QGridLayout()
+cw.setLayout(l)
+imv1 = pg.ImageView()
+imv2 = pg.ImageView()
+l.addWidget(imv1, 0, 0)
+l.addWidget(imv2, 1, 0)
+win.show()
+
+roi = pg.LineSegmentROI([[10, 64], [120,64]], pen='r')
+imv1.addItem(roi)
+
+x1 = np.linspace(-30, 10, 128)[:, np.newaxis, np.newaxis]
+x2 = np.linspace(-20, 20, 128)[:, np.newaxis, np.newaxis]
+y = np.linspace(-30, 10, 128)[np.newaxis, :, np.newaxis]
+z = np.linspace(-20, 20, 128)[np.newaxis, np.newaxis, :]
+d1 = np.sqrt(x1**2 + y**2 + z**2)
+d2 = 2*np.sqrt(x1[::-1]**2 + y**2 + z**2)
+d3 = 4*np.sqrt(x2**2 + y[:,::-1]**2 + z**2)
+data = (np.sin(d1) / d1**2) + (np.sin(d2) / d2**2) + (np.sin(d3) / d3**2)
+
+def update():
+    global data, imv1, imv2
+    d2 = roi.getArrayRegion(data, imv1.imageItem, axes=(1,2))
+    imv2.setImage(d2)
+    
+roi.sigRegionChanged.connect(update)
+
+
+## Display the data
+imv1.setImage(data)
+imv1.setHistogramRange(data.min(), data.max())
+
+update()
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/test_draw.py b/examples/Draw.py
old mode 100755
new mode 100644
similarity index 80%
rename from examples/test_draw.py
rename to examples/Draw.py
index b40932bab01aab916024056e96b72d5cee2b940b..83736cc4c185e2a598280d49ba4d82186127604b
--- a/examples/test_draw.py
+++ b/examples/Draw.py
@@ -20,7 +20,6 @@ win.show()
 
 ## Allow mouse scale/pan
 view.enableMouse()
-
 ## ..But lock the aspect ratio
 view.setAspectLocked(True)
 
@@ -31,8 +30,14 @@ view.scene().addItem(img)
 ## Set initial view bounds
 view.setRange(QtCore.QRectF(0, 0, 200, 200))
 
-img.setDrawKernel(1)
-img.setLevels(10,0)
+## start drawing with 3x3 brush
+kern = np.array([
+    [0.0, 0.5, 0.0],
+    [0.5, 1.0, 0.5],
+    [0.0, 0.5, 0.0]
+])
+img.setDrawKernel(kern, mask=kern, center=(1,1), mode='add')
+img.setLevels([0, 10])
 
 ## Start Qt event loop unless running in interactive mode.
 if sys.flags.interactive != 1:
diff --git a/examples/Flowchart.py b/examples/Flowchart.py
new file mode 100644
index 0000000000000000000000000000000000000000..749fd3b610d828b463924244890f849634aac389
--- /dev/null
+++ b/examples/Flowchart.py
@@ -0,0 +1,61 @@
+# -*- coding: utf-8 -*-
+import sys, os
+
+## Make sure pyqtgraph is importable
+p = os.path.dirname(os.path.abspath(__file__))
+p = os.path.join(p, '..', '..')
+sys.path.insert(0, p)
+
+
+from pyqtgraph.flowchart import Flowchart
+from pyqtgraph.Qt import QtGui
+
+#import pyqtgraph.flowchart as f
+
+app = QtGui.QApplication([])
+
+#TETRACYCLINE = True
+
+fc = Flowchart(terminals={
+    'dataIn': {'io': 'in'},
+    'dataOut': {'io': 'out'}    
+})
+w = fc.widget()
+w.resize(400,200)
+w.show()
+
+n1 = fc.createNode('Add')
+n2 = fc.createNode('Subtract')
+n3 = fc.createNode('Abs')
+n4 = fc.createNode('Add')
+
+fc.connectTerminals(fc.dataIn, n1.A)
+fc.connectTerminals(fc.dataIn, n1.B)
+fc.connectTerminals(fc.dataIn, n2.A)
+fc.connectTerminals(n1.Out, n4.A)
+fc.connectTerminals(n1.Out, n2.B)
+fc.connectTerminals(n2.Out, n3.In)
+fc.connectTerminals(n3.Out, n4.B)
+fc.connectTerminals(n4.Out, fc.dataOut)
+
+
+def process(**kargs):
+    return fc.process(**kargs)
+
+    
+print process(dataIn=7)
+
+fc.setInput(dataIn=3)
+
+s = fc.saveState()
+fc.clear()
+
+fc.restoreState(s)
+
+fc.setInput(dataIn=3)
+
+#f.NodeMod.TETRACYCLINE = False
+
+if sys.flags.interactive == 0:
+    app.exec_()
+
diff --git a/examples/GradientEditor.py b/examples/GradientEditor.py
new file mode 100644
index 0000000000000000000000000000000000000000..f22479db420b5841465c22b442ba5f75da81b3e6
--- /dev/null
+++ b/examples/GradientEditor.py
@@ -0,0 +1,27 @@
+# -*- coding: utf-8 -*-
+## Add path to library (just for examples; you do not need this)                                                                           
+import sys, os
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+import numpy as np
+from PyQt4 import QtGui, QtCore
+import pyqtgraph as pg
+
+
+app = QtGui.QApplication([])
+mw = pg.GraphicsView()
+mw.resize(800,800)
+mw.show()
+
+#ts = pg.TickSliderItem()
+#mw.setCentralItem(ts)
+#ts.addTick(0.5, 'r')
+#ts.addTick(0.9, 'b')
+
+ge = pg.GradientEditorItem()
+mw.setCentralItem(ge)
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/GraphicsLayout.py b/examples/GraphicsLayout.py
new file mode 100755
index 0000000000000000000000000000000000000000..940d450fe7f99b310f9b435bb5e96742e1736799
--- /dev/null
+++ b/examples/GraphicsLayout.py
@@ -0,0 +1,46 @@
+## Add path to library (just for examples; you do not need this)
+import sys, os
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+from PyQt4 import QtGui, QtCore
+import pyqtgraph as pg
+import user
+
+app = QtGui.QApplication([])
+view = pg.GraphicsView()
+l = pg.GraphicsLayout(border=pg.mkPen(0, 0, 255))
+view.setCentralItem(l)
+view.show()
+
+## Add 3 plots into the first row (automatic position)
+p1 = l.addPlot()
+p2 = l.addPlot()
+p3 = l.addPlot()
+
+## Add a viewbox into the second row (automatic position)
+l.nextRow()
+vb = l.addViewBox(colspan=3)
+
+## Add 2 more plots into the third row (manual position)
+p4 = l.addPlot(row=2, col=0)
+p5 = l.addPlot(row=2, col=1, colspan=2)
+
+
+
+## show some content
+p1.plot([1,3,2,4,3,5])
+p2.plot([1,3,2,4,3,5])
+p3.plot([1,3,2,4,3,5])
+p4.plot([1,3,2,4,3,5])
+p5.plot([1,3,2,4,3,5])
+
+b = QtGui.QGraphicsRectItem(0, 0, 1, 1)
+b.setPen(pg.mkPen(255,255,0))
+vb.addItem(b)
+vb.setRange(QtCore.QRectF(-1, -1, 3, 3))
+
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/GraphicsScene.py b/examples/GraphicsScene.py
new file mode 100644
index 0000000000000000000000000000000000000000..9720f65bc715b5e591a9ada3b5d8e1fccbbc7f46
--- /dev/null
+++ b/examples/GraphicsScene.py
@@ -0,0 +1,65 @@
+# -*- coding: utf-8 -*-
+## Add path to library (just for examples; you do not need this)
+import sys, os
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+from PyQt4 import QtCore, QtGui
+import pyqtgraph as pg
+from pyqtgraph.GraphicsScene import GraphicsScene
+
+app = QtGui.QApplication([])
+win = pg.GraphicsView()
+win.show()
+
+
+class Obj(QtGui.QGraphicsObject):
+    def __init__(self):
+        QtGui.QGraphicsObject.__init__(self)
+        GraphicsScene.registerObject(self)
+        
+    def paint(self, p, *args):
+        p.setPen(pg.mkPen(200,200,200))
+        p.drawRect(self.boundingRect())
+        
+    def boundingRect(self):
+        return QtCore.QRectF(0, 0, 20, 20)
+        
+    def mouseClickEvent(self, ev):
+        if ev.double():
+            print "double click"
+        else:
+            print "click"
+        ev.accept()
+        
+    #def mouseDragEvent(self, ev):
+        #print "drag"
+        #ev.accept()
+        #self.setPos(self.pos() + ev.pos()-ev.lastPos())
+        
+        
+
+vb = pg.ViewBox()
+win.setCentralItem(vb)
+
+obj = Obj()
+vb.addItem(obj)
+
+obj2 = Obj()
+win.addItem(obj2)
+
+def clicked():
+    print "button click"
+btn = QtGui.QPushButton("BTN")
+btn.clicked.connect(clicked)
+prox = QtGui.QGraphicsProxyWidget()
+prox.setWidget(btn)
+prox.setPos(100,0)
+vb.addItem(prox)
+
+g = pg.GridItem()
+vb.addItem(g)
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/HistogramLUT.py b/examples/HistogramLUT.py
new file mode 100644
index 0000000000000000000000000000000000000000..114da0507e64b51b8c54f2085a7b06d8bcb21c0b
--- /dev/null
+++ b/examples/HistogramLUT.py
@@ -0,0 +1,49 @@
+# -*- coding: utf-8 -*-
+## Add path to library (just for examples; you do not need this)                                                                           
+import sys, os
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+import numpy as np
+import scipy.ndimage as ndi
+from PyQt4 import QtGui, QtCore
+import pyqtgraph as pg
+
+
+app = QtGui.QApplication([])
+win = QtGui.QMainWindow()
+win.resize(800,600)
+win.show()
+
+cw = QtGui.QWidget()
+win.setCentralWidget(cw)
+
+l = QtGui.QGridLayout()
+cw.setLayout(l)
+l.setSpacing(0)
+
+v = pg.GraphicsView()
+vb = pg.ViewBox()
+vb.setAspectLocked()
+v.setCentralItem(vb)
+l.addWidget(v, 0, 0)
+
+w = pg.HistogramLUTWidget()
+l.addWidget(w, 0, 1)
+
+data = ndi.gaussian_filter(np.random.normal(size=(256, 256)), (20, 20))
+for i in range(32):
+    for j in range(32):
+        data[i*8, j*8] += .1
+img = pg.ImageItem(data)
+#data2 = np.zeros((2,) + data.shape + (2,))
+#data2[0,:,:,0] = data  ## make non-contiguous array for testing purposes
+#img = pg.ImageItem(data2[0,:,:,0])
+vb.addItem(img)
+vb.autoRange()
+
+w.setImageItem(img)
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/test_ImageItem.py b/examples/ImageItem.py
old mode 100755
new mode 100644
similarity index 53%
rename from examples/test_ImageItem.py
rename to examples/ImageItem.py
index f48f0f511c58022a03e2c8ed4398595c7fa02b68..6697e93ccc89eb227ac33c5ea93eae2acb4dff01
--- a/examples/test_ImageItem.py
+++ b/examples/ImageItem.py
@@ -2,7 +2,7 @@
 ## Add path to library (just for examples; you do not need this)
 import sys, os
 sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
-
+import ptime
 
 from PyQt4 import QtCore, QtGui
 import numpy as np
@@ -14,55 +14,48 @@ app = QtGui.QApplication([])
 win = QtGui.QMainWindow()
 win.resize(800,800)
 view = pg.GraphicsView()
-#view.useOpenGL(True)
 win.setCentralWidget(view)
 win.show()
 
-## Allow mouse scale/pan
+## Allow mouse scale/pan. Normally we use a ViewBox for this, but
+## for simple examples this is easier.
 view.enableMouse()
 
-## ..But lock the aspect ratio
+## lock the aspect ratio so pixels are always square
 view.setAspectLocked(True)
 
 ## Create image item
-img = pg.ImageItem()
+img = pg.ImageItem(border='w')
 view.scene().addItem(img)
 
 ## Set initial view bounds
-view.setRange(QtCore.QRectF(0, 0, 200, 200))
+view.setRange(QtCore.QRectF(0, 0, 600, 600))
 
 ## Create random image
-data = np.random.normal(size=(50, 200, 200))
+data = np.random.normal(size=(15, 600, 600), loc=1024, scale=64).astype(np.uint16)
 i = 0
 
+updateTime = ptime.time()
+fps = 0
+
 def updateData():
-    global img, data, i
+    global img, data, i, updateTime, fps
 
     ## Display the data
-    img.updateImage(data[i])
+    img.setImage(data[i])
     i = (i+1) % data.shape[0]
 
-    QtCore.QTimer.singleShot(20, updateData)
+    QtCore.QTimer.singleShot(1, updateData)
+    now = ptime.time()
+    fps2 = 1.0 / (now-updateTime)
+    updateTime = now
+    fps = fps * 0.9 + fps2 * 0.1
+    
+    #print "%0.1f fps" % fps
     
 
-# update image data every 20ms (or so)
-#t = QtCore.QTimer()
-#t.timeout.connect(updateData)
-#t.start(20)
 updateData()
 
-
-def doWork():
-    while True:
-        x = '.'.join(['%f'%i for i in range(100)])  ## some work for the thread to do
-        if time is None:  ## main thread has started cleaning up, bail out now
-            break
-        time.sleep(1e-3)
-
-import thread
-thread.start_new_thread(doWork, ())
-
-
 ## Start Qt event loop unless running in interactive mode.
 if sys.flags.interactive != 1:
     app.exec_()
diff --git a/examples/test_ImageView.py b/examples/ImageView.py
old mode 100755
new mode 100644
similarity index 100%
rename from examples/test_ImageView.py
rename to examples/ImageView.py
diff --git a/examples/test_MultiPlotWidget.py b/examples/MultiPlotWidget.py
old mode 100755
new mode 100644
similarity index 94%
rename from examples/test_MultiPlotWidget.py
rename to examples/MultiPlotWidget.py
index 4c72275b53874da1f10bee4b59d90abbf0097be0..9e5878a2c407e532ae74a3f8e86d3876f196e5ba
--- a/examples/test_MultiPlotWidget.py
+++ b/examples/MultiPlotWidget.py
@@ -9,7 +9,7 @@ from scipy import random
 from numpy import linspace
 from PyQt4 import QtGui, QtCore
 import pyqtgraph as pg
-from pyqtgraph.MultiPlotWidget import MultiPlotWidget
+from pyqtgraph import MultiPlotWidget
 try:
     from metaarray import *
 except:
diff --git a/examples/PlotSpeedTest.py b/examples/PlotSpeedTest.py
new file mode 100644
index 0000000000000000000000000000000000000000..3010270b84dd806b14e7aacfbea1f20cbcf2d79f
--- /dev/null
+++ b/examples/PlotSpeedTest.py
@@ -0,0 +1,46 @@
+#!/usr/bin/python
+# -*- coding: utf-8 -*-
+## Add path to library (just for examples; you do not need this)
+import sys, os, time
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+
+from PyQt4 import QtGui, QtCore
+import numpy as np
+import pyqtgraph as pg
+
+#QtGui.QApplication.setGraphicsSystem('raster')
+app = QtGui.QApplication([])
+#mw = QtGui.QMainWindow()
+#mw.resize(800,800)
+
+p = pg.plot()
+
+curve = p.plot()
+data = np.random.normal(size=(10,50000))
+ptr = 0
+lastTime = time.time()
+fps = None
+def update():
+    global curve, data, ptr, p, lastTime, fps
+    curve.setData(data[ptr%10])
+    ptr += 1
+    now = time.time()
+    dt = now - lastTime
+    lastTime = now
+    if fps is None:
+        fps = 1.0/dt
+    else:
+        s = np.clip(dt*3., 0, 1)
+        fps = fps * (1-s) + (1.0/dt) * s
+    p.setTitle('%0.2f fps' % fps)
+    app.processEvents()  ## force complete redraw for every plot
+timer = QtCore.QTimer()
+timer.timeout.connect(update)
+timer.start(0)
+    
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/test_PlotWidget.py b/examples/PlotWidget.py
old mode 100755
new mode 100644
similarity index 76%
rename from examples/test_PlotWidget.py
rename to examples/PlotWidget.py
index 2b2ef49625dfa744a996686200baa312c781cb93..cecbb58e006b08d6b69af8afe3a8863772369e39
--- a/examples/test_PlotWidget.py
+++ b/examples/PlotWidget.py
@@ -32,10 +32,14 @@ p1 = pw.plot()
 p1.setPen((200,200,100))
 
 ## Add in some extra graphics
-rect = QtGui.QGraphicsRectItem(QtCore.QRectF(0, 0, 1, 1))
+rect = QtGui.QGraphicsRectItem(QtCore.QRectF(0, 0, 1, 5e-11))
 rect.setPen(QtGui.QPen(QtGui.QColor(100, 200, 100)))
 pw.addItem(rect)
 
+pw.setLabel('left', 'Value', units='V')
+pw.setLabel('bottom', 'Time', units='s')
+pw.setXRange(0, 2)
+pw.setYRange(0, 1e-10)
 
 def rand(n):
     data = np.random.random(n)
@@ -49,12 +53,13 @@ def rand(n):
 
 def updateData():
     yd, xd = rand(10000)
-    p1.updateData(yd, x=xd)
+    p1.setData(y=yd, x=xd)
 
 ## Start a timer to rapidly update the plot in pw
 t = QtCore.QTimer()
 t.timeout.connect(updateData)
 t.start(50)
+#updateData()
 
 ## Multiple parameterized plots--we can autogenerate averages for these.
 for i in range(0, 5):
@@ -63,10 +68,19 @@ for i in range(0, 5):
         pw2.plot(y=yd*(j+1), x=xd, params={'iter': i, 'val': j})
 
 ## Test large numbers
-curve = pw3.plot(np.random.normal(size=100)*1e6)
+curve = pw3.plot(np.random.normal(size=100)*1e0, clickable=True)
 curve.setPen('w')  ## white pen
 curve.setShadowPen(pg.mkPen((70,70,30), width=6, cosmetic=True))
 
+def clicked():
+    print "curve clicked"
+curve.sigClicked.connect(clicked)
+
+lr = pg.LinearRegionItem([1, 30], bounds=[0,100], movable=True)
+pw3.addItem(lr)
+line = pg.InfiniteLine(angle=90, movable=True)
+pw3.addItem(line)
+line.setBounds([0,200])
 
 ## Start Qt event loop unless running in interactive mode.
 if sys.flags.interactive != 1:
diff --git a/examples/Plotting.py b/examples/Plotting.py
new file mode 100644
index 0000000000000000000000000000000000000000..cfeb47868b7052a5a4cbacac670d9cd6ef6d384e
--- /dev/null
+++ b/examples/Plotting.py
@@ -0,0 +1,72 @@
+#!/usr/bin/python
+# -*- coding: utf-8 -*-
+## Add path to library (just for examples; you do not need this)
+import sys, os
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+
+from PyQt4 import QtGui, QtCore
+import numpy as np
+import pyqtgraph as pg
+
+#QtGui.QApplication.setGraphicsSystem('raster')
+app = QtGui.QApplication([])
+#mw = QtGui.QMainWindow()
+#mw.resize(800,800)
+
+win = pg.GraphicsWindow(title="Basic plotting examples")
+win.resize(800,600)
+
+
+
+p1 = win.addPlot(title="Basic array plotting", y=np.random.normal(size=100))
+
+p2 = win.addPlot(title="Multiple curves")
+p2.plot(np.random.normal(size=100), pen=(255,0,0))
+p2.plot(np.random.normal(size=100)+5, pen=(0,255,0))
+p2.plot(np.random.normal(size=100)+10, pen=(0,0,255))
+
+p3 = win.addPlot(title="Drawing with points")
+p3.plot(np.random.normal(size=100), pen=(200,200,200), symbolBrush=(255,0,0), symbolPen='w')
+
+
+win.nextRow()
+
+p4 = win.addPlot(title="Parametric")
+x = np.cos(np.linspace(0, 2*np.pi, 1000))
+y = np.sin(np.linspace(0, 4*np.pi, 1000))
+p4.plot(x, y)
+
+p5 = win.addPlot(title="Scatter plot with labels")
+x = np.random.normal(size=1000) * 1e-5
+y = x*1000 + 0.005 * np.random.normal(size=1000)
+p5.plot(x, y, pen=None, symbol='t', symbolPen=None, symbolSize=10, symbolBrush=(100, 100, 255, 50))
+p5.setLabel('left', "Y Axis", units='A')
+p5.setLabel('bottom', "Y Axis", units='s')
+
+
+p6 = win.addPlot(title="Updating plot")
+curve = p6.plot(pen='y')
+data = np.random.normal(size=(10,1000))
+ptr = 0
+def update():
+    global curve, data, ptr, p6
+    curve.setData(data[ptr%10])
+    if ptr == 0:
+        p6.enableAutoRange('xy', False)
+    ptr += 1
+timer = QtCore.QTimer()
+timer.timeout.connect(update)
+timer.start(50)
+
+
+win.nextRow()
+
+p7 = win.addPlot(title="Filled plot")
+y = np.sin(np.linspace(0, 10, 1000)) + np.random.normal(size=1000, scale=0.1)
+p7.plot(y, fillLevel=-0.3, brush=(50,50,200,100))
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/test_ROItypes.py b/examples/ROItypes.py
old mode 100755
new mode 100644
similarity index 58%
rename from examples/test_ROItypes.py
rename to examples/ROItypes.py
index f080e0b40767fa95eb908459042a64b55e37b250..7649baaa85be9d8cb7f0bf6f90899be071e742aa
--- a/examples/test_ROItypes.py
+++ b/examples/ROItypes.py
@@ -11,17 +11,22 @@ import pyqtgraph as pg
 
 ## create GUI
 app = QtGui.QApplication([])
-w = QtGui.QMainWindow()
-w.resize(800,800)
-v = pg.GraphicsView()
-#v.invertY(True)  ## Images usually have their Y-axis pointing downward
+
+w = pg.GraphicsWindow(size=(800,800), border=True)
+
+v = w.addViewBox(colspan=2)
+
+#w = QtGui.QMainWindow()
+#w.resize(800,800)
+#v = pg.GraphicsView()
+v.invertY(True)  ## Images usually have their Y-axis pointing downward
 v.setAspectLocked(True)
-v.enableMouse(True)
-v.autoPixelScale = False
-w.setCentralWidget(v)
-s = v.scene()
-v.setRange(QtCore.QRect(-2, -2, 220, 220))
-w.show()
+#v.enableMouse(True)
+#v.autoPixelScale = False
+#w.setCentralWidget(v)
+#s = v.scene()
+#v.setRange(QtCore.QRectF(-2, -2, 220, 220))
+
 
 ## Create image to display
 arr = np.ones((100, 100), dtype=float)
@@ -36,23 +41,35 @@ arr[:, 50] = 10
 ## Create image items, add to scene and set position 
 im1 = pg.ImageItem(arr)
 im2 = pg.ImageItem(arr)
-s.addItem(im1)
-s.addItem(im2)
+v.addItem(im1)
+v.addItem(im2)
 im2.moveBy(110, 20)
+v.setRange(QtCore.QRectF(0, 0, 200, 120))
+
 im3 = pg.ImageItem()
-s.addItem(im3)
-im3.moveBy(0, 130)
+v2 = w.addViewBox(1,0)
+v2.addItem(im3)
+v2.setRange(QtCore.QRectF(0, 0, 60, 60))
+v2.invertY(True)
+v2.setAspectLocked(True)
+#im3.moveBy(0, 130)
 im3.setZValue(10)
+
 im4 = pg.ImageItem()
-s.addItem(im4)
-im4.moveBy(110, 130)
+v3 = w.addViewBox(1,1)
+v3.addItem(im4)
+v3.setRange(QtCore.QRectF(0, 0, 60, 60))
+v3.invertY(True)
+v3.setAspectLocked(True)
+#im4.moveBy(110, 130)
 im4.setZValue(10)
 
 ## create the plot
-pi1 = pg.PlotItem()
-s.addItem(pi1)
-pi1.scale(0.5, 0.5)
-pi1.setGeometry(0, 170, 300, 100)
+pi1 = w.addPlot(2,0, colspan=2)
+#pi1 = pg.PlotItem()
+#s.addItem(pi1)
+#pi1.scale(0.5, 0.5)
+#pi1.setGeometry(0, 170, 300, 100)
 
 lastRoi = None
 
@@ -62,31 +79,31 @@ def updateRoi(roi):
         return
     lastRoi = roi
     arr1 = roi.getArrayRegion(im1.image, img=im1)
-    im3.updateImage(arr1, autoRange=True)
+    im3.setImage(arr1)
     arr2 = roi.getArrayRegion(im2.image, img=im2)
-    im4.updateImage(arr2, autoRange=True)
+    im4.setImage(arr2)
     updateRoiPlot(roi, arr1)
     
 def updateRoiPlot(roi, data=None):
     if data is None:
         data = roi.getArrayRegion(im1.image, img=im1)
     if data is not None:
-        roi.curve.updateData(data.mean(axis=1))
+        roi.curve.setData(data.mean(axis=1))
 
 
 ## Create a variety of different ROI types
 rois = []
-rois.append(pg.widgets.TestROI([0,  0], [20, 20], maxBounds=QtCore.QRectF(-10, -10, 230, 140), pen=(0,9)))
-rois.append(pg.widgets.LineROI([0,  0], [20, 20], width=5, pen=(1,9)))
-rois.append(pg.widgets.MultiLineROI([[0, 50], [50, 60], [60, 30]], width=5, pen=(2,9)))
-rois.append(pg.widgets.EllipseROI([110, 10], [30, 20], pen=(3,9)))
-rois.append(pg.widgets.CircleROI([110, 50], [20, 20], pen=(4,9)))
-rois.append(pg.widgets.PolygonROI([[2,0], [2.1,0], [2,.1]], pen=(5,9)))
+rois.append(pg.TestROI([0,  0], [20, 20], maxBounds=QtCore.QRectF(-10, -10, 230, 140), pen=(0,9)))
+rois.append(pg.LineROI([0,  0], [20, 20], width=5, pen=(1,9)))
+rois.append(pg.MultiLineROI([[0, 50], [50, 60], [60, 30]], width=5, pen=(2,9)))
+rois.append(pg.EllipseROI([110, 10], [30, 20], pen=(3,9)))
+rois.append(pg.CircleROI([110, 50], [20, 20], pen=(4,9)))
+rois.append(pg.PolygonROI([[2,0], [2.1,0], [2,.1]], pen=(5,9)))
 #rois.append(SpiralROI([20,30], [1,1], pen=mkPen(0)))
 
 ## Add each ROI to the scene and link its data to a plot curve with the same color
 for r in rois:
-    s.addItem(r)
+    v.addItem(r)
     c = pi1.plot(pen=r.pen)
     r.curve = c
     r.sigRegionChanged.connect(updateRoi)
diff --git a/examples/ScatterPlot.py b/examples/ScatterPlot.py
new file mode 100755
index 0000000000000000000000000000000000000000..da9d4750b3c1cd54a325dcbc352a375a63bcaf89
--- /dev/null
+++ b/examples/ScatterPlot.py
@@ -0,0 +1,87 @@
+# -*- coding: utf-8 -*-
+import sys, os
+## Add path to library (just for examples; you do not need this)
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+from PyQt4 import QtGui, QtCore
+import pyqtgraph as pg
+import numpy as np
+
+app = QtGui.QApplication([])
+mw = QtGui.QMainWindow()
+mw.resize(800,800)
+view = pg.GraphicsLayoutWidget()  ## GraphicsView with GraphicsLayout inserted by default
+mw.setCentralWidget(view)
+mw.show()
+
+## create four areas to add plots
+w1 = view.addPlot()
+w2 = view.addViewBox()
+w2.setAspectLocked(True)
+view.nextRow()
+w3 = view.addPlot()
+w4 = view.addPlot()
+print "Generating data, this takes a few seconds..."
+
+## There are a few different ways we can draw scatter plots; each is optimized for different types of data:
+
+
+## 1) All spots identical and transform-invariant (top-left plot). 
+## In this case we can get a huge performance boost by pre-rendering the spot 
+## image and just drawing that image repeatedly. (use identical=True in the constructor)
+## (An even faster approach might be to use QPainter.drawPixmapFragments)
+
+n = 300
+s1 = pg.ScatterPlotItem(size=10, pen=pg.mkPen(None), brush=pg.mkBrush(255, 255, 255, 20), identical=True)
+pos = np.random.normal(size=(2,n), scale=1e-5)
+spots = [{'pos': pos[:,i], 'data': 1} for i in range(n)] + [{'pos': [0,0], 'data': 1}]
+s1.addPoints(spots)
+w1.addItem(s1)
+
+## This plot is clickable
+def clicked(plot, points):
+    print "clicked points", points
+s1.sigClicked.connect(clicked)
+
+
+
+## 2) Spots are transform-invariant, but not identical (top-right plot). 
+## In this case, drawing is as fast as 1), but there is more startup overhead
+## and memory usage since each spot generates its own pre-rendered image.
+
+s2 = pg.ScatterPlotItem(size=10, pen=pg.mkPen('w'), pxMode=True)
+pos = np.random.normal(size=(2,n), scale=1e-5)
+spots = [{'pos': pos[:,i], 'data': 1, 'brush':pg.intColor(i, n), 'style': i%5, 'size': 5+i/10.} for i in xrange(n)]
+s2.addPoints(spots)
+w2.addItem(s2)
+w2.setRange(s2.boundingRect())
+s2.sigClicked.connect(clicked)
+
+
+## 3) Spots are not transform-invariant, not identical (bottom-left). 
+## This is the slowest case, since all spots must be completely re-drawn 
+## every time because their apparent transformation may have changed.
+
+s3 = pg.ScatterPlotItem(pxMode=False)   ## Set pxMode=False to allow spots to transform with the view
+spots3 = []
+for i in range(10):
+    for j in range(10):
+        spots3.append({'pos': (1e-6*i, 1e-6*j), 'size': 1e-6, 'brush':pg.intColor(i*10+j, 100)})
+s3.addPoints(spots3)
+w3.addItem(s3)
+s3.sigClicked.connect(clicked)
+
+
+## Coming: use qpainter.drawpixmapfragments for scatterplots which do not require mouse interaction
+
+s4 = pg.ScatterPlotItem(size=10, pen=pg.mkPen(None), brush=pg.mkBrush(255, 255, 255, 20), identical=True)
+pos = np.random.normal(size=(2,10000), scale=1e-9)
+s4.addPoints(x=pos[0], y=pos[1])
+w4.addItem(s4)
+
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
+
diff --git a/examples/VideoSpeedTest.py b/examples/VideoSpeedTest.py
new file mode 100644
index 0000000000000000000000000000000000000000..4a1d5fb454ebffb011cce71ec15bcdf5cc6d0d81
--- /dev/null
+++ b/examples/VideoSpeedTest.py
@@ -0,0 +1,139 @@
+#!/usr/bin/python
+# -*- coding: utf-8 -*-
+## Add path to library (just for examples; you do not need this)
+import sys, os, time
+sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
+
+
+from PyQt4 import QtGui, QtCore
+import numpy as np
+import pyqtgraph as pg
+from pyqtgraph import RawImageWidget
+import scipy.ndimage as ndi
+import pyqtgraph.ptime as ptime
+import VideoTemplate
+
+#QtGui.QApplication.setGraphicsSystem('raster')
+app = QtGui.QApplication([])
+#mw = QtGui.QMainWindow()
+#mw.resize(800,800)
+
+win = QtGui.QMainWindow()
+ui = VideoTemplate.Ui_MainWindow()
+ui.setupUi(win)
+win.show()
+ui.maxSpin1.setOpts(value=255, step=1)
+ui.minSpin1.setOpts(value=0, step=1)
+
+vb = pg.ViewBox()
+ui.graphicsView.setCentralItem(vb)
+vb.setAspectLocked()
+img = pg.ImageItem()
+vb.addItem(img)
+vb.setRange(QtCore.QRectF(0, 0, 512, 512))
+
+LUT = None
+def updateLUT():
+    global LUT, ui
+    dtype = ui.dtypeCombo.currentText()
+    if dtype == 'uint8':
+        n = 256
+    else:
+        n = 4096
+    LUT = ui.gradient.getLookupTable(n, alpha=ui.alphaCheck.isChecked())
+ui.gradient.sigGradientChanged.connect(updateLUT)
+updateLUT()
+
+ui.alphaCheck.toggled.connect(updateLUT)
+
+def updateScale():
+    global ui
+    spins = [ui.minSpin1, ui.maxSpin1, ui.minSpin2, ui.maxSpin2, ui.minSpin3, ui.maxSpin3]
+    if ui.rgbCheck.isChecked():
+        for s in spins[2:]:
+            s.setEnabled(True)
+    else:
+        for s in spins[2:]:
+            s.setEnabled(False)
+ui.rgbCheck.toggled.connect(updateScale)
+    
+cache = {}
+def mkData():
+    global data, cache, ui
+    dtype = ui.dtypeCombo.currentText()
+    if dtype not in cache:
+        if dtype == 'uint8':
+            dt = np.uint8
+            loc = 128
+            scale = 64
+            mx = 255
+        elif dtype == 'uint16':
+            dt = np.uint16
+            loc = 4096
+            scale = 1024
+            mx = 2**16
+        elif dtype == 'float':
+            dt = np.float
+            loc = 1.0
+            scale = 0.1
+        
+        data = np.random.normal(size=(20,512,512), loc=loc, scale=scale)
+        data = ndi.gaussian_filter(data, (0, 3, 3))
+        if dtype != 'float':
+            data = np.clip(data, 0, mx)
+        data = data.astype(dt)
+        cache[dtype] = data
+        
+    data = cache[dtype]
+    updateLUT()
+mkData()
+ui.dtypeCombo.currentIndexChanged.connect(mkData)
+
+
+ptr = 0
+lastTime = ptime.time()
+fps = None
+def update():
+    global ui, ptr, lastTime, fps, LUT, img
+    if ui.lutCheck.isChecked():
+        useLut = LUT
+    else:
+        useLut = None
+
+    if ui.scaleCheck.isChecked():
+        if ui.rgbCheck.isChecked():
+            useScale = [
+                [ui.minSpin1.value(), ui.maxSpin1.value()], 
+                [ui.minSpin2.value(), ui.maxSpin2.value()], 
+                [ui.minSpin3.value(), ui.maxSpin3.value()]]
+        else:
+            useScale = [ui.minSpin1.value(), ui.maxSpin1.value()]
+    else:
+        useScale = None
+
+    if ui.rawRadio.isChecked():
+        ui.rawImg.setImage(data[ptr%data.shape[0]], lut=useLut, levels=useScale)
+    else:
+        img.setImage(data[ptr%data.shape[0]], autoLevels=False, levels=useScale, lut=useLut)
+        #img.setImage(data[ptr%data.shape[0]], autoRange=False)
+        
+    ptr += 1
+    now = ptime.time()
+    dt = now - lastTime
+    lastTime = now
+    if fps is None:
+        fps = 1.0/dt
+    else:
+        s = np.clip(dt*3., 0, 1)
+        fps = fps * (1-s) + (1.0/dt) * s
+    ui.fpsLabel.setText('%0.2f fps' % fps)
+    app.processEvents()  ## force complete redraw for every plot
+timer = QtCore.QTimer()
+timer.timeout.connect(update)
+timer.start(0)
+    
+
+
+## Start Qt event loop unless running in interactive mode.
+if sys.flags.interactive != 1:
+    app.exec_()
diff --git a/examples/VideoTemplate.py b/examples/VideoTemplate.py
new file mode 100644
index 0000000000000000000000000000000000000000..d4f712d5ba552cd68f47b209a38b7e0070f5f5fe
--- /dev/null
+++ b/examples/VideoTemplate.py
@@ -0,0 +1,149 @@
+# -*- coding: utf-8 -*-
+
+# Form implementation generated from reading ui file 'VideoTemplate.ui'
+#
+# Created: Sun Jan  8 19:22:32 2012
+#      by: PyQt4 UI code generator 4.8.3
+#
+# WARNING! All changes made in this file will be lost!
+
+from PyQt4 import QtCore, QtGui
+
+try:
+    _fromUtf8 = QtCore.QString.fromUtf8
+except AttributeError:
+    _fromUtf8 = lambda s: s
+
+class Ui_MainWindow(object):
+    def setupUi(self, MainWindow):
+        MainWindow.setObjectName(_fromUtf8("MainWindow"))
+        MainWindow.resize(985, 674)
+        self.centralwidget = QtGui.QWidget(MainWindow)
+        self.centralwidget.setObjectName(_fromUtf8("centralwidget"))
+        self.gridLayout_2 = QtGui.QGridLayout(self.centralwidget)
+        self.gridLayout_2.setObjectName(_fromUtf8("gridLayout_2"))
+        self.gridLayout = QtGui.QGridLayout()
+        self.gridLayout.setObjectName(_fromUtf8("gridLayout"))
+        self.rawImg = RawImageWidget(self.centralwidget)
+        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Preferred)
+        sizePolicy.setHorizontalStretch(0)
+        sizePolicy.setVerticalStretch(0)
+        sizePolicy.setHeightForWidth(self.rawImg.sizePolicy().hasHeightForWidth())
+        self.rawImg.setSizePolicy(sizePolicy)
+        self.rawImg.setObjectName(_fromUtf8("rawImg"))
+        self.gridLayout.addWidget(self.rawImg, 0, 0, 1, 1)
+        self.graphicsView = GraphicsView(self.centralwidget)
+        self.graphicsView.setObjectName(_fromUtf8("graphicsView"))
+        self.gridLayout.addWidget(self.graphicsView, 0, 1, 1, 1)
+        self.rawRadio = QtGui.QRadioButton(self.centralwidget)
+        self.rawRadio.setChecked(True)
+        self.rawRadio.setObjectName(_fromUtf8("rawRadio"))
+        self.gridLayout.addWidget(self.rawRadio, 1, 0, 1, 1)
+        self.gfxRadio = QtGui.QRadioButton(self.centralwidget)
+        self.gfxRadio.setObjectName(_fromUtf8("gfxRadio"))
+        self.gridLayout.addWidget(self.gfxRadio, 1, 1, 1, 1)
+        self.gridLayout_2.addLayout(self.gridLayout, 1, 0, 1, 4)
+        self.label = QtGui.QLabel(self.centralwidget)
+        self.label.setObjectName(_fromUtf8("label"))
+        self.gridLayout_2.addWidget(self.label, 2, 0, 1, 1)
+        self.dtypeCombo = QtGui.QComboBox(self.centralwidget)
+        self.dtypeCombo.setObjectName(_fromUtf8("dtypeCombo"))
+        self.dtypeCombo.addItem(_fromUtf8(""))
+        self.dtypeCombo.addItem(_fromUtf8(""))
+        self.dtypeCombo.addItem(_fromUtf8(""))
+        self.gridLayout_2.addWidget(self.dtypeCombo, 2, 2, 1, 1)
+        self.scaleCheck = QtGui.QCheckBox(self.centralwidget)
+        self.scaleCheck.setObjectName(_fromUtf8("scaleCheck"))
+        self.gridLayout_2.addWidget(self.scaleCheck, 3, 0, 1, 1)
+        self.rgbCheck = QtGui.QCheckBox(self.centralwidget)
+        self.rgbCheck.setObjectName(_fromUtf8("rgbCheck"))
+        self.gridLayout_2.addWidget(self.rgbCheck, 3, 1, 1, 1)
+        self.horizontalLayout = QtGui.QHBoxLayout()
+        self.horizontalLayout.setObjectName(_fromUtf8("horizontalLayout"))
+        self.minSpin1 = SpinBox(self.centralwidget)
+        self.minSpin1.setObjectName(_fromUtf8("minSpin1"))
+        self.horizontalLayout.addWidget(self.minSpin1)
+        self.label_2 = QtGui.QLabel(self.centralwidget)
+        self.label_2.setAlignment(QtCore.Qt.AlignCenter)
+        self.label_2.setObjectName(_fromUtf8("label_2"))
+        self.horizontalLayout.addWidget(self.label_2)
+        self.maxSpin1 = SpinBox(self.centralwidget)
+        self.maxSpin1.setObjectName(_fromUtf8("maxSpin1"))
+        self.horizontalLayout.addWidget(self.maxSpin1)
+        self.gridLayout_2.addLayout(self.horizontalLayout, 3, 2, 1, 1)
+        self.horizontalLayout_2 = QtGui.QHBoxLayout()
+        self.horizontalLayout_2.setObjectName(_fromUtf8("horizontalLayout_2"))
+        self.minSpin2 = SpinBox(self.centralwidget)
+        self.minSpin2.setEnabled(False)
+        self.minSpin2.setObjectName(_fromUtf8("minSpin2"))
+        self.horizontalLayout_2.addWidget(self.minSpin2)
+        self.label_3 = QtGui.QLabel(self.centralwidget)
+        self.label_3.setAlignment(QtCore.Qt.AlignCenter)
+        self.label_3.setObjectName(_fromUtf8("label_3"))
+        self.horizontalLayout_2.addWidget(self.label_3)
+        self.maxSpin2 = SpinBox(self.centralwidget)
+        self.maxSpin2.setEnabled(False)
+        self.maxSpin2.setObjectName(_fromUtf8("maxSpin2"))
+        self.horizontalLayout_2.addWidget(self.maxSpin2)
+        self.gridLayout_2.addLayout(self.horizontalLayout_2, 4, 2, 1, 1)
+        self.horizontalLayout_3 = QtGui.QHBoxLayout()
+        self.horizontalLayout_3.setObjectName(_fromUtf8("horizontalLayout_3"))
+        self.minSpin3 = SpinBox(self.centralwidget)
+        self.minSpin3.setEnabled(False)
+        self.minSpin3.setObjectName(_fromUtf8("minSpin3"))
+        self.horizontalLayout_3.addWidget(self.minSpin3)
+        self.label_4 = QtGui.QLabel(self.centralwidget)
+        self.label_4.setAlignment(QtCore.Qt.AlignCenter)
+        self.label_4.setObjectName(_fromUtf8("label_4"))
+        self.horizontalLayout_3.addWidget(self.label_4)
+        self.maxSpin3 = SpinBox(self.centralwidget)
+        self.maxSpin3.setEnabled(False)
+        self.maxSpin3.setObjectName(_fromUtf8("maxSpin3"))
+        self.horizontalLayout_3.addWidget(self.maxSpin3)
+        self.gridLayout_2.addLayout(self.horizontalLayout_3, 5, 2, 1, 1)
+        self.lutCheck = QtGui.QCheckBox(self.centralwidget)
+        self.lutCheck.setObjectName(_fromUtf8("lutCheck"))
+        self.gridLayout_2.addWidget(self.lutCheck, 6, 0, 1, 1)
+        self.alphaCheck = QtGui.QCheckBox(self.centralwidget)
+        self.alphaCheck.setObjectName(_fromUtf8("alphaCheck"))
+        self.gridLayout_2.addWidget(self.alphaCheck, 6, 1, 1, 1)
+        self.gradient = GradientWidget(self.centralwidget)
+        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Preferred)
+        sizePolicy.setHorizontalStretch(0)
+        sizePolicy.setVerticalStretch(0)
+        sizePolicy.setHeightForWidth(self.gradient.sizePolicy().hasHeightForWidth())
+        self.gradient.setSizePolicy(sizePolicy)
+        self.gradient.setObjectName(_fromUtf8("gradient"))
+        self.gridLayout_2.addWidget(self.gradient, 6, 2, 1, 2)
+        spacerItem = QtGui.QSpacerItem(40, 20, QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Minimum)
+        self.gridLayout_2.addItem(spacerItem, 2, 3, 1, 1)
+        self.fpsLabel = QtGui.QLabel(self.centralwidget)
+        font = QtGui.QFont()
+        font.setPointSize(12)
+        self.fpsLabel.setFont(font)
+        self.fpsLabel.setAlignment(QtCore.Qt.AlignCenter)
+        self.fpsLabel.setObjectName(_fromUtf8("fpsLabel"))
+        self.gridLayout_2.addWidget(self.fpsLabel, 0, 0, 1, 4)
+        MainWindow.setCentralWidget(self.centralwidget)
+
+        self.retranslateUi(MainWindow)
+        QtCore.QMetaObject.connectSlotsByName(MainWindow)
+
+    def retranslateUi(self, MainWindow):
+        MainWindow.setWindowTitle(QtGui.QApplication.translate("MainWindow", "MainWindow", None, QtGui.QApplication.UnicodeUTF8))
+        self.rawRadio.setText(QtGui.QApplication.translate("MainWindow", "RawImageWidget (unscaled; faster)", None, QtGui.QApplication.UnicodeUTF8))
+        self.gfxRadio.setText(QtGui.QApplication.translate("MainWindow", "GraphicsView + ImageItem (scaled; slower)", None, QtGui.QApplication.UnicodeUTF8))
+        self.label.setText(QtGui.QApplication.translate("MainWindow", "Data type", None, QtGui.QApplication.UnicodeUTF8))
+        self.dtypeCombo.setItemText(0, QtGui.QApplication.translate("MainWindow", "uint8", None, QtGui.QApplication.UnicodeUTF8))
+        self.dtypeCombo.setItemText(1, QtGui.QApplication.translate("MainWindow", "uint16", None, QtGui.QApplication.UnicodeUTF8))
+        self.dtypeCombo.setItemText(2, QtGui.QApplication.translate("MainWindow", "float", None, QtGui.QApplication.UnicodeUTF8))
+        self.scaleCheck.setText(QtGui.QApplication.translate("MainWindow", "Scale Data", None, QtGui.QApplication.UnicodeUTF8))
+        self.rgbCheck.setText(QtGui.QApplication.translate("MainWindow", "RGB", None, QtGui.QApplication.UnicodeUTF8))
+        self.label_2.setText(QtGui.QApplication.translate("MainWindow", "<--->", None, QtGui.QApplication.UnicodeUTF8))
+        self.label_3.setText(QtGui.QApplication.translate("MainWindow", "<--->", None, QtGui.QApplication.UnicodeUTF8))
+        self.label_4.setText(QtGui.QApplication.translate("MainWindow", "<--->", None, QtGui.QApplication.UnicodeUTF8))
+        self.lutCheck.setText(QtGui.QApplication.translate("MainWindow", "Use Lookup  Table", None, QtGui.QApplication.UnicodeUTF8))
+        self.alphaCheck.setText(QtGui.QApplication.translate("MainWindow", "alpha", None, QtGui.QApplication.UnicodeUTF8))
+        self.fpsLabel.setText(QtGui.QApplication.translate("MainWindow", "FPS", None, QtGui.QApplication.UnicodeUTF8))
+
+from pyqtgraph import SpinBox, GradientWidget, GraphicsView, RawImageWidget
diff --git a/examples/VideoTemplate.ui b/examples/VideoTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..078e7ccfdd9ffc64f7ab72b31dd776c777772758
--- /dev/null
+++ b/examples/VideoTemplate.ui
@@ -0,0 +1,250 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>MainWindow</class>
+ <widget class="QMainWindow" name="MainWindow">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>985</width>
+    <height>674</height>
+   </rect>
+  </property>
+  <property name="windowTitle">
+   <string>MainWindow</string>
+  </property>
+  <widget class="QWidget" name="centralwidget">
+   <layout class="QGridLayout" name="gridLayout_2">
+    <item row="1" column="0" colspan="4">
+     <layout class="QGridLayout" name="gridLayout">
+      <item row="0" column="0">
+       <widget class="RawImageWidget" name="rawImg" native="true">
+        <property name="sizePolicy">
+         <sizepolicy hsizetype="Expanding" vsizetype="Preferred">
+          <horstretch>0</horstretch>
+          <verstretch>0</verstretch>
+         </sizepolicy>
+        </property>
+        <zorder>fpsLabel</zorder>
+       </widget>
+      </item>
+      <item row="0" column="1">
+       <widget class="GraphicsView" name="graphicsView"/>
+      </item>
+      <item row="1" column="0">
+       <widget class="QRadioButton" name="rawRadio">
+        <property name="text">
+         <string>RawImageWidget (unscaled; faster)</string>
+        </property>
+        <property name="checked">
+         <bool>true</bool>
+        </property>
+       </widget>
+      </item>
+      <item row="1" column="1">
+       <widget class="QRadioButton" name="gfxRadio">
+        <property name="text">
+         <string>GraphicsView + ImageItem (scaled; slower)</string>
+        </property>
+       </widget>
+      </item>
+     </layout>
+    </item>
+    <item row="2" column="0">
+     <widget class="QLabel" name="label">
+      <property name="text">
+       <string>Data type</string>
+      </property>
+     </widget>
+    </item>
+    <item row="2" column="2">
+     <widget class="QComboBox" name="dtypeCombo">
+      <item>
+       <property name="text">
+        <string>uint8</string>
+       </property>
+      </item>
+      <item>
+       <property name="text">
+        <string>uint16</string>
+       </property>
+      </item>
+      <item>
+       <property name="text">
+        <string>float</string>
+       </property>
+      </item>
+     </widget>
+    </item>
+    <item row="3" column="0">
+     <widget class="QCheckBox" name="scaleCheck">
+      <property name="text">
+       <string>Scale Data</string>
+      </property>
+     </widget>
+    </item>
+    <item row="3" column="1">
+     <widget class="QCheckBox" name="rgbCheck">
+      <property name="text">
+       <string>RGB</string>
+      </property>
+     </widget>
+    </item>
+    <item row="3" column="2">
+     <layout class="QHBoxLayout" name="horizontalLayout">
+      <item>
+       <widget class="SpinBox" name="minSpin1"/>
+      </item>
+      <item>
+       <widget class="QLabel" name="label_2">
+        <property name="text">
+         <string>&lt;---&gt;</string>
+        </property>
+        <property name="alignment">
+         <set>Qt::AlignCenter</set>
+        </property>
+       </widget>
+      </item>
+      <item>
+       <widget class="SpinBox" name="maxSpin1"/>
+      </item>
+     </layout>
+    </item>
+    <item row="4" column="2">
+     <layout class="QHBoxLayout" name="horizontalLayout_2">
+      <item>
+       <widget class="SpinBox" name="minSpin2">
+        <property name="enabled">
+         <bool>false</bool>
+        </property>
+       </widget>
+      </item>
+      <item>
+       <widget class="QLabel" name="label_3">
+        <property name="text">
+         <string>&lt;---&gt;</string>
+        </property>
+        <property name="alignment">
+         <set>Qt::AlignCenter</set>
+        </property>
+       </widget>
+      </item>
+      <item>
+       <widget class="SpinBox" name="maxSpin2">
+        <property name="enabled">
+         <bool>false</bool>
+        </property>
+       </widget>
+      </item>
+     </layout>
+    </item>
+    <item row="5" column="2">
+     <layout class="QHBoxLayout" name="horizontalLayout_3">
+      <item>
+       <widget class="SpinBox" name="minSpin3">
+        <property name="enabled">
+         <bool>false</bool>
+        </property>
+       </widget>
+      </item>
+      <item>
+       <widget class="QLabel" name="label_4">
+        <property name="text">
+         <string>&lt;---&gt;</string>
+        </property>
+        <property name="alignment">
+         <set>Qt::AlignCenter</set>
+        </property>
+       </widget>
+      </item>
+      <item>
+       <widget class="SpinBox" name="maxSpin3">
+        <property name="enabled">
+         <bool>false</bool>
+        </property>
+       </widget>
+      </item>
+     </layout>
+    </item>
+    <item row="6" column="0">
+     <widget class="QCheckBox" name="lutCheck">
+      <property name="text">
+       <string>Use Lookup  Table</string>
+      </property>
+     </widget>
+    </item>
+    <item row="6" column="1">
+     <widget class="QCheckBox" name="alphaCheck">
+      <property name="text">
+       <string>alpha</string>
+      </property>
+     </widget>
+    </item>
+    <item row="6" column="2" colspan="2">
+     <widget class="GradientWidget" name="gradient" native="true">
+      <property name="sizePolicy">
+       <sizepolicy hsizetype="Expanding" vsizetype="Preferred">
+        <horstretch>0</horstretch>
+        <verstretch>0</verstretch>
+       </sizepolicy>
+      </property>
+     </widget>
+    </item>
+    <item row="2" column="3">
+     <spacer name="horizontalSpacer">
+      <property name="orientation">
+       <enum>Qt::Horizontal</enum>
+      </property>
+      <property name="sizeHint" stdset="0">
+       <size>
+        <width>40</width>
+        <height>20</height>
+       </size>
+      </property>
+     </spacer>
+    </item>
+    <item row="0" column="0" colspan="4">
+     <widget class="QLabel" name="fpsLabel">
+      <property name="font">
+       <font>
+        <pointsize>12</pointsize>
+       </font>
+      </property>
+      <property name="text">
+       <string>FPS</string>
+      </property>
+      <property name="alignment">
+       <set>Qt::AlignCenter</set>
+      </property>
+     </widget>
+    </item>
+   </layout>
+  </widget>
+ </widget>
+ <customwidgets>
+  <customwidget>
+   <class>GraphicsView</class>
+   <extends>QGraphicsView</extends>
+   <header>pyqtgraph</header>
+  </customwidget>
+  <customwidget>
+   <class>RawImageWidget</class>
+   <extends>QWidget</extends>
+   <header>pyqtgraph</header>
+   <container>1</container>
+  </customwidget>
+  <customwidget>
+   <class>GradientWidget</class>
+   <extends>QWidget</extends>
+   <header>pyqtgraph</header>
+   <container>1</container>
+  </customwidget>
+  <customwidget>
+   <class>SpinBox</class>
+   <extends>QDoubleSpinBox</extends>
+   <header>pyqtgraph</header>
+  </customwidget>
+ </customwidgets>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/examples/test_viewBox.py b/examples/ViewBox.py
similarity index 83%
rename from examples/test_viewBox.py
rename to examples/ViewBox.py
index 0b8db23232fd4fb9b0da00e7e32595baf1a3370a..6e30a7e6fed8f0186fd592592acd44da4c8d6ce8 100755
--- a/examples/test_viewBox.py
+++ b/examples/ViewBox.py
@@ -13,25 +13,28 @@ import pyqtgraph as pg
 
 app = QtGui.QApplication([])
 mw = QtGui.QMainWindow()
-cw = QtGui.QWidget()
-vl = QtGui.QVBoxLayout()
-cw.setLayout(vl)
-mw.setCentralWidget(cw)
+#cw = QtGui.QWidget()
+#vl = QtGui.QVBoxLayout()
+#cw.setLayout(vl)
+#mw.setCentralWidget(cw)
 mw.show()
 mw.resize(800, 600)
 
-
-gv = pg.GraphicsView(cw)
-gv.enableMouse(False)    ## Mouse interaction will be handled by the ViewBox
+gv = pg.GraphicsView()
+mw.setCentralWidget(gv)
+#gv.enableMouse(False)    ## Mouse interaction will be handled by the ViewBox
 l = QtGui.QGraphicsGridLayout()
 l.setHorizontalSpacing(0)
 l.setVerticalSpacing(0)
+#vl.addWidget(gv)
 
 
 vb = pg.ViewBox()
-p1 = pg.PlotCurveItem()
+#grid = pg.GridItem()
+#vb.addItem(grid)
+
+p1 = pg.PlotDataItem()
 vb.addItem(p1)
-vl.addWidget(gv)
 
 class movableRect(QtGui.QGraphicsRectItem):
     def __init__(self, *args):
@@ -63,9 +66,9 @@ l.addItem(vb, 0, 1)
 gv.centralWidget.setLayout(l)
 
 
-xScale = pg.ScaleItem(orientation='bottom', linkView=vb)
+xScale = pg.AxisItem(orientation='bottom', linkView=vb)
 l.addItem(xScale, 1, 1)
-yScale = pg.ScaleItem(orientation='left', linkView=vb)
+yScale = pg.AxisItem(orientation='left', linkView=vb)
 l.addItem(yScale, 0, 0)
 
 xScale.setLabel(text=u"<span style='color: #ff0000; font-weight: bold'>X</span> <i>Axis</i>", units="s")
@@ -82,7 +85,7 @@ def rand(n):
 
 def updateData():
     yd, xd = rand(10000)
-    p1.updateData(yd, x=xd)
+    p1.setData(y=yd, x=xd)
 
 yd, xd = rand(10000)
 updateData()
diff --git a/examples/__init__.py b/examples/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..23b7cd58ffc3d09e1b17a076c639a49d945e1d45
--- /dev/null
+++ b/examples/__init__.py
@@ -0,0 +1 @@
+from __main__ import run
diff --git a/examples/__main__.py b/examples/__main__.py
new file mode 100644
index 0000000000000000000000000000000000000000..f8fe4c765246cee203de0b7900e122f35e6b09a0
--- /dev/null
+++ b/examples/__main__.py
@@ -0,0 +1,101 @@
+from PyQt4 import QtCore, QtGui
+from exampleLoaderTemplate import Ui_Form
+import os, sys
+from collections import OrderedDict
+
+examples = OrderedDict([
+    ('Command-line usage', 'CLIexample.py'),
+    ('Basic Plotting', 'Plotting.py'),
+    ('GraphicsItems', OrderedDict([
+        ('PlotItem', 'PlotItem.py'),
+        ('ImageItem - video', 'ImageItem.py'),
+        ('ImageItem - draw', 'Draw.py'),
+        ('Region-of-Interest', 'ROItypes.py'),
+        ('GraphicsLayout', 'GraphicsLayout.py'),
+        ('Scatter Plot', 'ScatterPlot.py'),
+        ('ViewBox', 'ViewBox.py'),
+        ('Arrow', 'Arrow.py'),
+    ])),
+    ('Widgets', OrderedDict([
+        ('PlotWidget', 'PlotWidget.py'),
+        ('SpinBox', '../widgets/SpinBox.py'),
+        ('TreeWidget', '../widgets/TreeWidget.py'),
+        ('DataTreeWidget', '../widgets/DataTreeWidget.py'),
+        ('GradientWidget', '../widgets/GradientWidget.py'),
+        ('TableWidget', '../widgets/TableWidget.py'),
+        ('ColorButton', '../widgets/ColorButton.py'),
+        ('CheckTable', '../widgets/CheckTable.py'),
+        ('VerticalLabel', '../widgets/VerticalLabel.py'),
+        ('JoystickButton', '../widgets/JoystickButton.py'),
+    ])),
+    ('ImageView', 'ImageView.py'),
+    ('GraphicsScene', 'GraphicsScene.py'),
+    ('Flowcharts', 'Flowchart.py'),
+    ('ParameterTree', '../parametertree'),
+    ('Canvas', '../canvas'),
+    ('MultiPlotWidget', 'MultiPlotWidget.py'),
+])
+
+path = os.path.abspath(os.path.dirname(__file__))
+
+class ExampleLoader(QtGui.QMainWindow):
+    def __init__(self):
+        QtGui.QMainWindow.__init__(self)
+        self.ui = Ui_Form()
+        self.cw = QtGui.QWidget()
+        self.setCentralWidget(self.cw)
+        self.ui.setupUi(self.cw)
+        
+        global examples
+        self.populateTree(self.ui.exampleTree.invisibleRootItem(), examples)
+        self.ui.exampleTree.expandAll()
+        
+        self.resize(900,500)
+        self.show()
+        self.ui.splitter.setSizes([150,750])
+        self.ui.loadBtn.clicked.connect(self.loadFile)
+        self.ui.exampleTree.currentItemChanged.connect(self.showFile)
+        self.ui.exampleTree.itemDoubleClicked.connect(self.loadFile)
+
+
+    def populateTree(self, root, examples):
+        for key, val in examples.iteritems():
+            item = QtGui.QTreeWidgetItem([key])
+            if isinstance(val, basestring):
+                item.file = val
+            else:
+                self.populateTree(item, val)
+            root.addChild(item)
+            
+    
+    def currentFile(self):
+        item = self.ui.exampleTree.currentItem()
+        if hasattr(item, 'file'):
+            global path
+            return os.path.join(path, item.file)
+        return None
+    
+    def loadFile(self):
+        fn = self.currentFile()
+        if fn is None:
+            return
+        os.spawnl(os.P_NOWAIT, sys.executable, sys.executable, fn)
+        
+            
+    def showFile(self):
+        fn = self.currentFile()
+        if fn is None:
+            self.ui.codeView.clear()
+            return
+        text = open(fn).read()
+        self.ui.codeView.setPlainText(text)
+
+def run():
+    app = QtGui.QApplication([])
+    loader = ExampleLoader()
+    
+    if sys.flags.interactive != 1:
+        app.exec_()
+
+if __name__ == '__main__':
+    run()
\ No newline at end of file
diff --git a/examples/exampleLoaderTemplate.py b/examples/exampleLoaderTemplate.py
new file mode 100644
index 0000000000000000000000000000000000000000..7447e84ce176c1db15c262994824d22312dca762
--- /dev/null
+++ b/examples/exampleLoaderTemplate.py
@@ -0,0 +1,55 @@
+# -*- coding: utf-8 -*-
+
+# Form implementation generated from reading ui file 'exampleLoaderTemplate.ui'
+#
+# Created: Sat Dec 17 23:46:27 2011
+#      by: PyQt4 UI code generator 4.8.3
+#
+# WARNING! All changes made in this file will be lost!
+
+from PyQt4 import QtCore, QtGui
+
+try:
+    _fromUtf8 = QtCore.QString.fromUtf8
+except AttributeError:
+    _fromUtf8 = lambda s: s
+
+class Ui_Form(object):
+    def setupUi(self, Form):
+        Form.setObjectName(_fromUtf8("Form"))
+        Form.resize(762, 302)
+        self.gridLayout = QtGui.QGridLayout(Form)
+        self.gridLayout.setMargin(0)
+        self.gridLayout.setSpacing(0)
+        self.gridLayout.setObjectName(_fromUtf8("gridLayout"))
+        self.splitter = QtGui.QSplitter(Form)
+        self.splitter.setOrientation(QtCore.Qt.Horizontal)
+        self.splitter.setObjectName(_fromUtf8("splitter"))
+        self.layoutWidget = QtGui.QWidget(self.splitter)
+        self.layoutWidget.setObjectName(_fromUtf8("layoutWidget"))
+        self.verticalLayout = QtGui.QVBoxLayout(self.layoutWidget)
+        self.verticalLayout.setMargin(0)
+        self.verticalLayout.setObjectName(_fromUtf8("verticalLayout"))
+        self.exampleTree = QtGui.QTreeWidget(self.layoutWidget)
+        self.exampleTree.setObjectName(_fromUtf8("exampleTree"))
+        self.exampleTree.headerItem().setText(0, _fromUtf8("1"))
+        self.exampleTree.header().setVisible(False)
+        self.verticalLayout.addWidget(self.exampleTree)
+        self.loadBtn = QtGui.QPushButton(self.layoutWidget)
+        self.loadBtn.setObjectName(_fromUtf8("loadBtn"))
+        self.verticalLayout.addWidget(self.loadBtn)
+        self.codeView = QtGui.QTextBrowser(self.splitter)
+        font = QtGui.QFont()
+        font.setFamily(_fromUtf8("Monospace"))
+        font.setPointSize(10)
+        self.codeView.setFont(font)
+        self.codeView.setObjectName(_fromUtf8("codeView"))
+        self.gridLayout.addWidget(self.splitter, 0, 0, 1, 1)
+
+        self.retranslateUi(Form)
+        QtCore.QMetaObject.connectSlotsByName(Form)
+
+    def retranslateUi(self, Form):
+        Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
+        self.loadBtn.setText(QtGui.QApplication.translate("Form", "Load Example", None, QtGui.QApplication.UnicodeUTF8))
+
diff --git a/examples/exampleLoaderTemplate.ui b/examples/exampleLoaderTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..b19414474055bdccdd5d2884273a74fe329d33a8
--- /dev/null
+++ b/examples/exampleLoaderTemplate.ui
@@ -0,0 +1,65 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>Form</class>
+ <widget class="QWidget" name="Form">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>762</width>
+    <height>302</height>
+   </rect>
+  </property>
+  <property name="windowTitle">
+   <string>Form</string>
+  </property>
+  <layout class="QGridLayout" name="gridLayout">
+   <property name="margin">
+    <number>0</number>
+   </property>
+   <property name="spacing">
+    <number>0</number>
+   </property>
+   <item row="0" column="0">
+    <widget class="QSplitter" name="splitter">
+     <property name="orientation">
+      <enum>Qt::Horizontal</enum>
+     </property>
+     <widget class="QWidget" name="layoutWidget">
+      <layout class="QVBoxLayout" name="verticalLayout">
+       <item>
+        <widget class="QTreeWidget" name="exampleTree">
+         <attribute name="headerVisible">
+          <bool>false</bool>
+         </attribute>
+         <column>
+          <property name="text">
+           <string notr="true">1</string>
+          </property>
+         </column>
+        </widget>
+       </item>
+       <item>
+        <widget class="QPushButton" name="loadBtn">
+         <property name="text">
+          <string>Load Example</string>
+         </property>
+        </widget>
+       </item>
+      </layout>
+     </widget>
+     <widget class="QTextBrowser" name="codeView">
+      <property name="font">
+       <font>
+        <family>Monospace</family>
+        <pointsize>10</pointsize>
+       </font>
+      </property>
+     </widget>
+    </widget>
+   </item>
+  </layout>
+ </widget>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/examples/test_scatterPlot.py b/examples/test_scatterPlot.py
deleted file mode 100755
index e8d91eeafe19f34cf4f7203724c3c4228bbfab87..0000000000000000000000000000000000000000
--- a/examples/test_scatterPlot.py
+++ /dev/null
@@ -1,82 +0,0 @@
-# -*- coding: utf-8 -*-
-import sys, os
-## Add path to library (just for examples; you do not need this)
-sys.path.insert(0, os.path.join(os.path.dirname(__file__), '..', '..'))
-
-from PyQt4 import QtGui, QtCore
-import pyqtgraph as pg
-import numpy as np
-
-#QtGui.QApplication.setGraphicsSystem('raster')
-app = QtGui.QApplication([])
-
-mw = QtGui.QMainWindow()
-mw.resize(800,800)
-cw = QtGui.QWidget()
-layout = QtGui.QGridLayout()
-cw.setLayout(layout)
-mw.setCentralWidget(cw)
-
-w1 = pg.PlotWidget()
-layout.addWidget(w1, 0,0)
-
-w2 = pg.PlotWidget()
-layout.addWidget(w2, 1,0)
-
-w3 = pg.GraphicsView()
-w3.enableMouse()
-w3.aspectLocked = True
-layout.addWidget(w3, 0,1)
-
-w4 = pg.PlotWidget()
-#vb = pg.ViewBox()
-#w4.setCentralItem(vb)
-layout.addWidget(w4, 1,1)
-
-mw.show()
-
-
-n = 3000
-s1 = pg.ScatterPlotItem(size=10, pen=QtGui.QPen(QtCore.Qt.NoPen), brush=QtGui.QBrush(QtGui.QColor(255, 255, 255, 20)))
-pos = np.random.normal(size=(2,n), scale=1e-5)
-spots = [{'pos': pos[:,i], 'data': 1} for i in range(n)] + [{'pos': [0,0], 'data': 1}]
-s1.addPoints(spots)
-w1.addDataItem(s1)
-
-def clicked(plot, points):
-    print "clicked points", points
-    
-s1.sigClicked.connect(clicked)
-
-
-s2 = pg.ScatterPlotItem(pxMode=False)
-spots2 = []
-for i in range(10):
-    for j in range(10):
-        spots2.append({'pos': (1e-6*i, 1e-6*j), 'size': 1e-6, 'brush':pg.intColor(i*10+j, 100)})
-s2.addPoints(spots2)
-w2.addDataItem(s2)
-
-s2.sigClicked.connect(clicked)
-
-
-s3 = pg.ScatterPlotItem(size=10, pen=pg.mkPen('w'), pxMode=True)
-pos = np.random.normal(size=(2,3000), scale=1e-5)
-spots = [{'pos': pos[:,i], 'data': 1, 'brush':pg.intColor(i, 3000)} for i in range(3000)]
-s3.addPoints(spots)
-w3.addItem(s3)
-w3.setRange(s3.boundingRect())
-s3.sigClicked.connect(clicked)
-
-
-s4 = pg.ScatterPlotItem(identical=True, size=10, pen=QtGui.QPen(QtCore.Qt.NoPen), brush=QtGui.QBrush(QtGui.QColor(255, 255, 255, 20)))
-#pos = np.random.normal(size=(2,n), scale=1e-5)
-#spots = [{'pos': pos[:,i], 'data': 1} for i in range(n)] + [{'pos': [0,0], 'data': 1}]
-s4.addPoints(spots)
-w4.addDataItem(s4)
-
-
-## Start Qt event loop unless running in interactive mode.
-if sys.flags.interactive != 1:
-    app.exec_()
-
diff --git a/flowchart/Flowchart.py b/flowchart/Flowchart.py
new file mode 100644
index 0000000000000000000000000000000000000000..acbdb27ec58ae55c2756bccc6f746e9ff0cd5ba0
--- /dev/null
+++ b/flowchart/Flowchart.py
@@ -0,0 +1,920 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+#from PyQt4 import QtCore, QtGui
+#from PySide import QtCore, QtGui
+#import Node as NodeMod
+from Node import *
+#import functions
+from collections import OrderedDict
+from pyqtgraph.widgets.TreeWidget import *
+#from .. DataTreeWidget import *
+import FlowchartTemplate
+import FlowchartCtrlTemplate
+from Terminal import Terminal
+from numpy import ndarray
+import library
+from debug import printExc
+import configfile
+import pyqtgraph.dockarea as dockarea
+import pyqtgraph as pg
+import FlowchartGraphicsView
+
+def strDict(d):
+    return dict([(str(k), v) for k, v in d.iteritems()])
+
+
+def toposort(deps, nodes=None, seen=None, stack=None, depth=0):
+    """Topological sort. Arguments are:
+      deps    dictionary describing dependencies where a:[b,c] means "a depends on b and c"
+      nodes   optional, specifies list of starting nodes (these should be the nodes 
+              which are not depended on by any other nodes) 
+    """
+    
+    if nodes is None:
+        ## run through deps to find nodes that are not depended upon
+        rem = set()
+        for dep in deps.itervalues():
+            rem |= set(dep)
+        nodes = set(deps.keys()) - rem
+    if seen is None:
+        seen = set()
+        stack = []
+    sorted = []
+    #print "  "*depth, "Starting from", nodes
+    for n in nodes:
+        if n in stack:
+            raise Exception("Cyclic dependency detected", stack + [n])
+        if n in seen:
+            continue
+        seen.add(n)
+        #print "  "*depth, "  descending into", n, deps[n]
+        sorted.extend( toposort(deps, deps[n], seen, stack+[n], depth=depth+1))
+        #print "  "*depth, "  Added", n
+        sorted.append(n)
+        #print "  "*depth, "  ", sorted
+    return sorted
+        
+
+class Flowchart(Node):
+    
+    sigFileLoaded = QtCore.Signal(object)
+    sigFileSaved = QtCore.Signal(object)
+    
+    
+    #sigOutputChanged = QtCore.Signal() ## inherited from Node
+    sigChartLoaded = QtCore.Signal()
+    sigStateChanged = QtCore.Signal()
+    
+    def __init__(self, terminals=None, name=None, filePath=None):
+        if name is None:
+            name = "Flowchart"
+        if terminals is None:
+            terminals = {}
+        self.filePath = filePath
+        Node.__init__(self, name)  ## create node without terminals; we'll add these later
+        
+        self.inputWasSet = False  ## flag allows detection of changes in the absence of input change.
+        self._nodes = {}
+        self.nextZVal = 10
+        #self.connects = []
+        #self._chartGraphicsItem = FlowchartGraphicsItem(self)
+        self._widget = None
+        self._scene = None
+        self.processing = False ## flag that prevents recursive node updates
+        
+        self.widget()
+        
+        self.inputNode = Node('Input', allowRemove=False)
+        self.outputNode = Node('Output', allowRemove=False)
+        self.addNode(self.inputNode, 'Input', [-150, 0])
+        self.addNode(self.outputNode, 'Output', [300, 0])
+        
+        self.outputNode.sigOutputChanged.connect(self.outputChanged)
+        self.outputNode.sigTerminalRenamed.connect(self.internalTerminalRenamed)
+        self.inputNode.sigTerminalRenamed.connect(self.internalTerminalRenamed)
+        
+        self.viewBox.autoRange(padding = 0.04)
+            
+        for name, opts in terminals.iteritems():
+            self.addTerminal(name, **opts)
+      
+    def setInput(self, **args):
+        #print "setInput", args
+        #Node.setInput(self, **args)
+        #print "  ....."
+        self.inputWasSet = True
+        self.inputNode.setOutput(**args)
+        
+    def outputChanged(self):
+        self.widget().outputChanged(self.outputNode.inputValues())
+        self.sigOutputChanged.emit(self)
+        
+    def output(self):
+        return self.outputNode.inputValues()
+        
+    def nodes(self):
+        return self._nodes
+        
+    def addTerminal(self, name, **opts):
+        term = Node.addTerminal(self, name, **opts)
+        name = term.name()
+        if opts['io'] == 'in':  ## inputs to the flowchart become outputs on the input node
+            opts['io'] = 'out'
+            opts['multi'] = False
+            term2 = self.inputNode.addTerminal(name, **opts)
+        else:
+            opts['io'] = 'in'
+            #opts['multi'] = False
+            term2 = self.outputNode.addTerminal(name, **opts)
+        return term
+
+    def removeTerminal(self, name):
+        #print "remove:", name
+        term = self[name]
+        inTerm = self.internalTerminal(term)
+        Node.removeTerminal(self, name)
+        inTerm.node().removeTerminal(inTerm.name())
+        
+    def internalTerminalRenamed(self, term, oldName):
+        self[oldName].rename(term.name())
+        
+    def terminalRenamed(self, term, oldName):
+        newName = term.name()
+        #print "flowchart rename", newName, oldName
+        #print self.terminals
+        Node.terminalRenamed(self, self[oldName], oldName)
+        #print self.terminals
+        for n in [self.inputNode, self.outputNode]:
+            if oldName in n.terminals:
+                n[oldName].rename(newName)
+
+    def createNode(self, nodeType, name=None, pos=None):
+        if name is None:
+            n = 0
+            while True:
+                name = "%s.%d" % (nodeType, n)
+                if name not in self._nodes:
+                    break
+                n += 1
+                
+        node = library.getNodeType(nodeType)(name)
+        self.addNode(node, name, pos)
+        return node
+        
+    def addNode(self, node, name, pos=None):
+        if pos is None:
+            pos = [0, 0]
+        if type(pos) in [QtCore.QPoint, QtCore.QPointF]:
+            pos = [pos.x(), pos.y()]
+        item = node.graphicsItem()
+        item.setZValue(self.nextZVal*2)
+        self.nextZVal += 1
+        #item.setParentItem(self.chartGraphicsItem())
+        self.viewBox.addItem(item)
+        #item.setPos(pos2.x(), pos2.y())
+        item.moveBy(*pos)
+        self._nodes[name] = node
+        self.widget().addNode(node) 
+        #QtCore.QObject.connect(node, QtCore.SIGNAL('closed'), self.nodeClosed)
+        node.sigClosed.connect(self.nodeClosed)
+        #QtCore.QObject.connect(node, QtCore.SIGNAL('renamed'), self.nodeRenamed)
+        node.sigRenamed.connect(self.nodeRenamed)
+        #QtCore.QObject.connect(node, QtCore.SIGNAL('outputChanged'), self.nodeOutputChanged)
+        node.sigOutputChanged.connect(self.nodeOutputChanged)
+        
+    def removeNode(self, node):
+        node.close()
+        
+    def nodeClosed(self, node):
+        del self._nodes[node.name()]
+        self.widget().removeNode(node)
+        #QtCore.QObject.disconnect(node, QtCore.SIGNAL('closed'), self.nodeClosed)
+        try:
+            node.sigClosed.disconnect(self.nodeClosed)
+        except TypeError:
+            pass
+        #QtCore.QObject.disconnect(node, QtCore.SIGNAL('renamed'), self.nodeRenamed)
+        try:
+            node.sigRenamed.disconnect(self.nodeRenamed)
+        except TypeError:
+            pass
+        #QtCore.QObject.disconnect(node, QtCore.SIGNAL('outputChanged'), self.nodeOutputChanged)
+        try:
+            node.sigOutputChanged.disconnect(self.nodeOutputChanged)
+        except TypeError:
+            pass
+        
+    def nodeRenamed(self, node, oldName):
+        del self._nodes[oldName]
+        self._nodes[node.name()] = node
+        self.widget().nodeRenamed(node, oldName)
+        
+    def arrangeNodes(self):
+        pass
+        
+    def internalTerminal(self, term):
+        """If the terminal belongs to the external Node, return the corresponding internal terminal"""
+        if term.node() is self:
+            if term.isInput():
+                return self.inputNode[term.name()]
+            else:
+                return self.outputNode[term.name()]
+        else:
+            return term
+        
+    def connectTerminals(self, term1, term2):
+        """Connect two terminals together within this flowchart."""
+        term1 = self.internalTerminal(term1)
+        term2 = self.internalTerminal(term2)
+        term1.connectTo(term2)
+        
+        
+    def process(self, **args):
+        """
+        Process data through the flowchart, returning the output.
+        Keyword arguments must be the names of input terminals
+        
+        """
+        data = {}  ## Stores terminal:value pairs
+        
+        ## determine order of operations
+        ## order should look like [('p', node1), ('p', node2), ('d', terminal1), ...] 
+        ## Each tuple specifies either (p)rocess this node or (d)elete the result from this terminal
+        order = self.processOrder()
+        #print "ORDER:", order
+        
+        ## Record inputs given to process()
+        for n, t in self.inputNode.outputs().iteritems():
+            if n not in args:
+                raise Exception("Parameter %s required to process this chart." % n)
+            data[t] = args[n]
+        
+        ret = {}
+            
+        ## process all in order
+        for c, arg in order:
+            
+            if c == 'p':     ## Process a single node
+                #print "===> process:", arg
+                node = arg
+                if node is self.inputNode:
+                    continue  ## input node has already been processed.
+                
+                            
+                ## get input and output terminals for this node
+                outs = node.outputs().values()
+                ins = node.inputs().values()
+                
+                ## construct input value dictionary
+                args = {}
+                for inp in ins:
+                    inputs = inp.inputTerminals()
+                    if len(inputs) == 0:
+                        continue
+                    if inp.isMultiValue():  ## multi-input terminals require a dict of all inputs
+                        args[inp.name()] = dict([(i, data[i]) for i in inputs])
+                    else:                   ## single-inputs terminals only need the single input value available
+                        args[inp.name()] = data[inputs[0]]  
+                        
+                if node is self.outputNode:
+                    ret = args  ## we now have the return value, but must keep processing in case there are other endpoint nodes in the chart
+                else:
+                    try:
+                        if node.isBypassed():
+                            result = node.processBypassed(args)
+                        else:
+                            result = node.process(display=False, **args)
+                    except:
+                        print "Error processing node %s. Args are: %s" % (str(node), str(args))
+                        raise
+                    for out in outs:
+                        #print "    Output:", out, out.name()
+                        #print out.name()
+                        try:
+                            data[out] = result[out.name()]
+                        except:
+                            print out, out.name()
+                            raise
+            elif c == 'd':   ## delete a terminal result (no longer needed; may be holding a lot of memory)
+                #print "===> delete", arg
+                if arg in data:
+                    del data[arg]
+
+        return ret
+        
+    def processOrder(self):
+        """Return the order of operations required to process this chart.
+        The order returned should look like [('p', node1), ('p', node2), ('d', terminal1), ...] 
+        where each tuple specifies either (p)rocess this node or (d)elete the result from this terminal
+        """
+        
+        ## first collect list of nodes/terminals and their dependencies
+        deps = {}
+        tdeps = {}   ## {terminal: [nodes that depend on terminal]}
+        for name, node in self._nodes.iteritems():
+            deps[node] = node.dependentNodes()
+            for t in node.outputs().itervalues():
+                tdeps[t] = t.dependentNodes()
+            
+        #print "DEPS:", deps
+        ## determine correct node-processing order
+        #deps[self] = []
+        order = toposort(deps)
+        #print "ORDER1:", order
+        
+        ## construct list of operations
+        ops = [('p', n) for n in order]
+        
+        ## determine when it is safe to delete terminal values
+        dels = []
+        for t, nodes in tdeps.iteritems():
+            lastInd = 0
+            lastNode = None
+            for n in nodes:  ## determine which node is the last to be processed according to order
+                if n is self:
+                    lastInd = None
+                    break
+                else:
+                    try:
+                        ind = order.index(n)
+                    except ValueError:
+                        continue
+                if lastNode is None or ind > lastInd:
+                    lastNode = n
+                    lastInd = ind
+            #tdeps[t] = lastNode
+            if lastInd is not None:
+                dels.append((lastInd+1, t))
+        dels.sort(lambda a,b: cmp(b[0], a[0]))
+        for i, t in dels:
+            ops.insert(i, ('d', t))
+            
+        return ops
+        
+        
+    def nodeOutputChanged(self, startNode):
+        """Triggered when a node's output values have changed. (NOT called during process())
+        Propagates new data forward through network."""
+        ## first collect list of nodes/terminals and their dependencies
+        
+        if self.processing:
+            return
+        self.processing = True
+        try:
+            deps = {}
+            for name, node in self._nodes.iteritems():
+                deps[node] = []
+                for t in node.outputs().itervalues():
+                    deps[node].extend(t.dependentNodes())
+            
+            ## determine order of updates 
+            order = toposort(deps, nodes=[startNode])
+            order.reverse()
+            
+            ## keep track of terminals that have been updated
+            terms = set(startNode.outputs().values())
+            
+            #print "======= Updating", startNode
+            #print "Order:", order
+            for node in order[1:]:
+                #print "Processing node", node
+                for term in node.inputs().values():
+                    #print "  checking terminal", term
+                    deps = term.connections().keys()
+                    update = False
+                    for d in deps:
+                        if d in terms:
+                            #print "    ..input", d, "changed"
+                            update = True
+                            term.inputChanged(d, process=False)
+                    if update:
+                        #print "  processing.."
+                        node.update()
+                        terms |= set(node.outputs().values())
+                    
+        finally:
+            self.processing = False
+            if self.inputWasSet:
+                self.inputWasSet = False
+            else:
+                self.sigStateChanged.emit()
+        
+        
+
+    def chartGraphicsItem(self):
+        """Return the graphicsItem which displays the internals of this flowchart.
+        (graphicsItem() still returns the external-view item)"""
+        #return self._chartGraphicsItem
+        return self.viewBox
+        
+    def widget(self):
+        if self._widget is None:
+            self._widget = FlowchartCtrlWidget(self)
+            self.scene = self._widget.scene()
+            self.viewBox = self._widget.viewBox()
+            #self._scene = QtGui.QGraphicsScene()
+            #self._widget.setScene(self._scene)
+            #self.scene.addItem(self.chartGraphicsItem())
+            
+            #ci = self.chartGraphicsItem()
+            #self.viewBox.addItem(ci)
+            #self.viewBox.autoRange()
+        return self._widget
+
+    def listConnections(self):
+        conn = set()
+        for n in self._nodes.itervalues():
+            terms = n.outputs()
+            for n, t in terms.iteritems():
+                for c in t.connections():
+                    conn.add((t, c))
+        return conn
+
+    def saveState(self):
+        state = Node.saveState(self)
+        state['nodes'] = []
+        state['connects'] = []
+        state['terminals'] = self.saveTerminals()
+        
+        for name, node in self._nodes.iteritems():
+            cls = type(node)
+            if hasattr(cls, 'nodeName'):
+                clsName = cls.nodeName
+                pos = node.graphicsItem().pos()
+                ns = {'class': clsName, 'name': name, 'pos': (pos.x(), pos.y()), 'state': node.saveState()}
+                state['nodes'].append(ns)
+            
+        conn = self.listConnections()
+        for a, b in conn:
+            state['connects'].append((a.node().name(), a.name(), b.node().name(), b.name()))
+            
+        state['inputNode'] = self.inputNode.saveState()
+        state['outputNode'] = self.outputNode.saveState()
+        
+        return state
+        
+    def restoreState(self, state, clear=False):
+        self.blockSignals(True)
+        try:
+            if clear:
+                self.clear()
+            Node.restoreState(self, state)
+            nodes = state['nodes']
+            nodes.sort(lambda a, b: cmp(a['pos'][0], b['pos'][0]))
+            for n in nodes:
+                if n['name'] in self._nodes:
+                    self._nodes[n['name']].moveBy(*n['pos'])
+                    continue
+                try:
+                    node = self.createNode(n['class'], name=n['name'])
+                    node.restoreState(n['state'])
+                except:
+                    printExc("Error creating node %s: (continuing anyway)" % n['name'])
+                #node.graphicsItem().moveBy(*n['pos'])
+                
+            self.inputNode.restoreState(state.get('inputNode', {}))
+            self.outputNode.restoreState(state.get('outputNode', {}))
+                
+            #self.restoreTerminals(state['terminals'])
+            for n1, t1, n2, t2 in state['connects']:
+                try:
+                    self.connectTerminals(self._nodes[n1][t1], self._nodes[n2][t2])
+                except:
+                    print self._nodes[n1].terminals
+                    print self._nodes[n2].terminals
+                    printExc("Error connecting terminals %s.%s - %s.%s:" % (n1, t1, n2, t2))
+                    
+                
+        finally:
+            self.blockSignals(False)
+            
+        self.sigChartLoaded.emit()
+        self.outputChanged()
+        #self.sigOutputChanged.emit()
+            
+    def loadFile(self, fileName=None, startDir=None):
+        if fileName is None:
+            if startDir is None:
+                startDir = self.filePath
+            if startDir is None:
+                startDir = '.'
+            self.fileDialog = pg.FileDialog(None, "Load Flowchart..", startDir, "Flowchart (*.fc)")
+            #self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
+            #self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave) 
+            self.fileDialog.show()
+            self.fileDialog.fileSelected.connect(self.loadFile)
+            return
+            ## NOTE: was previously using a real widget for the file dialog's parent, but this caused weird mouse event bugs..
+            #fileName = QtGui.QFileDialog.getOpenFileName(None, "Load Flowchart..", startDir, "Flowchart (*.fc)")
+        fileName = str(fileName)
+        state = configfile.readConfigFile(fileName)
+        self.restoreState(state, clear=True)
+        self.viewBox.autoRange()
+        #self.emit(QtCore.SIGNAL('fileLoaded'), fileName)
+        self.sigFileLoaded.emit(fileName)
+        
+    def saveFile(self, fileName=None, startDir=None, suggestedFileName='flowchart.fc'):
+        if fileName is None:
+            if startDir is None:
+                startDir = self.filePath
+            if startDir is None:
+                startDir = '.'
+            self.fileDialog = pg.FileDialog(None, "Save Flowchart..", startDir, "Flowchart (*.fc)")
+            #self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
+            self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave) 
+            #self.fileDialog.setDirectory(startDir)
+            self.fileDialog.show()
+            self.fileDialog.fileSelected.connect(self.saveFile)
+            return
+            #fileName = QtGui.QFileDialog.getSaveFileName(None, "Save Flowchart..", startDir, "Flowchart (*.fc)")
+        configfile.writeConfigFile(self.saveState(), fileName)
+        self.sigFileSaved.emit(fileName)
+
+    def clear(self):
+        for n in self._nodes.values():
+            if n is self.inputNode or n is self.outputNode:
+                continue
+            n.close()  ## calls self.nodeClosed(n) by signal
+        #self.clearTerminals()
+        self.widget().clear()
+        
+    def clearTerminals(self):
+        Node.clearTerminals(self)
+        self.inputNode.clearTerminals()
+        self.outputNode.clearTerminals()
+
+#class FlowchartGraphicsItem(QtGui.QGraphicsItem):
+class FlowchartGraphicsItem(GraphicsObject):
+    
+    def __init__(self, chart):
+        #print "FlowchartGraphicsItem.__init__"
+        #QtGui.QGraphicsItem.__init__(self)
+        GraphicsObject.__init__(self)
+        self.chart = chart ## chart is an instance of Flowchart()
+        self.updateTerminals()
+        
+    def updateTerminals(self):
+        #print "FlowchartGraphicsItem.updateTerminals"
+        self.terminals = {}
+        bounds = self.boundingRect()
+        inp = self.chart.inputs()
+        dy = bounds.height() / (len(inp)+1)
+        y = dy
+        for n, t in inp.iteritems():
+            item = t.graphicsItem()
+            self.terminals[n] = item
+            item.setParentItem(self)
+            item.setAnchor(bounds.width(), y)
+            y += dy
+        out = self.chart.outputs()
+        dy = bounds.height() / (len(out)+1)
+        y = dy
+        for n, t in out.iteritems():
+            item = t.graphicsItem()
+            self.terminals[n] = item
+            item.setParentItem(self)
+            item.setAnchor(0, y)
+            y += dy
+        
+    def boundingRect(self):
+        #print "FlowchartGraphicsItem.boundingRect"
+        return QtCore.QRectF()
+        
+    def paint(self, p, *args):
+        #print "FlowchartGraphicsItem.paint"
+        pass
+        #p.drawRect(self.boundingRect())
+    
+
+class FlowchartCtrlWidget(QtGui.QWidget):
+    """The widget that contains the list of all the nodes in a flowchart and their controls, as well as buttons for loading/saving flowcharts."""
+    
+    def __init__(self, chart):
+        self.items = {}
+        #self.loadDir = loadDir  ## where to look initially for chart files
+        self.currentFileName = None
+        QtGui.QWidget.__init__(self)
+        self.chart = chart
+        self.ui = FlowchartCtrlTemplate.Ui_Form()
+        self.ui.setupUi(self)
+        self.ui.ctrlList.setColumnCount(2)
+        #self.ui.ctrlList.setColumnWidth(0, 200)
+        self.ui.ctrlList.setColumnWidth(1, 20)
+        self.ui.ctrlList.setVerticalScrollMode(self.ui.ctrlList.ScrollPerPixel)
+        self.ui.ctrlList.setHorizontalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOff)
+        
+        self.chartWidget = FlowchartWidget(chart, self)
+        #self.chartWidget.viewBox().autoRange()
+        self.cwWin = QtGui.QMainWindow()
+        self.cwWin.setWindowTitle('Flowchart')
+        self.cwWin.setCentralWidget(self.chartWidget)
+        self.cwWin.resize(1000,800)
+        
+        h = self.ui.ctrlList.header()
+        h.setResizeMode(0, h.Stretch)
+        
+        self.ui.ctrlList.itemChanged.connect(self.itemChanged)
+        self.ui.loadBtn.clicked.connect(self.loadClicked)
+        self.ui.saveBtn.clicked.connect(self.saveClicked)
+        self.ui.saveAsBtn.clicked.connect(self.saveAsClicked)
+        self.ui.showChartBtn.toggled.connect(self.chartToggled)
+        self.chart.sigFileLoaded.connect(self.setCurrentFile)
+        self.ui.reloadBtn.clicked.connect(self.reloadClicked)
+        self.chart.sigFileSaved.connect(self.fileSaved)
+        
+    
+        
+    #def resizeEvent(self, ev):
+        #QtGui.QWidget.resizeEvent(self, ev)
+        #self.ui.ctrlList.setColumnWidth(0, self.ui.ctrlList.viewport().width()-20)
+        
+    def chartToggled(self, b):
+        if b:
+            self.cwWin.show()
+        else:
+            self.cwWin.hide()
+
+    def reloadClicked(self):
+        try:
+            self.chartWidget.reloadLibrary()
+            self.ui.reloadBtn.success("Reloaded.")
+        except:
+            self.ui.reloadBtn.success("Error.")
+            raise
+            
+            
+    def loadClicked(self):
+        newFile = self.chart.loadFile()
+        #self.setCurrentFile(newFile)
+        
+    def fileSaved(self, fileName):
+        self.setCurrentFile(fileName)
+        self.ui.saveBtn.success("Saved.")
+        
+    def saveClicked(self):
+        if self.currentFileName is None:
+            self.saveAsClicked()
+        else:
+            try:
+                self.chart.saveFile(self.currentFileName)
+                #self.ui.saveBtn.success("Saved.")
+            except:
+                self.ui.saveBtn.failure("Error")
+                raise
+        
+    def saveAsClicked(self):
+        try:
+            if self.currentFileName is None:
+                newFile = self.chart.saveFile()
+            else:
+                newFile = self.chart.saveFile(suggestedFileName=self.currentFileName)
+            #self.ui.saveAsBtn.success("Saved.")
+            #print "Back to saveAsClicked."
+        except:
+            self.ui.saveBtn.failure("Error")
+            raise
+            
+        #self.setCurrentFile(newFile)
+            
+    def setCurrentFile(self, fileName):
+        self.currentFileName = fileName
+        if fileName is None:
+            self.ui.fileNameLabel.setText("<b>[ new ]</b>")
+        else:
+            self.ui.fileNameLabel.setText("<b>%s</b>" % os.path.split(self.currentFileName)[1])
+        self.resizeEvent(None)
+
+    def itemChanged(self, *args):
+        pass
+    
+    def scene(self):
+        return self.chartWidget.scene() ## returns the GraphicsScene object
+    
+    def viewBox(self):
+        return self.chartWidget.viewBox()
+
+    def nodeRenamed(self, node, oldName):
+        self.items[node].setText(0, node.name())
+
+    def addNode(self, node):
+        ctrl = node.ctrlWidget()
+        #if ctrl is None:
+            #return
+        item = QtGui.QTreeWidgetItem([node.name(), '', ''])
+        self.ui.ctrlList.addTopLevelItem(item)
+        byp = QtGui.QPushButton('X')
+        byp.setCheckable(True)
+        byp.setFixedWidth(20)
+        item.bypassBtn = byp
+        self.ui.ctrlList.setItemWidget(item, 1, byp)
+        byp.node = node
+        node.bypassButton = byp
+        byp.setChecked(node.isBypassed())
+        byp.clicked.connect(self.bypassClicked)
+        
+        if ctrl is not None:
+            item2 = QtGui.QTreeWidgetItem()
+            item.addChild(item2)
+            self.ui.ctrlList.setItemWidget(item2, 0, ctrl)
+            
+        self.items[node] = item
+        
+    def removeNode(self, node):
+        if node in self.items:
+            item = self.items[node]
+            #self.disconnect(item.bypassBtn, QtCore.SIGNAL('clicked()'), self.bypassClicked)
+            try:
+                item.bypassBtn.clicked.disconnect(self.bypassClicked)
+            except TypeError:
+                pass
+            self.ui.ctrlList.removeTopLevelItem(item)
+            
+    def bypassClicked(self):
+        btn = QtCore.QObject.sender(self)
+        btn.node.bypass(btn.isChecked())
+            
+    def chartWidget(self):
+        return self.chartWidget
+
+    def outputChanged(self, data):
+        pass
+        #self.ui.outputTree.setData(data, hideRoot=True)
+
+    def clear(self):
+        self.chartWidget.clear()
+        
+    def select(self, node):
+        item = self.items[node]
+        self.ui.ctrlList.setCurrentItem(item)
+
+class FlowchartWidget(dockarea.DockArea):
+    """Includes the actual graphical flowchart and debugging interface"""
+    def __init__(self, chart, ctrl):
+        #QtGui.QWidget.__init__(self)
+        dockarea.DockArea.__init__(self)
+        self.chart = chart
+        self.ctrl = ctrl
+        self.hoverItem = None
+        #self.setMinimumWidth(250)
+        #self.setSizePolicy(QtGui.QSizePolicy(QtGui.QSizePolicy.Preferred, QtGui.QSizePolicy.Expanding))
+        
+        #self.ui = FlowchartTemplate.Ui_Form()
+        #self.ui.setupUi(self)
+        
+        ## build user interface (it was easier to do it here than via developer)
+        self.view = FlowchartGraphicsView.FlowchartGraphicsView(self)
+        self.viewDock = dockarea.Dock('view', size=(1000,600))
+        self.viewDock.addWidget(self.view)
+        self.viewDock.hideTitleBar()
+        self.addDock(self.viewDock)
+    
+
+        self.hoverText = QtGui.QTextEdit()
+        self.hoverText.setReadOnly(True)
+        self.hoverDock = dockarea.Dock('Hover Info', size=(1000,20))
+        self.hoverDock.addWidget(self.hoverText)
+        self.addDock(self.hoverDock, 'bottom')
+
+        self.selInfo = QtGui.QWidget()
+        self.selInfoLayout = QtGui.QGridLayout()
+        self.selInfo.setLayout(self.selInfoLayout)
+        self.selDescLabel = QtGui.QLabel()
+        self.selNameLabel = QtGui.QLabel()
+        self.selDescLabel.setWordWrap(True)
+        self.selectedTree = pg.DataTreeWidget()
+        #self.selectedTree.setHorizontalScrollBarPolicy(QtCore.Qt.ScrollBarAsNeeded)
+        #self.selInfoLayout.addWidget(self.selNameLabel)
+        self.selInfoLayout.addWidget(self.selDescLabel)
+        self.selInfoLayout.addWidget(self.selectedTree)
+        self.selDock = dockarea.Dock('Selected Node', size=(1000,200))
+        self.selDock.addWidget(self.selInfo)
+        self.addDock(self.selDock, 'bottom')
+        
+        self._scene = self.view.scene()
+        self._viewBox = self.view.viewBox()
+        #self._scene = QtGui.QGraphicsScene()
+        #self._scene = FlowchartGraphicsView.FlowchartGraphicsScene()
+        #self.view.setScene(self._scene)
+        
+        self.buildMenu()
+        #self.ui.addNodeBtn.mouseReleaseEvent = self.addNodeBtnReleased
+            
+        self._scene.selectionChanged.connect(self.selectionChanged)
+        self._scene.sigMouseHover.connect(self.hoverOver)
+        #self.view.sigClicked.connect(self.showViewMenu)
+        #self._scene.sigSceneContextMenu.connect(self.showViewMenu)
+        #self._viewBox.sigActionPositionChanged.connect(self.menuPosChanged)
+        
+        
+    def reloadLibrary(self):
+        #QtCore.QObject.disconnect(self.nodeMenu, QtCore.SIGNAL('triggered(QAction*)'), self.nodeMenuTriggered)
+        self.nodeMenu.triggered.disconnect(self.nodeMenuTriggered)
+        self.nodeMenu = None
+        self.subMenus = []
+        library.loadLibrary(reloadLibs=True)
+        self.buildMenu()
+        
+    def buildMenu(self, pos=None):
+        self.nodeMenu = QtGui.QMenu()
+        self.subMenus = []
+        for section, nodes in library.getNodeTree().iteritems():
+            menu = QtGui.QMenu(section)
+            self.nodeMenu.addMenu(menu)
+            for name in nodes:
+                act = menu.addAction(name)
+                act.nodeType = name
+                act.pos = pos
+            self.subMenus.append(menu)
+        self.nodeMenu.triggered.connect(self.nodeMenuTriggered)
+        return self.nodeMenu
+    
+    def menuPosChanged(self, pos):
+        self.menuPos = pos
+    
+    def showViewMenu(self, ev):
+        #QtGui.QPushButton.mouseReleaseEvent(self.ui.addNodeBtn, ev)
+        #if ev.button() == QtCore.Qt.RightButton:
+            #self.menuPos = self.view.mapToScene(ev.pos())
+            #self.nodeMenu.popup(ev.globalPos())
+        #print "Flowchart.showViewMenu called"
+
+        #self.menuPos = ev.scenePos()
+        self.buildMenu(ev.scenePos())
+        self.nodeMenu.popup(ev.screenPos())
+        
+    def scene(self):
+        return self._scene ## the GraphicsScene item
+
+    def viewBox(self):
+        return self._viewBox ## the viewBox that items should be added to
+
+    def nodeMenuTriggered(self, action):
+        nodeType = action.nodeType
+        if action.pos is not None:
+            pos = action.pos
+        else:
+            pos = self.menuPos
+        pos = self.viewBox().mapSceneToView(pos)
+
+        self.chart.createNode(nodeType, pos=pos)
+
+
+    def selectionChanged(self):
+        #print "FlowchartWidget.selectionChanged called."
+        items = self._scene.selectedItems()
+        #print "     scene.selectedItems: ", items
+        if len(items) == 0:
+            data = None
+        else:
+            item = items[0]
+            if hasattr(item, 'node') and isinstance(item.node, Node):
+                n = item.node
+                self.ctrl.select(n)
+                data = {'outputs': n.outputValues(), 'inputs': n.inputValues()}
+                self.selNameLabel.setText(n.name())
+                if hasattr(n, 'nodeName'):
+                    self.selDescLabel.setText("<b>%s</b>: %s" % (n.nodeName, n.__class__.__doc__))
+                else:
+                    self.selDescLabel.setText("")
+                if n.exception is not None:
+                    data['exception'] = n.exception
+            else:
+                data = None
+        self.selectedTree.setData(data, hideRoot=True)
+
+    def hoverOver(self, items):
+        #print "FlowchartWidget.hoverOver called."
+        term = None
+        for item in items:
+            if item is self.hoverItem:
+                return
+            self.hoverItem = item
+            if hasattr(item, 'term') and isinstance(item.term, Terminal):
+                term = item.term
+                break
+        if term is None:
+            self.hoverText.setPlainText("")
+        else:
+            val = term.value()
+            if isinstance(val, ndarray):
+                val = "%s %s %s" % (type(val).__name__, str(val.shape), str(val.dtype))
+            else:
+                val = str(val)
+                if len(val) > 400:
+                    val = val[:400] + "..."
+            self.hoverText.setPlainText("%s.%s = %s" % (term.node().name(), term.name(), val))
+            #self.hoverLabel.setCursorPosition(0)
+
+    
+
+    def clear(self):
+        #self.outputTree.setData(None)
+        self.selectedTree.setData(None)
+        self.hoverText.setPlainText('')
+        self.selNameLabel.setText('')
+        self.selDescLabel.setText('')
+        
+        
+class FlowchartNode(Node):
+    pass
+
diff --git a/flowchart/FlowchartCtrlTemplate.py b/flowchart/FlowchartCtrlTemplate.py
new file mode 100644
index 0000000000000000000000000000000000000000..0f2ec162d430ca20a61a999019d836b7a0a5a82c
--- /dev/null
+++ b/flowchart/FlowchartCtrlTemplate.py
@@ -0,0 +1,71 @@
+# -*- coding: utf-8 -*-
+
+# Form implementation generated from reading ui file 'FlowchartCtrlTemplate.ui'
+#
+# Created: Sun Dec 18 20:55:57 2011
+#      by: PyQt4 UI code generator 4.8.3
+#
+# WARNING! All changes made in this file will be lost!
+
+from PyQt4 import QtCore, QtGui
+
+try:
+    _fromUtf8 = QtCore.QString.fromUtf8
+except AttributeError:
+    _fromUtf8 = lambda s: s
+
+class Ui_Form(object):
+    def setupUi(self, Form):
+        Form.setObjectName(_fromUtf8("Form"))
+        Form.resize(217, 499)
+        self.gridLayout = QtGui.QGridLayout(Form)
+        self.gridLayout.setMargin(0)
+        self.gridLayout.setVerticalSpacing(0)
+        self.gridLayout.setObjectName(_fromUtf8("gridLayout"))
+        self.loadBtn = QtGui.QPushButton(Form)
+        self.loadBtn.setObjectName(_fromUtf8("loadBtn"))
+        self.gridLayout.addWidget(self.loadBtn, 1, 0, 1, 1)
+        self.saveBtn = FeedbackButton(Form)
+        self.saveBtn.setObjectName(_fromUtf8("saveBtn"))
+        self.gridLayout.addWidget(self.saveBtn, 1, 1, 1, 2)
+        self.saveAsBtn = FeedbackButton(Form)
+        self.saveAsBtn.setObjectName(_fromUtf8("saveAsBtn"))
+        self.gridLayout.addWidget(self.saveAsBtn, 1, 3, 1, 1)
+        self.reloadBtn = FeedbackButton(Form)
+        self.reloadBtn.setCheckable(False)
+        self.reloadBtn.setFlat(False)
+        self.reloadBtn.setObjectName(_fromUtf8("reloadBtn"))
+        self.gridLayout.addWidget(self.reloadBtn, 4, 0, 1, 2)
+        self.showChartBtn = QtGui.QPushButton(Form)
+        self.showChartBtn.setCheckable(True)
+        self.showChartBtn.setObjectName(_fromUtf8("showChartBtn"))
+        self.gridLayout.addWidget(self.showChartBtn, 4, 2, 1, 2)
+        self.ctrlList = TreeWidget(Form)
+        self.ctrlList.setObjectName(_fromUtf8("ctrlList"))
+        self.ctrlList.headerItem().setText(0, _fromUtf8("1"))
+        self.ctrlList.header().setVisible(False)
+        self.ctrlList.header().setStretchLastSection(False)
+        self.gridLayout.addWidget(self.ctrlList, 3, 0, 1, 4)
+        self.fileNameLabel = QtGui.QLabel(Form)
+        font = QtGui.QFont()
+        font.setWeight(75)
+        font.setBold(True)
+        self.fileNameLabel.setFont(font)
+        self.fileNameLabel.setText(_fromUtf8(""))
+        self.fileNameLabel.setAlignment(QtCore.Qt.AlignCenter)
+        self.fileNameLabel.setObjectName(_fromUtf8("fileNameLabel"))
+        self.gridLayout.addWidget(self.fileNameLabel, 0, 1, 1, 1)
+
+        self.retranslateUi(Form)
+        QtCore.QMetaObject.connectSlotsByName(Form)
+
+    def retranslateUi(self, Form):
+        Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
+        self.loadBtn.setText(QtGui.QApplication.translate("Form", "Load..", None, QtGui.QApplication.UnicodeUTF8))
+        self.saveBtn.setText(QtGui.QApplication.translate("Form", "Save", None, QtGui.QApplication.UnicodeUTF8))
+        self.saveAsBtn.setText(QtGui.QApplication.translate("Form", "As..", None, QtGui.QApplication.UnicodeUTF8))
+        self.reloadBtn.setText(QtGui.QApplication.translate("Form", "Reload Libs", None, QtGui.QApplication.UnicodeUTF8))
+        self.showChartBtn.setText(QtGui.QApplication.translate("Form", "Flowchart", None, QtGui.QApplication.UnicodeUTF8))
+
+from FeedbackButton import FeedbackButton
+from pyqtgraph.widgets.TreeWidget import TreeWidget
diff --git a/flowchart/FlowchartCtrlTemplate.ui b/flowchart/FlowchartCtrlTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..a931fb3a9ca75b458570b1c3874550fdc0204f6e
--- /dev/null
+++ b/flowchart/FlowchartCtrlTemplate.ui
@@ -0,0 +1,120 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>Form</class>
+ <widget class="QWidget" name="Form">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>217</width>
+    <height>499</height>
+   </rect>
+  </property>
+  <property name="windowTitle">
+   <string>Form</string>
+  </property>
+  <layout class="QGridLayout" name="gridLayout">
+   <property name="verticalSpacing">
+    <number>0</number>
+   </property>
+   <property name="margin">
+    <number>0</number>
+   </property>
+   <item row="1" column="0">
+    <widget class="QPushButton" name="loadBtn">
+     <property name="text">
+      <string>Load..</string>
+     </property>
+    </widget>
+   </item>
+   <item row="1" column="1" colspan="2">
+    <widget class="FeedbackButton" name="saveBtn">
+     <property name="text">
+      <string>Save</string>
+     </property>
+    </widget>
+   </item>
+   <item row="1" column="3">
+    <widget class="FeedbackButton" name="saveAsBtn">
+     <property name="text">
+      <string>As..</string>
+     </property>
+    </widget>
+   </item>
+   <item row="4" column="0" colspan="2">
+    <widget class="FeedbackButton" name="reloadBtn">
+     <property name="text">
+      <string>Reload Libs</string>
+     </property>
+     <property name="checkable">
+      <bool>false</bool>
+     </property>
+     <property name="flat">
+      <bool>false</bool>
+     </property>
+    </widget>
+   </item>
+   <item row="4" column="2" colspan="2">
+    <widget class="QPushButton" name="showChartBtn">
+     <property name="text">
+      <string>Flowchart</string>
+     </property>
+     <property name="checkable">
+      <bool>true</bool>
+     </property>
+    </widget>
+   </item>
+   <item row="3" column="0" colspan="4">
+    <widget class="TreeWidget" name="ctrlList">
+     <attribute name="headerVisible">
+      <bool>false</bool>
+     </attribute>
+     <attribute name="headerStretchLastSection">
+      <bool>false</bool>
+     </attribute>
+     <attribute name="headerVisible">
+      <bool>false</bool>
+     </attribute>
+     <attribute name="headerStretchLastSection">
+      <bool>false</bool>
+     </attribute>
+     <column>
+      <property name="text">
+       <string notr="true">1</string>
+      </property>
+     </column>
+    </widget>
+   </item>
+   <item row="0" column="1">
+    <widget class="QLabel" name="fileNameLabel">
+     <property name="font">
+      <font>
+       <weight>75</weight>
+       <bold>true</bold>
+      </font>
+     </property>
+     <property name="text">
+      <string/>
+     </property>
+     <property name="alignment">
+      <set>Qt::AlignCenter</set>
+     </property>
+    </widget>
+   </item>
+  </layout>
+ </widget>
+ <customwidgets>
+  <customwidget>
+   <class>TreeWidget</class>
+   <extends>QTreeWidget</extends>
+   <header>pyqtgraph.widgets.TreeWidget</header>
+  </customwidget>
+  <customwidget>
+   <class>FeedbackButton</class>
+   <extends>QPushButton</extends>
+   <header>FeedbackButton</header>
+  </customwidget>
+ </customwidgets>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/flowchart/FlowchartGraphicsView.py b/flowchart/FlowchartGraphicsView.py
new file mode 100644
index 0000000000000000000000000000000000000000..0ec4d5c83b70638efb51329f924e80b3fbe5fb6c
--- /dev/null
+++ b/flowchart/FlowchartGraphicsView.py
@@ -0,0 +1,109 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtGui, QtCore
+from pyqtgraph.widgets.GraphicsView import GraphicsView
+from pyqtgraph.GraphicsScene import GraphicsScene
+from pyqtgraph.graphicsItems.ViewBox import ViewBox
+
+#class FlowchartGraphicsView(QtGui.QGraphicsView):
+class FlowchartGraphicsView(GraphicsView):
+    
+    sigHoverOver = QtCore.Signal(object)
+    sigClicked = QtCore.Signal(object)
+    
+    def __init__(self, widget, *args):
+        #QtGui.QGraphicsView.__init__(self, *args)
+        GraphicsView.__init__(self, *args, useOpenGL=False)
+        #self.setBackgroundBrush(QtGui.QBrush(QtGui.QColor(255,255,255)))
+        self._vb = FlowchartViewBox(widget, lockAspect=True, invertY=True)
+        self.setCentralItem(self._vb)
+        #self.scene().addItem(self.vb)
+        #self.setMouseTracking(True)
+        #self.lastPos = None
+        #self.setTransformationAnchor(self.AnchorViewCenter)
+        #self.setRenderHints(QtGui.QPainter.Antialiasing)
+        self.setRenderHint(QtGui.QPainter.Antialiasing, True)
+        #self.setDragMode(QtGui.QGraphicsView.RubberBandDrag)
+        #self.setRubberBandSelectionMode(QtCore.Qt.ContainsItemBoundingRect)
+    
+    def viewBox(self):
+        return self._vb
+    
+    
+    #def mousePressEvent(self, ev):
+        #self.moved = False
+        #self.lastPos = ev.pos()
+        #return QtGui.QGraphicsView.mousePressEvent(self, ev)
+
+    #def mouseMoveEvent(self, ev):
+        #self.moved = True
+        #callSuper = False
+        #if ev.buttons() &  QtCore.Qt.RightButton:
+            #if self.lastPos is not None:
+                #dif = ev.pos() - self.lastPos
+                #self.scale(1.01**-dif.y(), 1.01**-dif.y())
+        #elif ev.buttons() & QtCore.Qt.MidButton:
+            #if self.lastPos is not None:
+                #dif = ev.pos() - self.lastPos
+                #self.translate(dif.x(), -dif.y())
+        #else:
+            ##self.emit(QtCore.SIGNAL('hoverOver'), self.items(ev.pos()))
+            #self.sigHoverOver.emit(self.items(ev.pos()))
+            #callSuper = True
+        #self.lastPos = ev.pos()
+        
+        #if callSuper:
+            #QtGui.QGraphicsView.mouseMoveEvent(self, ev)
+            
+    #def mouseReleaseEvent(self, ev):
+        #if not self.moved:
+            ##self.emit(QtCore.SIGNAL('clicked'), ev)
+            #self.sigClicked.emit(ev)
+        #return QtGui.QGraphicsView.mouseReleaseEvent(self, ev)
+        
+class FlowchartViewBox(ViewBox):
+    
+    def __init__(self, widget, *args, **kwargs):
+        ViewBox.__init__(self, *args, **kwargs)
+        self.widget = widget
+        #self.menu = None
+        #self._subMenus = None ## need a place to store the menus otherwise they dissappear (even though they've been added to other menus) ((yes, it doesn't make sense))
+        
+        
+        
+        
+    def getMenu(self, ev):
+        ## called by ViewBox to create a new context menu
+        self._fc_menu = QtGui.QMenu()
+        self._subMenus = self.getContextMenus(ev)
+        for menu in self._subMenus:
+            self._fc_menu.addMenu(menu)
+        return self._fc_menu
+    
+    def getContextMenus(self, ev):
+        ## called by scene to add menus on to someone else's context menu
+        menu = self.widget.buildMenu(ev.scenePos())
+        menu.setTitle("Add node")
+        return [menu, ViewBox.getMenu(self, ev)]
+
+    
+    
+        
+        
+        
+        
+        
+
+
+##class FlowchartGraphicsScene(QtGui.QGraphicsScene):
+#class FlowchartGraphicsScene(GraphicsScene):
+    
+    #sigContextMenuEvent = QtCore.Signal(object)
+    
+    #def __init__(self, *args):
+        ##QtGui.QGraphicsScene.__init__(self, *args)
+        #GraphicsScene.__init__(self, *args)
+        
+    #def mouseClickEvent(self, ev):
+        ##QtGui.QGraphicsScene.contextMenuEvent(self, ev)
+        #if not ev.button() in [QtCore.Qt.RightButton]:
+            #self.sigContextMenuEvent.emit(ev)
\ No newline at end of file
diff --git a/flowchart/FlowchartTemplate.py b/flowchart/FlowchartTemplate.py
new file mode 100644
index 0000000000000000000000000000000000000000..ec8823f1623ac6747b1956e9789f696eb25af770
--- /dev/null
+++ b/flowchart/FlowchartTemplate.py
@@ -0,0 +1,59 @@
+# -*- coding: utf-8 -*-
+
+# Form implementation generated from reading ui file 'FlowchartTemplate.ui'
+#
+# Created: Sun Dec 18 20:55:57 2011
+#      by: PyQt4 UI code generator 4.8.3
+#
+# WARNING! All changes made in this file will be lost!
+
+from PyQt4 import QtCore, QtGui
+
+try:
+    _fromUtf8 = QtCore.QString.fromUtf8
+except AttributeError:
+    _fromUtf8 = lambda s: s
+
+class Ui_Form(object):
+    def setupUi(self, Form):
+        Form.setObjectName(_fromUtf8("Form"))
+        Form.resize(529, 329)
+        self.selInfoWidget = QtGui.QWidget(Form)
+        self.selInfoWidget.setGeometry(QtCore.QRect(260, 10, 264, 222))
+        self.selInfoWidget.setObjectName(_fromUtf8("selInfoWidget"))
+        self.gridLayout = QtGui.QGridLayout(self.selInfoWidget)
+        self.gridLayout.setMargin(0)
+        self.gridLayout.setObjectName(_fromUtf8("gridLayout"))
+        self.selDescLabel = QtGui.QLabel(self.selInfoWidget)
+        self.selDescLabel.setText(_fromUtf8(""))
+        self.selDescLabel.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop)
+        self.selDescLabel.setWordWrap(True)
+        self.selDescLabel.setObjectName(_fromUtf8("selDescLabel"))
+        self.gridLayout.addWidget(self.selDescLabel, 0, 0, 1, 1)
+        self.selNameLabel = QtGui.QLabel(self.selInfoWidget)
+        font = QtGui.QFont()
+        font.setWeight(75)
+        font.setBold(True)
+        self.selNameLabel.setFont(font)
+        self.selNameLabel.setText(_fromUtf8(""))
+        self.selNameLabel.setObjectName(_fromUtf8("selNameLabel"))
+        self.gridLayout.addWidget(self.selNameLabel, 0, 1, 1, 1)
+        self.selectedTree = DataTreeWidget(self.selInfoWidget)
+        self.selectedTree.setObjectName(_fromUtf8("selectedTree"))
+        self.selectedTree.headerItem().setText(0, _fromUtf8("1"))
+        self.gridLayout.addWidget(self.selectedTree, 1, 0, 1, 2)
+        self.hoverText = QtGui.QTextEdit(Form)
+        self.hoverText.setGeometry(QtCore.QRect(0, 240, 521, 81))
+        self.hoverText.setObjectName(_fromUtf8("hoverText"))
+        self.view = FlowchartGraphicsView(Form)
+        self.view.setGeometry(QtCore.QRect(0, 0, 256, 192))
+        self.view.setObjectName(_fromUtf8("view"))
+
+        self.retranslateUi(Form)
+        QtCore.QMetaObject.connectSlotsByName(Form)
+
+    def retranslateUi(self, Form):
+        Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
+
+from pyqtgraph.widgets.DataTreeWidget import DataTreeWidget
+from FlowchartGraphicsView import FlowchartGraphicsView
diff --git a/flowchart/FlowchartTemplate.ui b/flowchart/FlowchartTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..e4530800c60242dc673a0e4b6513fe05bd67a36b
--- /dev/null
+++ b/flowchart/FlowchartTemplate.ui
@@ -0,0 +1,98 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>Form</class>
+ <widget class="QWidget" name="Form">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>529</width>
+    <height>329</height>
+   </rect>
+  </property>
+  <property name="windowTitle">
+   <string>Form</string>
+  </property>
+  <widget class="QWidget" name="selInfoWidget" native="true">
+   <property name="geometry">
+    <rect>
+     <x>260</x>
+     <y>10</y>
+     <width>264</width>
+     <height>222</height>
+    </rect>
+   </property>
+   <layout class="QGridLayout" name="gridLayout">
+    <item row="0" column="0">
+     <widget class="QLabel" name="selDescLabel">
+      <property name="text">
+       <string/>
+      </property>
+      <property name="alignment">
+       <set>Qt::AlignLeading|Qt::AlignLeft|Qt::AlignTop</set>
+      </property>
+      <property name="wordWrap">
+       <bool>true</bool>
+      </property>
+     </widget>
+    </item>
+    <item row="0" column="1">
+     <widget class="QLabel" name="selNameLabel">
+      <property name="font">
+       <font>
+        <weight>75</weight>
+        <bold>true</bold>
+       </font>
+      </property>
+      <property name="text">
+       <string/>
+      </property>
+     </widget>
+    </item>
+    <item row="1" column="0" colspan="2">
+     <widget class="DataTreeWidget" name="selectedTree">
+      <column>
+       <property name="text">
+        <string notr="true">1</string>
+       </property>
+      </column>
+     </widget>
+    </item>
+   </layout>
+  </widget>
+  <widget class="QTextEdit" name="hoverText">
+   <property name="geometry">
+    <rect>
+     <x>0</x>
+     <y>240</y>
+     <width>521</width>
+     <height>81</height>
+    </rect>
+   </property>
+  </widget>
+  <widget class="FlowchartGraphicsView" name="view">
+   <property name="geometry">
+    <rect>
+     <x>0</x>
+     <y>0</y>
+     <width>256</width>
+     <height>192</height>
+    </rect>
+   </property>
+  </widget>
+ </widget>
+ <customwidgets>
+  <customwidget>
+   <class>DataTreeWidget</class>
+   <extends>QTreeWidget</extends>
+   <header>pyqtgraph.widgets.DataTreeWidget</header>
+  </customwidget>
+  <customwidget>
+   <class>FlowchartGraphicsView</class>
+   <extends>QGraphicsView</extends>
+   <header>FlowchartGraphicsView</header>
+  </customwidget>
+ </customwidgets>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/flowchart/Node.py b/flowchart/Node.py
new file mode 100644
index 0000000000000000000000000000000000000000..88a6d3b2168d037e436b42173e2625c15c961dd7
--- /dev/null
+++ b/flowchart/Node.py
@@ -0,0 +1,561 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+#from PySide import QtCore, QtGui
+from pyqtgraph.graphicsItems.GraphicsObject import GraphicsObject
+import pyqtgraph.functions as fn
+from Terminal import *
+from collections import OrderedDict
+from debug import *
+import numpy as np
+#from pyqtgraph.ObjectWorkaround import QObjectWorkaround
+from eq import *
+
+#TETRACYCLINE = True
+
+def strDict(d):
+    return dict([(str(k), v) for k, v in d.iteritems()])
+
+class Node(QtCore.QObject):
+    
+    sigOutputChanged = QtCore.Signal(object)   # self
+    sigClosed = QtCore.Signal(object)
+    sigRenamed = QtCore.Signal(object, object)
+    sigTerminalRenamed = QtCore.Signal(object, object)
+
+    
+    def __init__(self, name, terminals=None, allowAddInput=False, allowAddOutput=False, allowRemove=True):
+        QtCore.QObject.__init__(self)
+        self._name = name
+        self._bypass = False
+        self.bypassButton = None  ## this will be set by the flowchart ctrl widget..
+        self._graphicsItem = None
+        self.terminals = OrderedDict()
+        self._inputs = {}
+        self._outputs = {}
+        self._allowAddInput = allowAddInput   ## flags to allow the user to add/remove terminals
+        self._allowAddOutput = allowAddOutput
+        self._allowRemove = allowRemove
+        
+        self.exception = None
+        if terminals is None:
+            return
+        for name, opts in terminals.iteritems():
+            self.addTerminal(name, **opts)
+
+        
+    def nextTerminalName(self, name):
+        """Return an unused terminal name"""
+        name2 = name
+        i = 1
+        while name2 in self.terminals:
+            name2 = "%s.%d" % (name, i)
+            i += 1
+        return name2
+        
+    def addInput(self, name="Input", **args):
+        #print "Node.addInput called."
+        return self.addTerminal(name, io='in', **args)
+        
+    def addOutput(self, name="Output", **args):
+        return self.addTerminal(name, io='out', **args)
+        
+    def removeTerminal(self, term):
+        ## term may be a terminal or its name
+        
+        if isinstance(term, Terminal):
+            name = term.name()
+        else:
+            name = term
+            term = self.terminals[name]
+        
+        #print "remove", name
+        #term.disconnectAll()
+        term.close()
+        del self.terminals[name]
+        if name in self._inputs:
+            del self._inputs[name]
+        if name in self._outputs:
+            del self._outputs[name]
+        self.graphicsItem().updateTerminals()
+        
+    def terminalRenamed(self, term, oldName):
+        """Called after a terminal has been renamed"""
+        newName = term.name()
+        #print "node", self, "handling rename..", newName, oldName
+        for d in [self.terminals, self._inputs, self._outputs]:
+            if oldName not in d:
+                continue
+            #print "  got one"
+            d[newName] = d[oldName]
+            del d[oldName]
+            
+        self.graphicsItem().updateTerminals()
+        #self.emit(QtCore.SIGNAL('terminalRenamed'), term, oldName)
+        self.sigTerminalRenamed.emit(term, oldName)
+        
+    def addTerminal(self, name, **opts):
+        #print "Node.addTerminal called. name:", name, "opts:", opts
+        #global TETRACYCLINE
+        #print "TETRACYCLINE: ", TETRACYCLINE
+        #if TETRACYCLINE:
+            #print  "Creating Terminal..."
+        name = self.nextTerminalName(name)
+        term = Terminal(self, name, **opts)
+        self.terminals[name] = term
+        if term.isInput():
+            self._inputs[name] = term
+        elif term.isOutput():
+            self._outputs[name] = term
+        self.graphicsItem().updateTerminals()
+        return term
+
+        
+    def inputs(self):
+        return self._inputs
+        
+    def outputs(self):
+        return self._outputs
+        
+    def process(self, **kargs):
+        """Process data through this node. Each named argument supplies data to the corresponding terminal."""
+        return {}
+    
+    def graphicsItem(self):
+        """Return a (the?) graphicsitem for this node"""
+        #print "Node.graphicsItem called."
+        if self._graphicsItem is None:
+            #print "Creating NodeGraphicsItem..."
+            self._graphicsItem = NodeGraphicsItem(self)
+        #print "Node.graphicsItem is returning ", self._graphicsItem
+        return self._graphicsItem
+    
+    def __getattr__(self, attr):
+        """Return the terminal with the given name"""
+        if attr not in self.terminals:
+            raise AttributeError(attr)
+        else:
+            return self.terminals[attr]
+            
+    def __getitem__(self, item):
+        return getattr(self, item)
+            
+    def name(self):
+        return self._name
+
+    def rename(self, name):
+        oldName = self._name
+        self._name = name
+        #self.emit(QtCore.SIGNAL('renamed'), self, oldName)
+        self.sigRenamed.emit(self, oldName)
+
+    def dependentNodes(self):
+        """Return the list of nodes which provide direct input to this node"""
+        nodes = set()
+        for t in self.inputs().itervalues():
+            nodes |= set([i.node() for i in t.inputTerminals()])
+        return nodes
+        #return set([t.inputTerminals().node() for t in self.listInputs().itervalues()])
+        
+    def __repr__(self):
+        return "<Node %s @%x>" % (self.name(), id(self))
+        
+    def ctrlWidget(self):
+        return None
+
+    def bypass(self, byp):
+        self._bypass = byp
+        if self.bypassButton is not None:
+            self.bypassButton.setChecked(byp)
+        self.update()
+        
+    def isBypassed(self):
+        return self._bypass
+
+    def setInput(self, **args):
+        """Set the values on input terminals. For most nodes, this will happen automatically through Terminal.inputChanged.
+        This is normally only used for nodes with no connected inputs."""
+        changed = False
+        for k, v in args.iteritems():
+            term = self._inputs[k]
+            oldVal = term.value()
+            if not eq(oldVal, v):
+                changed = True
+            term.setValue(v, process=False)
+        if changed and '_updatesHandled_' not in args:
+            self.update()
+        
+    def inputValues(self):
+        vals = {}
+        for n, t in self.inputs().iteritems():
+            vals[n] = t.value()
+        return vals
+            
+    def outputValues(self):
+        vals = {}
+        for n, t in self.outputs().iteritems():
+            vals[n] = t.value()
+        return vals
+            
+    def connected(self, localTerm, remoteTerm):
+        """Called whenever one of this node's terminals is connected elsewhere."""
+        pass
+    
+    def disconnected(self, localTerm, remoteTerm):
+        """Called whenever one of this node's terminals is connected elsewhere."""
+        pass 
+    
+    def update(self, signal=True):
+        """Collect all input values, attempt to process new output values, and propagate downstream."""
+        vals = self.inputValues()
+        #print "  inputs:", vals
+        try:
+            if self.isBypassed():
+                out = self.processBypassed(vals)
+            else:
+                out = self.process(**strDict(vals))
+            #print "  output:", out
+            if out is not None:
+                if signal:
+                    self.setOutput(**out)
+                else:
+                    self.setOutputNoSignal(**out)
+            for n,t in self.inputs().iteritems():
+                t.setValueAcceptable(True)
+            self.clearException()
+        except:
+            #printExc( "Exception while processing %s:" % self.name())
+            for n,t in self.outputs().iteritems():
+                t.setValue(None)
+            self.setException(sys.exc_info())
+            
+            if signal:
+                #self.emit(QtCore.SIGNAL('outputChanged'), self)  ## triggers flowchart to propagate new data
+                self.sigOutputChanged.emit(self)  ## triggers flowchart to propagate new data
+
+    def processBypassed(self, args):
+        result = {}
+        for term in self.outputs().values():
+            byp = term.bypassValue()
+            if byp is None:
+                result[term.name()] = None
+            else:
+                result[term.name()] = args.get(byp, None)
+        return result
+
+    def setOutput(self, **vals):
+        self.setOutputNoSignal(**vals)
+        #self.emit(QtCore.SIGNAL('outputChanged'), self)  ## triggers flowchart to propagate new data
+        self.sigOutputChanged.emit(self)  ## triggers flowchart to propagate new data
+
+    def setOutputNoSignal(self, **vals):
+        for k, v in vals.iteritems():
+            term = self.outputs()[k]
+            term.setValue(v)
+            #targets = term.connections()
+            #for t in targets:  ## propagate downstream
+                #if t is term:
+                    #continue
+                #t.inputChanged(term)
+            term.setValueAcceptable(True)
+
+    def setException(self, exc):
+        self.exception = exc
+        self.recolor()
+        
+    def clearException(self):
+        self.setException(None)
+        
+    def recolor(self):
+        if self.exception is None:
+            self.graphicsItem().setPen(QtGui.QPen(QtGui.QColor(0, 0, 0)))
+        else:
+            self.graphicsItem().setPen(QtGui.QPen(QtGui.QColor(150, 0, 0), 3))
+
+    def saveState(self):
+        pos = self.graphicsItem().pos()
+        return {'pos': (pos.x(), pos.y()), 'bypass': self.isBypassed()}
+        
+    def restoreState(self, state):
+        pos = state.get('pos', (0,0))
+        self.graphicsItem().setPos(*pos)
+        self.bypass(state.get('bypass', False))
+
+    def saveTerminals(self):
+        terms = OrderedDict()
+        for n, t in self.terminals.iteritems():
+            terms[n] = (t.saveState())
+        return terms
+        
+    def restoreTerminals(self, state):
+        for name in self.terminals.keys():
+            if name not in state:
+                self.removeTerminal(name)
+        for name, opts in state.iteritems():
+            if name in self.terminals:
+                continue
+            try:
+                opts = strDict(opts)
+                self.addTerminal(name, **opts)
+            except:
+                printExc("Error restoring terminal %s (%s):" % (str(name), str(opts)))
+                
+        
+    def clearTerminals(self):
+        for t in self.terminals.itervalues():
+            t.close()
+        self.terminals = OrderedDict()
+        self._inputs = {}
+        self._outputs = {}
+        
+    def close(self):
+        """Cleans up after the node--removes terminals, graphicsItem, widget"""
+        self.disconnectAll()
+        self.clearTerminals()
+        item = self.graphicsItem()
+        if item.scene() is not None:
+            item.scene().removeItem(item)
+        self._graphicsItem = None
+        w = self.ctrlWidget()
+        if w is not None:
+            w.setParent(None)
+        #self.emit(QtCore.SIGNAL('closed'), self)
+        self.sigClosed.emit(self)
+            
+    def disconnectAll(self):
+        for t in self.terminals.values():
+            t.disconnectAll()
+    
+
+#class NodeGraphicsItem(QtGui.QGraphicsItem):
+class NodeGraphicsItem(GraphicsObject):
+    def __init__(self, node):
+        #QtGui.QGraphicsItem.__init__(self)
+        GraphicsObject.__init__(self)
+        #QObjectWorkaround.__init__(self)
+        
+        #self.shadow = QtGui.QGraphicsDropShadowEffect()
+        #self.shadow.setOffset(5,5)
+        #self.shadow.setBlurRadius(10)
+        #self.setGraphicsEffect(self.shadow)
+        
+        self.pen = fn.mkPen(0,0,0)
+        self.selectPen = fn.mkPen(200,200,200,width=2)
+        self.brush = fn.mkBrush(200, 200, 200, 150)
+        self.hoverBrush = fn.mkBrush(200, 200, 200, 200)
+        self.selectBrush = fn.mkBrush(200, 200, 255, 200)
+        self.hovered = False
+        
+        self.node = node
+        flags = self.ItemIsMovable | self.ItemIsSelectable | self.ItemIsFocusable |self.ItemSendsGeometryChanges
+        #flags =  self.ItemIsFocusable |self.ItemSendsGeometryChanges
+
+        self.setFlags(flags)
+        self.bounds = QtCore.QRectF(0, 0, 100, 100)
+        self.nameItem = QtGui.QGraphicsTextItem(self.node.name(), self)
+        self.nameItem.setDefaultTextColor(QtGui.QColor(50, 50, 50))
+        self.nameItem.moveBy(self.bounds.width()/2. - self.nameItem.boundingRect().width()/2., 0)
+        self.nameItem.setTextInteractionFlags(QtCore.Qt.TextEditorInteraction)
+        self.updateTerminals()
+        #self.setZValue(10)
+
+        self.nameItem.focusOutEvent = self.labelFocusOut
+        self.nameItem.keyPressEvent = self.labelKeyPress
+        
+        self.menu = None
+        self.buildMenu()
+        
+        #self.node.sigTerminalRenamed.connect(self.updateActionMenu)
+        
+    #def setZValue(self, z):
+        #for t, item in self.terminals.itervalues():
+            #item.setZValue(z+1)
+        #GraphicsObject.setZValue(self, z)
+        
+    def labelFocusOut(self, ev):
+        QtGui.QGraphicsTextItem.focusOutEvent(self.nameItem, ev)
+        self.labelChanged()
+        
+    def labelKeyPress(self, ev):
+        if ev.key() == QtCore.Qt.Key_Enter or ev.key() == QtCore.Qt.Key_Return:
+            self.labelChanged()
+        else:
+            QtGui.QGraphicsTextItem.keyPressEvent(self.nameItem, ev)
+        
+    def labelChanged(self):
+        newName = str(self.nameItem.toPlainText())
+        if newName != self.node.name():
+            self.node.rename(newName)
+            
+        ### re-center the label
+        bounds = self.boundingRect()
+        self.nameItem.setPos(bounds.width()/2. - self.nameItem.boundingRect().width()/2., 0)
+
+    def setPen(self, pen):
+        self.pen = pen
+        self.update()
+        
+    def setBrush(self, brush):
+        self.brush = brush
+        self.update()
+        
+        
+    def updateTerminals(self):
+        bounds = self.bounds
+        self.terminals = {}
+        inp = self.node.inputs()
+        dy = bounds.height() / (len(inp)+1)
+        y = dy
+        for i, t in inp.iteritems():
+            item = t.graphicsItem()
+            item.setParentItem(self)
+            #item.setZValue(self.zValue()+1)
+            br = self.bounds
+            item.setAnchor(0, y)
+            self.terminals[i] = (t, item)
+            y += dy
+        
+        out = self.node.outputs()
+        dy = bounds.height() / (len(out)+1)
+        y = dy
+        for i, t in out.iteritems():
+            item = t.graphicsItem()
+            item.setParentItem(self)
+            item.setZValue(self.zValue())
+            br = self.bounds
+            item.setAnchor(bounds.width(), y)
+            self.terminals[i] = (t, item)
+            y += dy
+        
+        #self.buildMenu()
+        
+        
+    def boundingRect(self):
+        return self.bounds.adjusted(-5, -5, 5, 5)
+        
+    def paint(self, p, *args):
+        
+        p.setPen(self.pen)
+        if self.isSelected():
+            p.setPen(self.selectPen)
+            p.setBrush(self.selectBrush)
+        else:
+            p.setPen(self.pen)
+            if self.hovered:
+                p.setBrush(self.hoverBrush)
+            else:
+                p.setBrush(self.brush)
+                
+        p.drawRect(self.bounds)
+
+        
+    def mousePressEvent(self, ev):
+        ev.ignore()
+
+
+    def mouseClickEvent(self, ev):
+        #print "Node.mouseClickEvent called."
+        if int(ev.button()) == int(QtCore.Qt.LeftButton):
+            ev.accept()
+            #print "    ev.button: left"
+            sel = self.isSelected()
+            #ret = QtGui.QGraphicsItem.mousePressEvent(self, ev)
+            self.setSelected(True)
+            if not sel and self.isSelected():
+                #self.setBrush(QtGui.QBrush(QtGui.QColor(200, 200, 255)))
+                #self.emit(QtCore.SIGNAL('selected'))
+                #self.scene().selectionChanged.emit() ## for some reason this doesn't seem to be happening automatically
+                self.update()
+            #return ret
+        
+        elif int(ev.button()) == int(QtCore.Qt.RightButton):
+            #print "    ev.button: right"
+            ev.accept()
+            #pos = ev.screenPos()
+            self.raiseContextMenu(ev)
+            #self.menu.popup(QtCore.QPoint(pos.x(), pos.y()))
+            
+    def mouseDragEvent(self, ev):
+        #print "Node.mouseDrag"
+        if ev.button() == QtCore.Qt.LeftButton:
+            ev.accept()
+            self.setPos(self.pos()+self.mapToParent(ev.pos())-self.mapToParent(ev.lastPos()))
+        
+    def hoverEvent(self, ev):
+        if not ev.isExit() and ev.acceptClicks(QtCore.Qt.LeftButton):
+            ev.acceptDrags(QtCore.Qt.LeftButton)
+            self.hovered = True
+        else:
+            self.hovered = False
+        self.update()
+            
+    #def mouseReleaseEvent(self, ev):
+        #ret = QtGui.QGraphicsItem.mouseReleaseEvent(self, ev)
+        #return ret
+
+    def keyPressEvent(self, ev):
+        if ev.key() == QtCore.Qt.Key_Delete or ev.key() == QtCore.Qt.Key_Backspace:
+            ev.accept()
+            if not self.node._allowRemove:
+                return
+            self.node.close()
+        else:
+            ev.ignore()
+
+    def itemChange(self, change, val):
+        if change == self.ItemPositionHasChanged:
+            for k, t in self.terminals.iteritems():
+                t[1].nodeMoved()
+        return QtGui.QGraphicsItem.itemChange(self, change, val)
+            
+
+    #def contextMenuEvent(self, ev):
+        #ev.accept()
+        #self.menu.popup(ev.screenPos())
+        
+    def getMenu(self):
+        return self.menu
+    
+
+    def getContextMenus(self, event):
+        return [self.menu]
+    
+    def raiseContextMenu(self, ev):
+        menu = self.scene().addParentContextMenus(self, self.getMenu(), ev)
+        pos = ev.screenPos()
+        menu.popup(QtCore.QPoint(pos.x(), pos.y()))
+        
+    def buildMenu(self):
+        self.menu = QtGui.QMenu()
+        self.menu.setTitle("Node")
+        a = self.menu.addAction("Add input", self.node.addInput)
+        if not self.node._allowAddInput:
+            a.setEnabled(False)
+        a = self.menu.addAction("Add output", self.node.addOutput)
+        if not self.node._allowAddOutput:
+            a.setEnabled(False)
+        a = self.menu.addAction("Remove node", self.node.close)
+        if not self.node._allowRemove:
+            a.setEnabled(False)
+        
+    #def menuTriggered(self, action):
+        ##print "node.menuTriggered called. action:", action
+        #act = str(action.text())
+        #if act == "Add input":
+            #self.node.addInput()
+            #self.updateActionMenu()
+        #elif act == "Add output":
+            #self.node.addOutput()
+            #self.updateActionMenu()
+        #elif act == "Remove node":
+            #self.node.close()
+        #else: ## only other option is to remove a terminal
+            #self.node.removeTerminal(act)
+            #self.terminalMenu.removeAction(action)
+
+    #def updateActionMenu(self):
+        #for t in self.node.terminals:
+            #if t not in [str(a.text()) for a in self.terminalMenu.actions()]:
+                #self.terminalMenu.addAction(t)
+        #for a in self.terminalMenu.actions():
+            #if str(a.text()) not in self.node.terminals:
+                #self.terminalMenu.removeAction(a)
diff --git a/flowchart/Terminal.py b/flowchart/Terminal.py
new file mode 100644
index 0000000000000000000000000000000000000000..d41f702e54491679a44ecafcdec481fadec8761e
--- /dev/null
+++ b/flowchart/Terminal.py
@@ -0,0 +1,555 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+import weakref
+from pyqtgraph.graphicsItems.GraphicsObject import GraphicsObject
+import pyqtgraph.functions as fn
+from pyqtgraph.Point import Point
+#from PySide import QtCore, QtGui
+from eq import *
+
+class Terminal:
+    def __init__(self, node, name, io, optional=False, multi=False, pos=None, renamable=False, bypass=None):
+        """Construct a new terminal. Optiona are:
+        node     - the node to which this terminal belongs
+        name     - string, the name of the terminal
+        io       - 'in' or 'out'
+        optional - bool, whether the node may process without connection to this terminal
+        multi    - bool, for inputs: whether this terminal may make multiple connections
+                   for outputs: whether this terminal creates a different value for each connection
+        pos      - [x, y], the position of the terminal within its node's boundaries
+        """
+        self._io = io
+        #self._isOutput = opts[0] in ['out', 'io']
+        #self._isInput = opts[0]] in ['in', 'io']
+        #self._isIO = opts[0]=='io'
+        self._optional = optional
+        self._multi = multi
+        self._node = weakref.ref(node)
+        self._name = name
+        self._renamable = renamable
+        self._connections = {}
+        self._graphicsItem = TerminalGraphicsItem(self, parent=self._node().graphicsItem())
+        self._bypass = bypass
+        
+        if multi:
+            self._value = {}  ## dictionary of terminal:value pairs.
+        else:
+            self._value = None  
+            
+        self.valueOk = None
+        self.recolor()
+        
+    def value(self, term=None):
+        """Return the value this terminal provides for the connected terminal"""
+        if term is None:
+            return self._value
+            
+        if self.isMultiValue():
+            return self._value.get(term, None)
+        else:
+            return self._value
+
+    def bypassValue(self):
+        return self._bypass
+
+    def setValue(self, val, process=True):
+        """If this is a single-value terminal, val should be a single value.
+        If this is a multi-value terminal, val should be a dict of terminal:value pairs"""
+        if not self.isMultiValue():
+            if eq(val, self._value):
+                return
+            self._value = val
+        else:
+            if val is not None:
+                self._value.update(val)
+            
+        self.setValueAcceptable(None)  ## by default, input values are 'unchecked' until Node.update(). 
+        if self.isInput() and process:
+            self.node().update()
+            
+        ## Let the flowchart handle this.
+        #if self.isOutput():
+            #for c in self.connections():
+                #if c.isInput():
+                    #c.inputChanged(self)
+        self.recolor()
+
+    def connected(self, term):
+        """Called whenever this terminal has been connected to another. (note--this function is called on both terminals)"""
+        if self.isInput() and term.isOutput():
+            self.inputChanged(term)
+        if self.isOutput() and self.isMultiValue():
+            self.node().update()
+        self.node().connected(self, term)
+        
+    def disconnected(self, term):
+        """Called whenever this terminal has been disconnected from another. (note--this function is called on both terminals)"""
+        if self.isMultiValue() and term in self._value:
+            del self._value[term]
+            self.node().update()
+            #self.recolor()
+        else:
+            if self.isInput():
+                self.setValue(None)
+        self.node().disconnected(self, term)
+        #self.node().update()
+
+    def inputChanged(self, term, process=True):
+        """Called whenever there is a change to the input value to this terminal.
+        It may often be useful to override this function."""
+        if self.isMultiValue():
+            self.setValue({term: term.value(self)}, process=process)
+        else:
+            self.setValue(term.value(self), process=process)
+            
+    def valueIsAcceptable(self):
+        """Returns True->acceptable  None->unknown  False->Unacceptable"""
+        return self.valueOk
+        
+    def setValueAcceptable(self, v=True):
+        self.valueOk = v
+        self.recolor()
+        
+    def connections(self):
+        return self._connections
+        
+    def node(self):
+        return self._node()
+        
+    def isInput(self):
+        return self._io == 'in'
+    
+    def isMultiValue(self):
+        return self._multi
+
+    def isOutput(self):
+        return self._io == 'out'
+        
+    def isRenamable(self):
+        return self._renamable
+
+    def name(self):
+        return self._name
+        
+    def graphicsItem(self):
+        return self._graphicsItem
+        
+    def isConnected(self):
+        return len(self.connections()) > 0
+        
+    def connectedTo(self, term):
+        return term in self.connections()
+        
+    def hasInput(self):
+        #conn = self.extendedConnections()
+        for t in self.connections():
+            if t.isOutput():
+                return True
+        return False        
+        
+    def inputTerminals(self):
+        """Return the terminal(s) that give input to this one."""
+        #terms = self.extendedConnections()
+        #for t in terms:
+            #if t.isOutput():
+                #return t
+        return [t for t in self.connections() if t.isOutput()]
+                
+        
+    def dependentNodes(self):
+        """Return the list of nodes which receive input from this terminal."""
+        #conn = self.extendedConnections()
+        #del conn[self]
+        return set([t.node() for t in self.connections() if t.isInput()])
+        
+    def connectTo(self, term, connectionItem=None):
+        try:
+            if self.connectedTo(term):
+                raise Exception('Already connected')
+            if term is self:
+                raise Exception('Not connecting terminal to self')
+            if term.node() is self.node():
+                raise Exception("Can't connect to terminal on same node.")
+            for t in [self, term]:
+                if t.isInput() and not t._multi and len(t.connections()) > 0:
+                    raise Exception("Cannot connect %s <-> %s: Terminal %s is already connected to %s (and does not allow multiple connections)" % (self, term, t, t.connections().keys()))
+            #if self.hasInput() and term.hasInput():
+                #raise Exception('Target terminal already has input')
+            
+            #if term in self.node().terminals.values():
+                #if self.isOutput() or term.isOutput():
+                    #raise Exception('Can not connect an output back to the same node.')
+        except:
+            if connectionItem is not None:
+                connectionItem.close()
+            raise
+            
+        if connectionItem is None:
+            connectionItem = ConnectionItem(self.graphicsItem(), term.graphicsItem())
+            #self.graphicsItem().scene().addItem(connectionItem)
+            self.graphicsItem().getViewBox().addItem(connectionItem)
+            #connectionItem.setParentItem(self.graphicsItem().parent().parent())
+        self._connections[term] = connectionItem
+        term._connections[self] = connectionItem
+        
+        self.recolor()
+        
+        #if self.isOutput() and term.isInput():
+            #term.inputChanged(self)
+        #if term.isInput() and term.isOutput():
+            #self.inputChanged(term)
+        self.connected(term)
+        term.connected(self)
+        
+        return connectionItem
+        
+    def disconnectFrom(self, term):
+        if not self.connectedTo(term):
+            return
+        item = self._connections[term]
+        #print "removing connection", item
+        #item.scene().removeItem(item)
+        item.close()
+        del self._connections[term]
+        del term._connections[self]
+        self.recolor()
+        term.recolor()
+        
+        self.disconnected(term)
+        term.disconnected(self)
+        #if self.isOutput() and term.isInput():
+            #term.inputChanged(self)
+        #if term.isInput() and term.isOutput():
+            #self.inputChanged(term)
+            
+        
+    def disconnectAll(self):
+        for t in self._connections.keys():
+            self.disconnectFrom(t)
+        
+    def recolor(self, color=None, recurse=True):
+        if color is None:
+            if not self.isConnected():       ## disconnected terminals are black
+                color = QtGui.QColor(0,0,0)
+            elif self.isInput() and not self.hasInput():   ## input terminal with no connected output terminals 
+                color = QtGui.QColor(200,200,0)
+            elif self._value is None or eq(self._value, {}):         ## terminal is connected but has no data (possibly due to processing error) 
+                color = QtGui.QColor(255,255,255)
+            elif self.valueIsAcceptable() is None:   ## terminal has data, but it is unknown if the data is ok
+                color = QtGui.QColor(200, 200, 0)
+            elif self.valueIsAcceptable() is True:   ## terminal has good input, all ok
+                color = QtGui.QColor(0, 200, 0)
+            else:                                    ## terminal has bad input
+                color = QtGui.QColor(200, 0, 0)
+        self.graphicsItem().setBrush(QtGui.QBrush(color))
+        
+        if recurse:
+            for t in self.connections():
+                t.recolor(color, recurse=False)
+
+        
+    def rename(self, name):
+        oldName = self._name
+        self._name = name
+        self.node().terminalRenamed(self, oldName)
+        self.graphicsItem().termRenamed(name)
+        
+    def __repr__(self):
+        return "<Terminal %s.%s>" % (str(self.node().name()), str(self.name()))
+        
+    #def extendedConnections(self, terms=None):
+        #"""Return list of terminals (including this one) that are directly or indirectly wired to this."""        
+        #if terms is None:
+            #terms = {}
+        #terms[self] = None
+        #for t in self._connections:
+            #if t in terms:
+                #continue
+            #terms.update(t.extendedConnections(terms))
+        #return terms
+        
+    def __hash__(self):
+        return id(self)
+
+    def close(self):
+        self.disconnectAll()
+        item = self.graphicsItem()
+        if item.scene() is not None:
+            item.scene().removeItem(item)
+        
+    def saveState(self):
+        return {'io': self._io, 'multi': self._multi, 'optional': self._optional}
+
+
+#class TerminalGraphicsItem(QtGui.QGraphicsItem):
+class TerminalGraphicsItem(GraphicsObject):
+    
+    def __init__(self, term, parent=None):
+        self.term = term
+        #QtGui.QGraphicsItem.__init__(self, parent)
+        GraphicsObject.__init__(self, parent)
+        self.brush = fn.mkBrush(0,0,0)
+        self.box = QtGui.QGraphicsRectItem(0, 0, 10, 10, self)
+        self.label = QtGui.QGraphicsTextItem(self.term.name(), self)
+        self.label.scale(0.7, 0.7)
+        #self.setAcceptHoverEvents(True)
+        self.newConnection = None
+        self.setFiltersChildEvents(True)  ## to pick up mouse events on the rectitem
+        if self.term.isRenamable():
+            self.label.setTextInteractionFlags(QtCore.Qt.TextEditorInteraction)
+            self.label.focusOutEvent = self.labelFocusOut
+            self.label.keyPressEvent = self.labelKeyPress
+        self.setZValue(1)
+        self.menu = None
+            
+
+    def labelFocusOut(self, ev):
+        QtGui.QGraphicsTextItem.focusOutEvent(self.label, ev)
+        self.labelChanged()
+        
+    def labelKeyPress(self, ev):
+        if ev.key() == QtCore.Qt.Key_Enter or ev.key() == QtCore.Qt.Key_Return:
+            self.labelChanged()
+        else:
+            QtGui.QGraphicsTextItem.keyPressEvent(self.label, ev)
+        
+    def labelChanged(self):
+        newName = str(self.label.toPlainText())
+        if newName != self.term.name():
+            self.term.rename(newName)
+
+    def termRenamed(self, name):
+        self.label.setPlainText(name)
+
+    def setBrush(self, brush):
+        self.brush = brush
+        self.box.setBrush(brush)
+
+    def disconnect(self, target):
+        self.term.disconnectFrom(target.term)
+
+    def boundingRect(self):
+        br = self.box.mapRectToParent(self.box.boundingRect())
+        lr = self.label.mapRectToParent(self.label.boundingRect())
+        return br | lr
+        
+    def paint(self, p, *args):
+        pass
+        
+    def setAnchor(self, x, y):
+        pos = QtCore.QPointF(x, y)
+        self.anchorPos = pos
+        br = self.box.mapRectToParent(self.box.boundingRect())
+        lr = self.label.mapRectToParent(self.label.boundingRect())
+        
+        
+        if self.term.isInput():
+            self.box.setPos(pos.x(), pos.y()-br.height()/2.)
+            self.label.setPos(pos.x() + br.width(), pos.y() - lr.height()/2.)
+        else:
+            self.box.setPos(pos.x()-br.width(), pos.y()-br.height()/2.)
+            self.label.setPos(pos.x()-br.width()-lr.width(), pos.y()-lr.height()/2.)
+        self.updateConnections()
+        
+    def updateConnections(self):
+        for t, c in self.term.connections().iteritems():
+            c.updateLine()
+            
+    def mousePressEvent(self, ev):
+        #ev.accept()
+        ev.ignore()
+
+    def mouseClickEvent(self, ev):
+        if ev.button() == QtCore.Qt.LeftButton:
+            ev.accept()
+            self.label.setFocus(QtCore.Qt.MouseFocusReason)
+        if ev.button() == QtCore.Qt.RightButton:
+            if self.raiseContextMenu(ev):
+                ev.accept()
+            
+    def raiseContextMenu(self, ev):
+        ## only raise menu if this terminal is removable
+        menu = self.getMenu()
+        if menu is None:
+            return False
+        menu = self.scene().addParentContextMenus(self, menu, ev)
+        pos = ev.screenPos()
+        menu.popup(QtCore.QPoint(pos.x(), pos.y()))
+        return True
+        
+    def getMenu(self):
+        if self.menu is None:
+            if self.removable():
+                self.menu = QtGui.QMenu()
+                self.menu.setTitle("Terminal")
+                self.menu.addAction("Remove terminal", self.removeSelf)
+            else:
+                return None
+        return self.menu
+
+    def removable(self):
+        return (
+            (self.term.isOutput() and self.term.node()._allowAddOutput) or 
+            (self.term.isInput()  and self.term.node()._allowAddInput))
+        
+    ## probably never need this
+    #def getContextMenus(self, ev):
+        #return [self.getMenu()]
+    
+    def removeSelf(self):
+        self.term.node().removeTerminal(self.term)
+        
+    def mouseDragEvent(self, ev):
+        if ev.button() != QtCore.Qt.LeftButton:
+            ev.ignore()
+            return
+        
+        ev.accept()
+        if ev.isStart():
+            if self.newConnection is None:
+                self.newConnection = ConnectionItem(self)
+                #self.scene().addItem(self.newConnection)
+                self.getViewBox().addItem(self.newConnection)
+                #self.newConnection.setParentItem(self.parent().parent())
+
+            self.newConnection.setTarget(self.mapToView(ev.pos()))
+        elif ev.isFinish():
+            if self.newConnection is not None:
+                items = self.scene().items(ev.scenePos())
+                gotTarget = False
+                for i in items:
+                    if isinstance(i, TerminalGraphicsItem):
+                        self.newConnection.setTarget(i)
+                        try:
+                            self.term.connectTo(i.term, self.newConnection)
+                            gotTarget = True
+                        except:
+                            self.scene().removeItem(self.newConnection)
+                            self.newConnection = None
+                            raise
+                        break
+                
+                if not gotTarget:
+                    #print "remove unused connection"
+                    #self.scene().removeItem(self.newConnection)
+                    self.newConnection.close()
+                self.newConnection = None
+        else:
+            if self.newConnection is not None:
+                self.newConnection.setTarget(self.mapToView(ev.pos()))
+        
+    def hoverEvent(self, ev):
+        if not ev.isExit() and ev.acceptDrags(QtCore.Qt.LeftButton):
+            ev.acceptClicks(QtCore.Qt.LeftButton) ## we don't use the click, but we also don't want anyone else to use it.
+            self.box.setBrush(fn.mkBrush('w'))
+        else:
+            self.box.setBrush(self.brush)
+        self.update()
+        
+    #def hoverEnterEvent(self, ev):
+        #self.hover = True
+        
+    #def hoverLeaveEvent(self, ev):
+        #self.hover = False
+        
+    def connectPoint(self):
+        ## return the connect position of this terminal in view coords
+        return self.mapToView(self.mapFromItem(self.box, self.box.boundingRect().center()))
+
+    def nodeMoved(self):
+        for t, item in self.term.connections().iteritems():
+            item.updateLine()
+
+
+#class ConnectionItem(QtGui.QGraphicsItem):
+class ConnectionItem(GraphicsObject):
+    
+    def __init__(self, source, target=None):
+        #QtGui.QGraphicsItem.__init__(self)
+        GraphicsObject.__init__(self)
+        self.setFlags(
+            self.ItemIsSelectable | 
+            self.ItemIsFocusable
+        )
+        self.source = source
+        self.target = target
+        self.length = 0
+        self.hovered = False
+        #self.line = QtGui.QGraphicsLineItem(self)
+        self.source.getViewBox().addItem(self)
+        self.updateLine()
+        self.setZValue(0)
+        
+    def close(self):
+        if self.scene() is not None:
+            #self.scene().removeItem(self.line)
+            self.scene().removeItem(self)
+        
+    def setTarget(self, target):
+        self.target = target
+        self.updateLine()
+    
+    def updateLine(self):
+        start = Point(self.source.connectPoint())
+        if isinstance(self.target, TerminalGraphicsItem):
+            stop = Point(self.target.connectPoint())
+        elif isinstance(self.target, QtCore.QPointF):
+            stop = Point(self.target)
+        else:
+            return
+        self.prepareGeometryChange()
+        self.resetTransform()
+        ang = (stop-start).angle(Point(0, 1))
+        if ang is None:
+            ang = 0
+        self.rotate(ang)
+        self.setPos(start)
+        self.length = (start-stop).length()
+        self.update()
+        #self.line.setLine(start.x(), start.y(), stop.x(), stop.y())
+
+    def keyPressEvent(self, ev):
+        if ev.key() == QtCore.Qt.Key_Delete or ev.key() == QtCore.Qt.Key_Backspace:
+            #if isinstance(self.target, TerminalGraphicsItem):
+            self.source.disconnect(self.target)
+            ev.accept()
+        else:
+            ev.ignore()
+    
+    def mousePressEvent(self, ev):
+        ev.ignore()
+        
+    def mouseClickEvent(self, ev):
+        if ev.button() == QtCore.Qt.LeftButton:
+            ev.accept()
+            sel = self.isSelected()
+            self.setSelected(True)
+            if not sel and self.isSelected():
+                self.update()
+                
+    def hoverEvent(self, ev):
+        if (not ev.isExit()) and ev.acceptClicks(QtCore.Qt.LeftButton):
+            self.hovered = True
+        else:
+            self.hovered = False
+        self.update()
+            
+            
+    def boundingRect(self):
+        #return self.line.boundingRect()
+        px = self.pixelWidth()
+        return QtCore.QRectF(-5*px, 0, 10*px, self.length)
+        
+    #def shape(self):
+        #return self.line.shape()
+        
+    def paint(self, p, *args):
+        if self.isSelected():
+            p.setPen(fn.mkPen(200, 200, 0, width=3))
+        else:
+            if self.hovered:
+                p.setPen(fn.mkPen(150, 150, 250, width=1))
+            else:
+                p.setPen(fn.mkPen(100, 100, 250, width=1))
+                
+        p.drawLine(0, 0, 0, self.length)
diff --git a/flowchart/__init__.py b/flowchart/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..24f562f4c18d46a43349687d1f9aa9e3c9217623
--- /dev/null
+++ b/flowchart/__init__.py
@@ -0,0 +1,4 @@
+# -*- coding: utf-8 -*-
+from Flowchart import *
+
+from library import getNodeType, registerNodeType, getNodeTree
\ No newline at end of file
diff --git a/flowchart/eq.py b/flowchart/eq.py
new file mode 100644
index 0000000000000000000000000000000000000000..f2f744e43451f944ed3349588dd3c98e00251219
--- /dev/null
+++ b/flowchart/eq.py
@@ -0,0 +1,29 @@
+# -*- coding: utf-8 -*-
+from numpy import ndarray, bool_
+
+def eq(a, b):
+    """The great missing equivalence function: Guaranteed evaluation to a single bool value."""
+    try:
+        e = a==b
+    except ValueError:
+        return False
+    except AttributeError: 
+        return False
+    except:
+        print "a:", str(type(a)), str(a)
+        print "b:", str(type(b)), str(b)
+        raise
+    t = type(e)
+    if t is bool:
+        return e
+    elif t is bool_:
+        return bool(e)
+    elif isinstance(e, ndarray):
+        try:   ## disaster: if a is an empty array and b is not, then e.all() is True
+            if a.shape != b.shape:
+                return False
+        except:
+            return False
+        return e.all()
+    else:
+        raise Exception("== operator returned type %s" % str(type(e)))
diff --git a/flowchart/library/Data.py b/flowchart/library/Data.py
new file mode 100644
index 0000000000000000000000000000000000000000..e8999a3d4a72d3de42f12df89bb53216c3aff936
--- /dev/null
+++ b/flowchart/library/Data.py
@@ -0,0 +1,352 @@
+# -*- coding: utf-8 -*-
+from ..Node import Node
+from pyqtgraph.Qt import QtGui, QtCore
+import numpy as np
+from common import *
+from pyqtgraph.Transform import Transform
+from pyqtgraph.Point import Point
+from pyqtgraph.widgets.TreeWidget import TreeWidget
+from pyqtgraph.graphicsItems.LinearRegionItem import LinearRegionItem
+
+import functions
+
+try:
+    import metaarray
+    HAVE_METAARRAY = True
+except:
+    HAVE_METAARRAY = False
+
+class ColumnSelectNode(Node):
+    """Select named columns from a record array or MetaArray."""
+    nodeName = "ColumnSelect"
+    def __init__(self, name):
+        Node.__init__(self, name, terminals={'In': {'io': 'in'}})
+        self.columns = set()
+        self.columnList = QtGui.QListWidget()
+        self.axis = 0
+        self.columnList.itemChanged.connect(self.itemChanged)
+        
+    def process(self, In, display=True):
+        if display:
+            self.updateList(In)
+                
+        out = {}
+        if HAVE_METAARRAY and isinstance(In, metaarray.MetaArray):
+            for c in self.columns:
+                out[c] = In[self.axis:c]
+        elif isinstance(In, np.ndarray) and In.dtype.fields is not None:
+            for c in self.columns:
+                out[c] = In[c]
+        else:
+            self.In.setValueAcceptable(False)
+            raise Exception("Input must be MetaArray or ndarray with named fields")
+            
+        return out
+        
+    def ctrlWidget(self):
+        return self.columnList
+
+    def updateList(self, data):
+        if HAVE_METAARRAY and isinstance(data, metaarray.MetaArray):
+            cols = data.listColumns()
+            for ax in cols:  ## find first axis with columns
+                if len(cols[ax]) > 0:
+                    self.axis = ax
+                    cols = set(cols[ax])
+                    break
+        else:
+            cols = data.dtype.fields.keys()
+                
+        rem = set()
+        for c in self.columns:
+            if c not in cols:
+                self.removeTerminal(c)
+                rem.add(c)
+        self.columns -= rem
+                
+        self.columnList.blockSignals(True)
+        self.columnList.clear()
+        for c in cols:
+            item = QtGui.QListWidgetItem(c)
+            item.setFlags(QtCore.Qt.ItemIsEnabled|QtCore.Qt.ItemIsUserCheckable)
+            if c in self.columns:
+                item.setCheckState(QtCore.Qt.Checked)
+            else:
+                item.setCheckState(QtCore.Qt.Unchecked)
+            self.columnList.addItem(item)
+        self.columnList.blockSignals(False)
+        
+
+    def itemChanged(self, item):
+        col = str(item.text())
+        if item.checkState() == QtCore.Qt.Checked:
+            if col not in self.columns:
+                self.columns.add(col)
+                self.addOutput(col)
+        else:
+            if col in self.columns:
+                self.columns.remove(col)
+                self.removeTerminal(col)
+        self.update()
+        
+    def saveState(self):
+        state = Node.saveState(self)
+        state['columns'] = list(self.columns)
+        return state
+    
+    def restoreState(self, state):
+        Node.restoreState(self, state)
+        self.columns = set(state.get('columns', []))
+        for c in self.columns:
+            self.addOutput(c)
+
+
+
+class RegionSelectNode(CtrlNode):
+    """Returns a slice from a 1-D array. Connect the 'widget' output to a plot to display a region-selection widget."""
+    nodeName = "RegionSelect"
+    uiTemplate = [
+        ('start', 'spin', {'value': 0, 'step': 0.1}),
+        ('stop', 'spin', {'value': 0.1, 'step': 0.1}),
+        ('display', 'check', {'value': True}),
+        ('movable', 'check', {'value': True}),
+    ]
+    
+    def __init__(self, name):
+        self.items = {}
+        CtrlNode.__init__(self, name, terminals={
+            'data': {'io': 'in'},
+            'selected': {'io': 'out'},
+            'region': {'io': 'out'},
+            'widget': {'io': 'out', 'multi': True}
+        })
+        self.ctrls['display'].toggled.connect(self.displayToggled)
+        self.ctrls['movable'].toggled.connect(self.movableToggled)
+        
+    def displayToggled(self, b):
+        for item in self.items.itervalues():
+            item.setVisible(b)
+            
+    def movableToggled(self, b):
+        for item in self.items.itervalues():
+            item.setMovable(b)
+            
+        
+    def process(self, data=None, display=True):
+        #print "process.."
+        s = self.stateGroup.state()
+        region = [s['start'], s['stop']]
+        
+        if display:
+            conn = self['widget'].connections()
+            for c in conn:
+                plot = c.node().getPlot()
+                if plot is None:
+                    continue
+                if c in self.items:
+                    item = self.items[c]
+                    item.setRegion(region)
+                    #print "  set rgn:", c, region
+                    #item.setXVals(events)
+                else:
+                    item = LinearRegionItem(values=region)
+                    self.items[c] = item
+                    #item.connect(item, QtCore.SIGNAL('regionChanged'), self.rgnChanged)
+                    item.sigRegionChanged.connect(self.rgnChanged)
+                    item.setVisible(s['display'])
+                    item.setMovable(s['movable'])
+                    #print "  new rgn:", c, region
+                    #self.items[c].setYRange([0., 0.2], relative=True)
+        
+        if self.selected.isConnected():
+            if data is None:
+                sliced = None
+            elif isinstance(data, MetaArray):
+                sliced = data[0:s['start']:s['stop']]
+            else:
+                mask = (data['time'] >= s['start']) * (data['time'] < s['stop'])
+            sliced = data[mask]
+        else:
+            sliced = None
+            
+        return {'selected': sliced, 'widget': self.items, 'region': region}
+        
+        
+    def rgnChanged(self, item):
+        region = item.getRegion()
+        self.stateGroup.setState({'start': region[0], 'stop': region[1]})
+        self.update()
+        
+        
+class EvalNode(Node):
+    """Return the output of a string evaluated/executed by the python interpreter.
+    The string may be either an expression or a python script, and inputs are accessed as the name of the terminal. 
+    For expressions, a single value may be evaluated for a single output, or a dict for multiple outputs.
+    For a script, the text will be executed as the body of a function."""
+    nodeName = 'PythonEval'
+    
+    def __init__(self, name):
+        Node.__init__(self, name, 
+            terminals = {
+                'input': {'io': 'in', 'renamable': True},
+                'output': {'io': 'out', 'renamable': True},
+            },
+            allowAddInput=True, allowAddOutput=True)
+        
+        self.ui = QtGui.QWidget()
+        self.layout = QtGui.QGridLayout()
+        self.addInBtn = QtGui.QPushButton('+Input')
+        self.addOutBtn = QtGui.QPushButton('+Output')
+        self.text = QtGui.QTextEdit()
+        self.text.setTabStopWidth(30)
+        self.layout.addWidget(self.addInBtn, 0, 0)
+        self.layout.addWidget(self.addOutBtn, 0, 1)
+        self.layout.addWidget(self.text, 1, 0, 1, 2)
+        self.ui.setLayout(self.layout)
+        
+        #QtCore.QObject.connect(self.addInBtn, QtCore.SIGNAL('clicked()'), self.addInput)
+        self.addInBtn.clicked.connect(self.addInput)
+        #QtCore.QObject.connect(self.addOutBtn, QtCore.SIGNAL('clicked()'), self.addOutput)
+        self.addOutBtn.clicked.connect(self.addOutput)
+        self.ui.focusOutEvent = lambda ev: self.focusOutEvent(ev)
+        self.lastText = None
+        
+    def ctrlWidget(self):
+        return self.ui
+        
+    def addInput(self):
+        Node.addInput(self, 'input', renamable=True)
+        
+    def addOutput(self):
+        Node.addOutput(self, 'output', renamable=True)
+        
+    def focusOutEvent(self, ev):
+        text = str(self.text.toPlainText())
+        if text != self.lastText:
+            self.lastText = text
+            print "eval node update"
+            self.update()
+        
+    def process(self, display=True, **args):
+        l = locals()
+        l.update(args)
+        ## try eval first, then exec
+        try:  
+            text = str(self.text.toPlainText()).replace('\n', ' ')
+            output = eval(text, globals(), l)
+        except SyntaxError:
+            fn = "def fn(**args):\n"
+            run = "\noutput=fn(**args)\n"
+            text = fn + "\n".join(["    "+l for l in str(self.text.toPlainText()).split('\n')]) + run
+            exec(text)
+        return output
+        
+    def saveState(self):
+        state = Node.saveState(self)
+        state['text'] = str(self.text.toPlainText())
+        state['terminals'] = self.saveTerminals()
+        return state
+        
+    def restoreState(self, state):
+        Node.restoreState(self, state)
+        self.text.clear()
+        self.text.insertPlainText(state['text'])
+        self.restoreTerminals(state['terminals'])
+        self.update()
+        
+class ColumnJoinNode(Node):
+    """Concatenates record arrays and/or adds new columns"""
+    nodeName = 'ColumnJoin'
+    
+    def __init__(self, name):
+        Node.__init__(self, name, terminals = {
+            'output': {'io': 'out'},
+        })
+        
+        #self.items = []
+        
+        self.ui = QtGui.QWidget()
+        self.layout = QtGui.QGridLayout()
+        self.ui.setLayout(self.layout)
+        
+        self.tree = TreeWidget()
+        self.addInBtn = QtGui.QPushButton('+ Input')
+        self.remInBtn = QtGui.QPushButton('- Input')
+        
+        self.layout.addWidget(self.tree, 0, 0, 1, 2)
+        self.layout.addWidget(self.addInBtn, 1, 0)
+        self.layout.addWidget(self.remInBtn, 1, 1)
+
+        self.addInBtn.clicked.connect(self.addInput)
+        self.remInBtn.clicked.connect(self.remInput)
+        self.tree.sigItemMoved.connect(self.update)
+        
+    def ctrlWidget(self):
+        return self.ui
+        
+    def addInput(self):
+        #print "ColumnJoinNode.addInput called."
+        term = Node.addInput(self, 'input', renamable=True)
+        #print "Node.addInput returned. term:", term
+        item = QtGui.QTreeWidgetItem([term.name()])
+        item.term = term
+        term.joinItem = item
+        #self.items.append((term, item))
+        self.tree.addTopLevelItem(item)
+
+    def remInput(self):
+        sel = self.tree.currentItem()
+        term = sel.term
+        term.joinItem = None
+        sel.term = None
+        self.tree.removeTopLevelItem(sel)
+        self.removeTerminal(term)
+        self.update()
+
+    def process(self, display=True, **args):
+        order = self.order()
+        vals = []
+        for name in order:
+            if name not in args:
+                continue
+            val = args[name]
+            if isinstance(val, np.ndarray) and len(val.dtype) > 0:
+                vals.append(val)
+            else:
+                vals.append((name, None, val))
+        return {'output': functions.concatenateColumns(vals)}
+
+    def order(self):
+        return [str(self.tree.topLevelItem(i).text(0)) for i in range(self.tree.topLevelItemCount())]
+
+    def saveState(self):
+        state = Node.saveState(self)
+        state['order'] = self.order()
+        return state
+        
+    def restoreState(self, state):
+        Node.restoreState(self, state)
+        inputs = [inp.name() for inp in self.inputs()]
+        for name in inputs:
+            if name not in state['order']:
+                self.removeTerminal(name)
+        for name in state['order']:
+            if name not in inputs:
+                Node.addInput(self, name, renamable=True)
+        
+        self.tree.clear()
+        for name in state['order']:
+            term = self[name]
+            item = QtGui.QTreeWidgetItem([name])
+            item.term = term
+            term.joinItem = item
+            #self.items.append((term, item))
+            self.tree.addTopLevelItem(item)
+
+    def terminalRenamed(self, term, oldName):
+        Node.terminalRenamed(self, term, oldName)
+        item = term.joinItem
+        item.setText(0, term.name())
+        self.update()
+        
+        
\ No newline at end of file
diff --git a/flowchart/library/Display.py b/flowchart/library/Display.py
new file mode 100644
index 0000000000000000000000000000000000000000..4379858feda79e04e1319a0c01f89b4ce1d427eb
--- /dev/null
+++ b/flowchart/library/Display.py
@@ -0,0 +1,245 @@
+# -*- coding: utf-8 -*-
+from ..Node import Node
+import weakref
+#from pyqtgraph import graphicsItems
+from pyqtgraph.Qt import QtCore, QtGui
+from pyqtgraph.graphicsItems.ScatterPlotItem import ScatterPlotItem
+from pyqtgraph.graphicsItems.PlotCurveItem import PlotCurveItem
+
+from common import *
+import numpy as np
+
+class PlotWidgetNode(Node):
+    """Connection to PlotWidget. Will plot arrays, metaarrays, and display event lists."""
+    nodeName = 'PlotWidget'
+    sigPlotChanged = QtCore.Signal(object)
+    
+    def __init__(self, name):
+        Node.__init__(self, name, terminals={'In': {'io': 'in', 'multi': True}})
+        self.plot = None
+        self.items = {}
+        
+    def disconnected(self, localTerm, remoteTerm):
+        if localTerm is self.In and remoteTerm in self.items:
+            self.plot.removeItem(self.items[remoteTerm])
+            del self.items[remoteTerm]
+        
+    def setPlot(self, plot):
+        #print "======set plot"
+        self.plot = plot
+        self.sigPlotChanged.emit(self)
+        
+    def getPlot(self):
+        return self.plot
+        
+    def process(self, In, display=True):
+        if display:
+            #self.plot.clearPlots()
+            items = set()
+            for name, vals in In.iteritems():
+                if vals is None:
+                    continue
+                if type(vals) is not list:
+                    vals = [vals]
+                    
+                for val in vals:
+                    vid = id(val)
+                    if vid in self.items:
+                        items.add(vid)
+                    else:
+                        #if isinstance(val, PlotCurveItem):
+                            #self.plot.addItem(val)
+                            #item = val
+                        #if isinstance(val, ScatterPlotItem):
+                            #self.plot.addItem(val)
+                            #item = val
+                        if isinstance(val, QtGui.QGraphicsItem):
+                            self.plot.addItem(val)
+                            item = val
+                        else:
+                            item = self.plot.plot(val)
+                        self.items[vid] = item
+                        items.add(vid)
+            for vid in self.items.keys():
+                if vid not in items:
+                    #print "remove", self.items[vid]
+                    self.plot.removeItem(self.items[vid])
+                    del self.items[vid]
+            
+    #def setInput(self, **args):
+        #for k in args:
+            #self.plot.plot(args[k])
+    
+
+
+class CanvasNode(Node):
+    """Connection to a Canvas widget."""
+    nodeName = 'CanvasWidget'
+    
+    def __init__(self, name):
+        Node.__init__(self, name, terminals={'In': {'io': 'in', 'multi': True}})
+        self.canvas = None
+        self.items = {}
+        
+    def disconnected(self, localTerm, remoteTerm):
+        if localTerm is self.In and remoteTerm in self.items:
+            self.canvas.removeItem(self.items[remoteTerm])
+            del self.items[remoteTerm]
+        
+    def setCanvas(self, canvas):
+        self.canvas = canvas
+        
+    def getCanvas(self):
+        return self.canvas
+        
+    def process(self, In, display=True):
+        if display:
+            items = set()
+            for name, vals in In.iteritems():
+                if vals is None:
+                    continue
+                if type(vals) is not list:
+                    vals = [vals]
+                
+                for val in vals:
+                    vid = id(val)
+                    if vid in self.items:
+                        items.add(vid)
+                    else:
+                        self.canvas.addItem(val)
+                        item = val
+                        self.items[vid] = item
+                        items.add(vid)
+            for vid in self.items.keys():
+                if vid not in items:
+                    #print "remove", self.items[vid]
+                    self.canvas.removeItem(self.items[vid])
+                    del self.items[vid]
+
+
+
+
+class ScatterPlot(CtrlNode):
+    """Generates a scatter plot from a record array or nested dicts"""
+    nodeName = 'ScatterPlot'
+    uiTemplate = [
+        ('x', 'combo', {'values': [], 'index': 0}),
+        ('y', 'combo', {'values': [], 'index': 0}),
+        ('sizeEnabled', 'check', {'value': False}),
+        ('size', 'combo', {'values': [], 'index': 0}),
+        ('absoluteSize', 'check', {'value': False}),
+        ('colorEnabled', 'check', {'value': False}),
+        ('color', 'colormap', {}),
+        ('borderEnabled', 'check', {'value': False}),
+        ('border', 'colormap', {}),
+    ]
+    
+    def __init__(self, name):
+        CtrlNode.__init__(self, name, terminals={
+            'input': {'io': 'in'},
+            'plot': {'io': 'out'}
+        })
+        self.item = ScatterPlotItem()
+        self.keys = []
+        
+        #self.ui = QtGui.QWidget()
+        #self.layout = QtGui.QGridLayout()
+        #self.ui.setLayout(self.layout)
+        
+        #self.xCombo = QtGui.QComboBox()
+        #self.yCombo = QtGui.QComboBox()
+        
+        
+    
+    def process(self, input, display=True):
+        #print "scatterplot process"
+        if not display:
+            return {'plot': None}
+            
+        self.updateKeys(input[0])
+        
+        x = str(self.ctrls['x'].currentText())
+        y = str(self.ctrls['y'].currentText())
+        size = str(self.ctrls['size'].currentText())
+        pen = QtGui.QPen(QtGui.QColor(0,0,0,0))
+        points = []
+        for i in input:
+            pt = {'pos': (i[x], i[y])}
+            if self.ctrls['sizeEnabled'].isChecked():
+                pt['size'] = i[size]
+            if self.ctrls['borderEnabled'].isChecked():
+                pt['pen'] = QtGui.QPen(self.ctrls['border'].getColor(i))
+            else:
+                pt['pen'] = pen
+            if self.ctrls['colorEnabled'].isChecked():
+                pt['brush'] = QtGui.QBrush(self.ctrls['color'].getColor(i))
+            points.append(pt)
+        self.item.setPxMode(not self.ctrls['absoluteSize'].isChecked())
+            
+        self.item.setPoints(points)
+        
+        return {'plot': self.item}
+        
+        
+
+    def updateKeys(self, data):
+        if isinstance(data, dict):
+            keys = data.keys()
+        elif isinstance(data, list) or isinstance(data, tuple):
+            keys = data
+        elif isinstance(data, np.ndarray) or isinstance(data, np.void):
+            keys = data.dtype.names
+        else:
+            print "Unknown data type:", type(data), data
+            return
+            
+        for c in self.ctrls.itervalues():
+            c.blockSignals(True)
+        for c in [self.ctrls['x'], self.ctrls['y'], self.ctrls['size']]:
+            cur = str(c.currentText())
+            c.clear()
+            for k in keys:
+                c.addItem(k)
+                if k == cur:
+                    c.setCurrentIndex(c.count()-1)
+        for c in [self.ctrls['color'], self.ctrls['border']]:
+            c.setArgList(keys)
+        for c in self.ctrls.itervalues():
+            c.blockSignals(False)
+                
+        self.keys = keys
+        
+
+    def saveState(self):
+        state = CtrlNode.saveState(self)
+        return {'keys': self.keys, 'ctrls': state}
+        
+    def restoreState(self, state):
+        self.updateKeys(state['keys'])
+        CtrlNode.restoreState(self, state['ctrls'])
+        
+#class ImageItem(Node):
+    #"""Creates an ImageItem for display in a canvas from a file handle."""
+    #nodeName = 'Image'
+    
+    #def __init__(self, name):
+        #Node.__init__(self, name, terminals={
+            #'file': {'io': 'in'},
+            #'image': {'io': 'out'}
+        #})
+        #self.imageItem = graphicsItems.ImageItem()
+        #self.handle = None
+        
+    #def process(self, file, display=True):
+        #if not display:
+            #return {'image': None}
+            
+        #if file != self.handle:
+            #self.handle = file
+            #data = file.read()
+            #self.imageItem.updateImage(data)
+            
+        #pos = file.
+        
+        
+        
\ No newline at end of file
diff --git a/flowchart/library/EventDetection.py b/flowchart/library/EventDetection.py
new file mode 100644
index 0000000000000000000000000000000000000000..eb23b90a39d2fa38af8b008ffa87ee562de00d12
--- /dev/null
+++ b/flowchart/library/EventDetection.py
@@ -0,0 +1,187 @@
+# -*- coding: utf-8 -*-
+
+from ..Node import Node
+import functions
+from common import *
+
+class Threshold(CtrlNode):
+    """Absolute threshold detection filter. Returns indexes where data crosses threshold."""
+    nodeName = 'ThresholdDetect'
+    uiTemplate = [
+        ('direction', 'combo', {'values': ['rising', 'falling'], 'index': 0}),
+        ('threshold', 'spin', {'value': 0, 'step': 1, 'minStep': 1e-12, 'dec': True, 'range': [None, None], 'siPrefix': True}),
+    ]
+    
+    def __init__(self, name, **opts):
+        CtrlNode.__init__(self, name, self.uiTemplate)
+        
+    def processData(self, data):
+        s = self.stateGroup.state()
+        if s['direction'] == 'rising':
+            d = 1
+        else:
+            d = -1
+        return functions.threshold(data, s['threshold'], d)
+
+class StdevThreshold(CtrlNode):
+    """Relative threshold event detection. Finds regions in data greater than threshold*stdev.
+    Returns a record array with columns: index, length, sum, peak.
+    This function is only useful for data with its baseline removed."""
+    
+    nodeName = 'StdevThreshold'
+    uiTemplate = [
+        ('threshold', 'spin', {'value': 0, 'step': 1, 'minStep': 0.1, 'dec': True, 'range': [None, None], 'siPrefix': True}),
+    ]
+    
+    def __init__(self, name, **opts):
+        CtrlNode.__init__(self, name, self.uiTemplate)
+        
+    def processData(self, data):
+        s = self.stateGroup.state()
+        return functions.stdevThresholdEvents(data, s['threshold'])
+
+
+class ZeroCrossingEvents(CtrlNode):
+    """Detects events in a waveform by splitting the data up into chunks separated by zero-crossings, 
+    then keeping only the ones that meet certain criteria."""
+    nodeName = 'ZeroCrossing'
+    uiTemplate = [
+        ('minLength', 'intSpin', {'value': 0, 'min': 0, 'max': 100000}),
+        ('minSum', 'spin', {'value': 0, 'step': 1, 'minStep': 0.1, 'dec': True, 'range': [None, None], 'siPrefix': True}),
+        ('minPeak', 'spin', {'value': 0, 'step': 1, 'minStep': 0.1, 'dec': True, 'range': [None, None], 'siPrefix': True}),
+        ('eventLimit', 'intSpin', {'value': 400, 'min': 1, 'max': 1e9}),
+    ]
+    
+    def __init__(self, name, **opts):
+        CtrlNode.__init__(self, name, self.uiTemplate)
+        
+    def processData(self, data):
+        s = self.stateGroup.state()
+        events = functions.zeroCrossingEvents(data, minLength=s['minLength'], minPeak=s['minPeak'], minSum=s['minSum'])
+        events = events[:s['eventLimit']]
+        return events
+
+class ThresholdEvents(CtrlNode):
+    """Detects regions of a waveform that cross a threshold (positive or negative) and returns the time, length, sum, and peak of each event."""
+    nodeName = 'ThresholdEvents'
+    uiTemplate = [
+        ('threshold', 'spin', {'value': 1e-12, 'step': 1, 'minStep': 0.1, 'dec': True, 'range': [None, None], 'siPrefix': True, 'tip': 'Events are detected only if they cross this threshold.'}),
+        ('adjustTimes', 'check', {'value': True, 'tip': 'If False, then event times are reported where the trace crosses threshold. If True, the event time is adjusted to estimate when the trace would have crossed 0.'}),
+        #('index', 'combo', {'values':['start','peak'], 'index':0}), 
+        ('minLength', 'intSpin', {'value': 0, 'min': 0, 'max': 1e9, 'tip': 'Events must contain this many samples to be detected.'}),
+        ('minSum', 'spin', {'value': 0, 'step': 1, 'minStep': 0.1, 'dec': True, 'range': [None, None], 'siPrefix': True}),
+        ('minPeak', 'spin', {'value': 0, 'step': 1, 'minStep': 0.1, 'dec': True, 'range': [None, None], 'siPrefix': True, 'tip': 'Events must reach this threshold to be detected.'}),
+        ('eventLimit', 'intSpin', {'value': 100, 'min': 1, 'max': 1e9, 'tip': 'Limits the number of events that may be detected in a single trace. This prevents runaway processes due to over-sensitive detection criteria.'}),
+        ('deadTime', 'spin', {'value': 0, 'step': 1, 'minStep': 1e-4, 'range': [0,None], 'siPrefix': True, 'suffix': 's', 'tip': 'Ignore events that occur too quickly following another event.'}),
+        ('reverseTime', 'spin', {'value': 0, 'step': 1, 'minStep': 1e-4, 'range': [0,None], 'siPrefix': True, 'suffix': 's', 'tip': 'Ignore events that 1) have the opposite sign of the event immediately prior and 2) occur within the given time window after the prior event. This is useful for ignoring rebound signals.'}),
+    ]
+
+    def __init__(self, name, **opts):
+        CtrlNode.__init__(self, name, self.uiTemplate)
+        #self.addOutput('plot')
+        #self.remotePlot = None
+        
+    #def connected(self, term, remote):
+        #CtrlNode.connected(self, term, remote)
+        #if term is not self.plot:
+            #return
+        #node = remote.node()
+        #node.sigPlotChanged.connect(self.connectToPlot)
+        #self.connectToPlot(node)
+
+    #def connectToPlot(self, node):
+        #if self.remotePlot is not None:
+            #self.remotePlot = None
+            
+        #if node.plot is None:
+            #return
+        #plot = self.plot.
+            
+    #def disconnected(self, term, remote):
+        #CtrlNode.disconnected(self, term, remote)
+        #if term is not self.plot:
+            #return
+        #remote.node().sigPlotChanged.disconnect(self.connectToPlot)
+        #self.disconnectFromPlot()
+
+    #def disconnectFromPlot(self):
+        #if self.remotePlot is None:
+            #return
+        #for l in self.lines:
+            #l.scene().removeItem(l)
+        #self.lines = []
+
+    def processData(self, data):
+        s = self.stateGroup.state()
+        events = functions.thresholdEvents(data, s['threshold'], s['adjustTimes'])
+        
+        ## apply first round of filters
+        mask = events['len'] >= s['minLength']
+        mask *= abs(events['sum']) >= s['minSum']
+        mask *= abs(events['peak']) >= s['minPeak']
+        events = events[mask]
+        
+        ## apply deadtime filter
+        mask = np.ones(len(events), dtype=bool)
+        last = 0
+        dt = s['deadTime']
+        rt = s['reverseTime']
+        for i in xrange(1, len(events)):
+            tdiff = events[i]['time'] - events[last]['time']
+            if tdiff < dt:  ## check dead time
+                mask[i] = False
+            elif tdiff < rt and (events[i]['peak'] * events[last]['peak'] < 0):  ## check reverse time
+                mask[i] = False
+            else:
+                last = i
+        #mask[1:] *= (events[1:]['time']-events[:-1]['time']) >= s['deadTime']
+        events = events[mask]
+        
+        ## limit number of events
+        events = events[:s['eventLimit']]
+        return events
+
+        
+            
+            
+
+class SpikeDetector(CtrlNode):
+    """Very simple spike detector. Returns the indexes of sharp spikes by comparing each sample to its neighbors."""
+    nodeName = "SpikeDetect"
+    uiTemplate = [
+        ('radius', 'intSpin', {'value': 1, 'min': 1, 'max': 100000}),
+        ('minDiff', 'spin', {'value': 0, 'step': 1, 'minStep': 1e-12, 'dec': True, 'siPrefix': True}),
+    ]
+
+    def __init__(self, name, **opts):
+        CtrlNode.__init__(self, name, self.uiTemplate)
+        
+    def processData(self, data):
+        s = self.stateGroup.state()
+        radius = s['radius']
+        d1 = data.view(np.ndarray)
+        d2 = data[radius:] - data[:-radius] #a derivative
+        mask1 = d2 > s['minDiff']  #where derivative is large and positive
+        mask2 = d2 < -s['minDiff'] #where derivative is large and negative
+        maskpos = mask1[:-radius] * mask2[radius:] #both need to be true
+        maskneg = mask1[radius:] * mask2[:-radius]
+        mask = maskpos + maskneg  ## All regions that match criteria
+        
+        ## now reduce consecutive hits to a single hit.
+        hits = (mask[1:] - mask[:-1]) > 0
+        sHits = np.argwhere(hits)[:,0]+(radius+2)
+        
+        ## convert to record array with 'index' column
+        ret = np.empty(len(sHits), dtype=[('index', int), ('time', float)])
+        ret['index'] = sHits
+        ret['time'] = data.xvals('Time')[sHits]
+        return ret
+
+    def processBypassed(self, args):
+        return {'Out': np.empty(0, dtype=[('index', int), ('time', float)])}
+    
+    
+    
+    
+    
+    
\ No newline at end of file
diff --git a/flowchart/library/Filters.py b/flowchart/library/Filters.py
new file mode 100644
index 0000000000000000000000000000000000000000..1819b01efbffeb7e979ff03e0990bc5128073e3d
--- /dev/null
+++ b/flowchart/library/Filters.py
@@ -0,0 +1,245 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+from ..Node import Node
+from scipy.signal import detrend
+from scipy.ndimage import median_filter, gaussian_filter
+#from pyqtgraph.SignalProxy import SignalProxy
+import functions
+from common import *
+import numpy as np
+
+try:
+    import metaarray
+    HAVE_METAARRAY = True
+except:
+    HAVE_METAARRAY = False
+
+
+class Downsample(CtrlNode):
+    """Downsample by averaging samples together."""
+    nodeName = 'Downsample'
+    uiTemplate = [
+        ('n', 'intSpin', {'min': 1, 'max': 1000000})
+    ]
+    
+    def processData(self, data):
+        return functions.downsample(data, self.ctrls['n'].value(), axis=0)
+
+
+class Subsample(CtrlNode):
+    """Downsample by selecting every Nth sample."""
+    nodeName = 'Subsample'
+    uiTemplate = [
+        ('n', 'intSpin', {'min': 1, 'max': 1000000})
+    ]
+    
+    def processData(self, data):
+        return data[::self.ctrls['n'].value()]
+
+
+class Bessel(CtrlNode):
+    """Bessel filter. Input data must have time values."""
+    nodeName = 'BesselFilter'
+    uiTemplate = [
+        ('band', 'combo', {'values': ['lowpass', 'highpass'], 'index': 0}),
+        ('cutoff', 'spin', {'value': 1000., 'step': 1, 'dec': True, 'range': [0.0, None], 'suffix': 'Hz', 'siPrefix': True}),
+        ('order', 'intSpin', {'value': 4, 'min': 1, 'max': 16}),
+        ('bidir', 'check', {'checked': True})
+    ]
+    
+    def processData(self, data):
+        s = self.stateGroup.state()
+        if s['band'] == 'lowpass':
+            mode = 'low'
+        else:
+            mode = 'high'
+        return functions.besselFilter(data, bidir=s['bidir'], btype=mode, cutoff=s['cutoff'], order=s['order'])
+
+
+class Butterworth(CtrlNode):
+    """Butterworth filter"""
+    nodeName = 'ButterworthFilter'
+    uiTemplate = [
+        ('band', 'combo', {'values': ['lowpass', 'highpass'], 'index': 0}),
+        ('wPass', 'spin', {'value': 1000., 'step': 1, 'dec': True, 'range': [0.0, None], 'suffix': 'Hz', 'siPrefix': True}),
+        ('wStop', 'spin', {'value': 2000., 'step': 1, 'dec': True, 'range': [0.0, None], 'suffix': 'Hz', 'siPrefix': True}),
+        ('gPass', 'spin', {'value': 2.0, 'step': 1, 'dec': True, 'range': [0.0, None], 'suffix': 'dB', 'siPrefix': True}),
+        ('gStop', 'spin', {'value': 20.0, 'step': 1, 'dec': True, 'range': [0.0, None], 'suffix': 'dB', 'siPrefix': True}),
+        ('bidir', 'check', {'checked': True})
+    ]
+    
+    def processData(self, data):
+        s = self.stateGroup.state()
+        if s['band'] == 'lowpass':
+            mode = 'low'
+        else:
+            mode = 'high'
+        ret = functions.butterworthFilter(data, bidir=s['bidir'], btype=mode, wPass=s['wPass'], wStop=s['wStop'], gPass=s['gPass'], gStop=s['gStop'])
+        return ret
+
+
+class Mean(CtrlNode):
+    """Filters data by taking the mean of a sliding window"""
+    nodeName = 'MeanFilter'
+    uiTemplate = [
+        ('n', 'intSpin', {'min': 1, 'max': 1000000})
+    ]
+    
+    @metaArrayWrapper
+    def processData(self, data):
+        n = self.ctrls['n'].value()
+        return functions.rollingSum(data, n) / n
+
+
+class Median(CtrlNode):
+    """Filters data by taking the median of a sliding window"""
+    nodeName = 'MedianFilter'
+    uiTemplate = [
+        ('n', 'intSpin', {'min': 1, 'max': 1000000})
+    ]
+    
+    @metaArrayWrapper
+    def processData(self, data):
+        return median_filter(data, self.ctrls['n'].value())
+
+class Mode(CtrlNode):
+    """Filters data by taking the mode (histogram-based) of a sliding window"""
+    nodeName = 'ModeFilter'
+    uiTemplate = [
+        ('window', 'intSpin', {'value': 500, 'min': 1, 'max': 1000000}),
+    ]
+    
+    @metaArrayWrapper
+    def processData(self, data):
+        return functions.modeFilter(data, self.ctrls['window'].value())
+
+
+class Denoise(CtrlNode):
+    """Removes anomalous spikes from data, replacing with nearby values"""
+    nodeName = 'DenoiseFilter'
+    uiTemplate = [
+        ('radius', 'intSpin', {'value': 2, 'min': 0, 'max': 1000000}),
+        ('threshold', 'doubleSpin', {'value': 4.0, 'min': 0, 'max': 1000})
+    ]
+    
+    def processData(self, data):
+        #print "DENOISE"
+        s = self.stateGroup.state()
+        return functions.denoise(data, **s)
+
+
+class Gaussian(CtrlNode):
+    """Gaussian smoothing filter."""
+    nodeName = 'GaussianFilter'
+    uiTemplate = [
+        ('sigma', 'doubleSpin', {'min': 0, 'max': 1000000})
+    ]
+    
+    @metaArrayWrapper
+    def processData(self, data):
+        return gaussian_filter(data, self.ctrls['sigma'].value())
+
+
+class Derivative(CtrlNode):
+    """Returns the pointwise derivative of the input"""
+    nodeName = 'DerivativeFilter'
+    
+    def processData(self, data):
+        if HAVE_METAARRAY and isinstance(data, metaarray.MetaArray):
+            info = data.infoCopy()
+            if 'values' in info[0]:
+                info[0]['values'] = info[0]['values'][:-1]
+            return MetaArray(data[1:] - data[:-1], info=info)
+        else:
+            return data[1:] - data[:-1]
+
+
+class Integral(CtrlNode):
+    """Returns the pointwise integral of the input"""
+    nodeName = 'IntegralFilter'
+    
+    @metaArrayWrapper
+    def processData(self, data):
+        data[1:] += data[:-1]
+        return data
+
+
+class Detrend(CtrlNode):
+    """Removes linear trend from the data"""
+    nodeName = 'DetrendFilter'
+    
+    @metaArrayWrapper
+    def processData(self, data):
+        return detrend(data)
+
+
+class AdaptiveDetrend(CtrlNode):
+    """Removes baseline from data, ignoring anomalous events"""
+    nodeName = 'AdaptiveDetrend'
+    uiTemplate = [
+        ('threshold', 'doubleSpin', {'value': 3.0, 'min': 0, 'max': 1000000})
+    ]
+    
+    def processData(self, data):
+        return functions.adaptiveDetrend(data, threshold=self.ctrls['threshold'].value())
+
+class HistogramDetrend(CtrlNode):
+    """Removes baseline from data by computing mode (from histogram) of beginning and end of data."""
+    nodeName = 'HistogramDetrend'
+    uiTemplate = [
+        ('windowSize', 'intSpin', {'value': 500, 'min': 10, 'max': 1000000}),
+        ('numBins', 'intSpin', {'value': 50, 'min': 3, 'max': 1000000})
+    ]
+    
+    def processData(self, data):
+        ws = self.ctrls['windowSize'].value()
+        bn = self.ctrls['numBins'].value()
+        return functions.histogramDetrend(data, window=ws, bins=bn)
+
+
+class ExpDeconvolve(CtrlNode):
+    """Exponential deconvolution filter."""
+    nodeName = 'ExpDeconvolve'
+    uiTemplate = [
+        ('tau', 'spin', {'value': 10e-3, 'step': 1, 'minStep': 100e-6, 'dec': True, 'range': [0.0, None], 'suffix': 's', 'siPrefix': True})
+    ]
+    
+    def processData(self, data):
+        tau = self.ctrls['tau'].value()
+        return functions.expDeconvolve(data, tau)
+        #dt = 1
+        #if isinstance(data, MetaArray):
+            #dt = data.xvals(0)[1] - data.xvals(0)[0]
+        #d = data[:-1] + (self.ctrls['tau'].value() / dt) * (data[1:] - data[:-1])
+        #if isinstance(data, MetaArray):
+            #info = data.infoCopy()
+            #if 'values' in info[0]:
+                #info[0]['values'] = info[0]['values'][:-1]
+            #return MetaArray(d, info=info)
+        #else:
+            #return d
+
+class ExpReconvolve(CtrlNode):
+    """Exponential reconvolution filter. Only works with MetaArrays that were previously deconvolved."""
+    nodeName = 'ExpReconvolve'
+    #uiTemplate = [
+        #('tau', 'spin', {'value': 10e-3, 'step': 1, 'minStep': 100e-6, 'dec': True, 'range': [0.0, None], 'suffix': 's', 'siPrefix': True})
+    #]
+    
+    def processData(self, data):
+        return functions.expReconvolve(data)
+
+class Tauiness(CtrlNode):
+    """Sliding-window exponential fit"""
+    nodeName = 'Tauiness'
+    uiTemplate = [
+        ('window', 'intSpin', {'value': 100, 'min': 3, 'max': 1000000}),
+        ('skip', 'intSpin', {'value': 10, 'min': 0, 'max': 10000000})
+    ]
+    
+    def processData(self, data):
+        return functions.tauiness(data, self.ctrls['window'].value(), self.ctrls['skip'].value())
+        
+        
+    
+    
\ No newline at end of file
diff --git a/flowchart/library/Operators.py b/flowchart/library/Operators.py
new file mode 100644
index 0000000000000000000000000000000000000000..412af5736de37571fa6abc79c5e5c88c448a838b
--- /dev/null
+++ b/flowchart/library/Operators.py
@@ -0,0 +1,64 @@
+# -*- coding: utf-8 -*-
+from ..Node import Node
+
+class UniOpNode(Node):
+    """Generic node for performing any operation like Out = In.fn()"""
+    def __init__(self, name, fn):
+        self.fn = fn
+        Node.__init__(self, name, terminals={
+            'In': {'io': 'in'},
+            'Out': {'io': 'out', 'bypass': 'In'}
+        })
+        
+    def process(self, **args):
+        return {'Out': getattr(args['In'], self.fn)()}
+
+class BinOpNode(Node):
+    """Generic node for performing any operation like A.fn(B)"""
+    def __init__(self, name, fn):
+        self.fn = fn
+        Node.__init__(self, name, terminals={
+            'A': {'io': 'in'},
+            'B': {'io': 'in'},
+            'Out': {'io': 'out', 'bypass': 'A'}
+        })
+        
+    def process(self, **args):
+        fn = getattr(args['A'], self.fn)
+        out = fn(args['B'])
+        if out is NotImplemented:
+            raise Exception("Operation %s not implemented between %s and %s" % (fn, str(type(args['A'])), str(type(args['B']))))
+        #print "     ", fn, out
+        return {'Out': out}
+
+
+class AbsNode(UniOpNode):
+    """Returns abs(Inp). Does not check input types."""
+    nodeName = 'Abs'
+    def __init__(self, name):
+        UniOpNode.__init__(self, name, '__abs__')
+
+class AddNode(BinOpNode):
+    """Returns A + B. Does not check input types."""
+    nodeName = 'Add'
+    def __init__(self, name):
+        BinOpNode.__init__(self, name, '__add__')
+
+class SubtractNode(BinOpNode):
+    """Returns A - B. Does not check input types."""
+    nodeName = 'Subtract'
+    def __init__(self, name):
+        BinOpNode.__init__(self, name, '__sub__')
+
+class MultiplyNode(BinOpNode):
+    """Returns A * B. Does not check input types."""
+    nodeName = 'Multiply'
+    def __init__(self, name):
+        BinOpNode.__init__(self, name, '__mul__')
+
+class DivideNode(BinOpNode):
+    """Returns A / B. Does not check input types."""
+    nodeName = 'Divide'
+    def __init__(self, name):
+        BinOpNode.__init__(self, name, '__div__')
+
diff --git a/flowchart/library/__init__.py b/flowchart/library/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..58b5b8102f8107314595b636cb5bdffb2eb46ba0
--- /dev/null
+++ b/flowchart/library/__init__.py
@@ -0,0 +1,100 @@
+# -*- coding: utf-8 -*-
+from collections import OrderedDict
+import os, types
+from pyqtgraph.debug import printExc
+from ..Node import Node
+import reload
+
+
+NODE_LIST = OrderedDict()  ## maps name:class for all registered Node subclasses
+NODE_TREE = OrderedDict()  ## categorized tree of Node subclasses
+
+def getNodeType(name):
+    try:
+        return NODE_LIST[name]
+    except KeyError:
+        raise Exception("No node type called '%s'" % name)
+
+def getNodeTree():
+    return NODE_TREE
+
+def registerNodeType(cls, paths, override=False):
+    """
+    Register a new node type. If the type's name is already in use,
+    an exception will be raised (unless override=True).
+    
+    Arguments:
+        cls - a subclass of Node (must have typ.nodeName)
+        paths - list of tuples specifying the location(s) this 
+                type will appear in the library tree.
+        override - if True, overwrite any class having the same name
+    """
+    if not isNodeClass(cls):
+        raise Exception("Object %s is not a Node subclass" % str(cls))
+    
+    name = cls.nodeName
+    if not override and name in NODE_LIST:
+        raise Exception("Node type name '%s' is already registered." % name)
+    
+    NODE_LIST[name] = cls
+    for path in paths:
+        root = NODE_TREE
+        for n in path:
+            if n not in root:
+                root[n] = OrderedDict()
+            root = root[n]
+        root[name] = cls
+
+
+
+def isNodeClass(cls):
+    try:
+        if not issubclass(cls, Node):
+            return False
+    except:
+        return False
+    return hasattr(cls, 'nodeName')
+
+def loadLibrary(reloadLibs=False, libPath=None):
+    """Import all Node subclasses found within files in the library module."""
+
+    global NODE_LIST, NODE_TREE
+    if libPath is None:
+        libPath = os.path.dirname(os.path.abspath(__file__))
+    
+    if reloadLibs:
+        reload.reloadAll(libPath)
+    
+    for f in os.listdir(libPath):
+        pathName, ext = os.path.splitext(f)
+        if ext != '.py' or '__init__' in pathName:
+            continue
+        try:
+            #print "importing from", f
+            mod = __import__(pathName, globals(), locals())
+        except:
+            printExc("Error loading flowchart library %s:" % pathName)
+            continue
+        
+        nodes = []
+        for n in dir(mod):
+            o = getattr(mod, n)
+            if isNodeClass(o):
+                #print "  ", str(o)
+                registerNodeType(o, [(pathName,)], override=reloadLibs)
+                #nodes.append((o.nodeName, o))
+        #if len(nodes) > 0:
+            #NODE_TREE[name] = OrderedDict(nodes)
+            #NODE_LIST.extend(nodes)
+    #NODE_LIST = OrderedDict(NODE_LIST)
+    
+def reloadLibrary():
+    loadLibrary(reloadLibs=True)
+    
+loadLibrary()
+#NODE_LIST = []
+#for o in locals().values():
+    #if type(o) is type(AddNode) and issubclass(o, Node) and o is not Node and hasattr(o, 'nodeName'):
+            #NODE_LIST.append((o.nodeName, o))
+#NODE_LIST.sort(lambda a,b: cmp(a[0], b[0]))
+#NODE_LIST = OrderedDict(NODE_LIST)
\ No newline at end of file
diff --git a/flowchart/library/common.py b/flowchart/library/common.py
new file mode 100644
index 0000000000000000000000000000000000000000..ce7ff68f458966e160f08599a53b5d47a9f38615
--- /dev/null
+++ b/flowchart/library/common.py
@@ -0,0 +1,148 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtCore, QtGui
+from pyqtgraph.widgets.SpinBox import SpinBox
+#from pyqtgraph.SignalProxy import SignalProxy
+from pyqtgraph.WidgetGroup import WidgetGroup
+#from ColorMapper import ColorMapper
+from ..Node import Node
+import numpy as np
+from pyqtgraph.widgets.ColorButton import ColorButton
+try:
+    import metaarray
+    HAVE_METAARRAY = True
+except:
+    HAVE_METAARRAY = False
+
+
+def generateUi(opts):
+    """Convenience function for generating common UI types"""
+    widget = QtGui.QWidget()
+    l = QtGui.QFormLayout()
+    l.setSpacing(0)
+    widget.setLayout(l)
+    ctrls = {}
+    row = 0
+    for opt in opts:
+        if len(opt) == 2:
+            k, t = opt
+            o = {}
+        elif len(opt) == 3:
+            k, t, o = opt
+        else:
+            raise Exception("Widget specification must be (name, type) or (name, type, {opts})")
+        if t == 'intSpin':
+            w = QtGui.QSpinBox()
+            if 'max' in o:
+                w.setMaximum(o['max'])
+            if 'min' in o:
+                w.setMinimum(o['min'])
+            if 'value' in o:
+                w.setValue(o['value'])
+        elif t == 'doubleSpin':
+            w = QtGui.QDoubleSpinBox()
+            if 'max' in o:
+                w.setMaximum(o['max'])
+            if 'min' in o:
+                w.setMinimum(o['min'])                
+            if 'value' in o:
+                w.setValue(o['value'])
+        elif t == 'spin':
+            w = SpinBox()
+            w.setOpts(**o)
+        elif t == 'check':
+            w = QtGui.QCheckBox()
+            if 'checked' in o:
+                w.setChecked(o['checked'])
+        elif t == 'combo':
+            w = QtGui.QComboBox()
+            for i in o['values']:
+                w.addItem(i)
+        #elif t == 'colormap':
+            #w = ColorMapper()
+        elif t == 'color':
+            w = ColorButton()
+        else:
+            raise Exception("Unknown widget type '%s'" % str(t))
+        if 'tip' in o:
+            w.setToolTip(o['tip'])
+        w.setObjectName(k)
+        l.addRow(k, w)
+        if o.get('hidden', False):
+            w.hide()
+            label = l.labelForField(w)
+            label.hide()
+            
+        ctrls[k] = w
+        w.rowNum = row
+        row += 1
+    group = WidgetGroup(widget)
+    return widget, group, ctrls
+
+
+class CtrlNode(Node):
+    """Abstract class for nodes with auto-generated control UI"""
+    
+    sigStateChanged = QtCore.Signal(object)
+    
+    def __init__(self, name, ui=None, terminals=None):
+        if ui is None:
+            if hasattr(self, 'uiTemplate'):
+                ui = self.uiTemplate
+            else:
+                ui = []
+        if terminals is None:
+            terminals = {'In': {'io': 'in'}, 'Out': {'io': 'out', 'bypass': 'In'}}
+        Node.__init__(self, name=name, terminals=terminals)
+        
+        self.ui, self.stateGroup, self.ctrls = generateUi(ui)
+        self.stateGroup.sigChanged.connect(self.changed)
+       
+    def ctrlWidget(self):
+        return self.ui
+       
+    def changed(self):
+        self.update()
+        self.sigStateChanged.emit(self)
+
+    def process(self, In, display=True):
+        out = self.processData(In)
+        return {'Out': out}
+    
+    def saveState(self):
+        state = Node.saveState(self)
+        state['ctrl'] = self.stateGroup.state()
+        return state
+    
+    def restoreState(self, state):
+        Node.restoreState(self, state)
+        if self.stateGroup is not None:
+            self.stateGroup.setState(state.get('ctrl', {}))
+            
+    def hideRow(self, name):
+        w = self.ctrls[name]
+        l = self.ui.layout().labelForField(w)
+        w.hide()
+        l.hide()
+        
+    def showRow(self, name):
+        w = self.ctrls[name]
+        l = self.ui.layout().labelForField(w)
+        w.show()
+        l.show()
+
+
+
+def metaArrayWrapper(fn):
+    def newFn(self, data, *args, **kargs):
+        if HAVE_METAARRAY and isinstance(data, metaarray.MetaArray):
+            d1 = fn(self, data.view(np.ndarray), *args, **kargs)
+            info = data.infoCopy()
+            if d1.shape != data.shape:
+                for i in range(data.ndim):
+                    if 'values' in info[i]:
+                        info[i]['values'] = info[i]['values'][:d1.shape[i]]
+            return metaarray.MetaArray(d1, info=info)
+        else:
+            return fn(self, data, *args, **kargs)
+    return newFn
+
diff --git a/functions.py b/functions.py
index e5b6a41b765fde7e5650be52abc0205f208f73e4..3a249d9ce180b3f4b492a52d9e9e1d0d57c1d0c3 100644
--- a/functions.py
+++ b/functions.py
@@ -5,7 +5,7 @@ Copyright 2010  Luke Campagnola
 Distributed under MIT/X11 license. See license.txt for more infomation.
 """
 
-colorAbbrev = {
+Colors = {
     'b': (0,0,255,255),
     'g': (0,255,0,255),
     'r': (255,0,0,255),
@@ -14,86 +14,129 @@ colorAbbrev = {
     'y': (255,255,0,255),
     'k': (0,0,0,255),
     'w': (255,255,255,255),
-}
+}  
+
+SI_PREFIXES = u'yzafpnµm kMGTPEZY'
+SI_PREFIXES_ASCII = 'yzafpnum kMGTPEZY'
+
+USE_WEAVE = True
 
 
-from PyQt4 import QtGui, QtCore
+from Qt import QtGui, QtCore
 import numpy as np
 import scipy.ndimage
+import decimal, re
+import scipy.weave
+import debug
 
-## Copied from acq4/lib/util/functions
-SI_PREFIXES = u'yzafpnµm kMGTPEZY'
-def siScale(x, minVal=1e-25):
-    """Return the recommended scale factor and SI prefix string for x."""
+def siScale(x, minVal=1e-25, allowUnicode=True):
+    """
+    Return the recommended scale factor and SI prefix string for x.
+    
+    Example::
+    
+        siScale(0.0001)   # returns (1e6, 'μ')
+        # This indicates that the number 0.0001 is best represented as 0.0001 * 1e6 = 100 μUnits
+    """
+    
+    if isinstance(x, decimal.Decimal):
+        x = float(x)
+        
+    try:
+        if np.isnan(x) or np.isinf(x):
+            return(1, '')
+    except:
+        print x, type(x)
+        raise
     if abs(x) < minVal:
         m = 0
         x = 0
     else:
         m = int(np.clip(np.floor(np.log(abs(x))/np.log(1000)), -9.0, 9.0))
+    
     if m == 0:
         pref = ''
     elif m < -8 or m > 8:
         pref = 'e%d' % (m*3)
     else:
-        pref = SI_PREFIXES[m+8]
+        if allowUnicode:
+            pref = SI_PREFIXES[m+8]
+        else:
+            pref = SI_PREFIXES_ASCII[m+8]
     p = .001**m
-    return (p, pref)
-
-def mkBrush(color):
-    if isinstance(color, QtGui.QBrush):
-        return color
-    return QtGui.QBrush(mkColor(color))
+    
+    return (p, pref)    
 
-def mkPen(arg='default', color=None, width=1, style=None, cosmetic=True, hsv=None, ):
-    """Convenience function for making pens. Examples:
-    mkPen(color)
-    mkPen(color, width=2)
-    mkPen(cosmetic=False, width=4.5, color='r')
-    mkPen({'color': "FF0", width: 2})
-    mkPen(None)   (no pen)
+def siFormat(x, precision=3, suffix='', space=True, error=None, minVal=1e-25, allowUnicode=True):
     """
-    if isinstance(arg, dict):
-        return mkPen(**arg)
-    elif arg != 'default':
-        if isinstance(arg, QtGui.QPen):
-            return arg
-        elif arg is None:
-            style = QtCore.Qt.NoPen
-        else:
-            color = arg
+    Return the number x formatted in engineering notation with SI prefix.
+    
+    Example::
+    
+        siFormat(0.0001, suffix='V')  # returns "100 μV"
+    """
+    
+    if space is True:
+        space = ' '
+    if space is False:
+        space = ''
         
-    if color is None:
-        color = mkColor(200, 200, 200)
-    if hsv is not None:
-        color = hsvColor(*hsv)
+    
+    (p, pref) = siScale(x, minVal, allowUnicode)
+    if not (len(pref) > 0 and pref[0] == 'e'):
+        pref = space + pref
+    
+    if error is None:
+        fmt = "%." + str(precision) + "g%s%s"
+        return fmt % (x*p, pref, suffix)
     else:
-        color = mkColor(color)
-        
-    pen = QtGui.QPen(QtGui.QBrush(color), width)
-    pen.setCosmetic(cosmetic)
-    if style is not None:
-        pen.setStyle(style)
-    return pen
-
-def hsvColor(h, s=1.0, v=1.0, a=1.0):
-    c = QtGui.QColor()
-    c.setHsvF(h, s, v, a)
-    return c
+        plusminus = space + u"±" + space
+        fmt = "%." + str(precision) + u"g%s%s%s%s"
+        return fmt % (x*p, pref, suffix, plusminus, siFormat(error, precision=precision, suffix=suffix, space=space, minVal=minVal))
+    
+def siEval(s):
+    """
+    Convert a value written in SI notation to its equivalent prefixless value
+    
+    Example::
+    
+        siEval("100 μV")  # returns 0.0001
+    """
+    
+    s = unicode(s)
+    m = re.match(r'(-?((\d+(\.\d*)?)|(\.\d+))([eE]-?\d+)?)\s*([u' + SI_PREFIXES + r']?)$', s)
+    if m is None:
+        raise Exception("Can't convert string '%s' to number." % s)
+    v = float(m.groups()[0])
+    p = m.groups()[6]
+    #if p not in SI_PREFIXES:
+        #raise Exception("Can't convert string '%s' to number--unknown prefix." % s)
+    if p ==  '':
+        n = 0
+    elif p == 'u':
+        n = -2
+    else:
+        n = SI_PREFIXES.index(p) - 8
+    return v * 1000**n
+    
 
 def mkColor(*args):
-    """make a QColor from a variety of argument types
-    accepted types are:
-    r, g, b, [a]
-    (r, g, b, [a])
-    float (greyscale, 0.0-1.0)
-    int  (uses intColor)
-    (int, hues)  (uses intColor)
-    QColor
-    "c"    (see colorAbbrev dictionary)
-    "RGB"  (strings may optionally begin with "#")
-    "RGBA"
-    "RRGGBB"
-    "RRGGBBAA"
+    """
+    Convenience function for constructing QColor from a variety of argument types. Accepted arguments are:
+    
+    ================ ================================================
+     'c'             one of: r, g, b, c, m, y, k, w                      
+     R, G, B, [A]    integers 0-255
+     (R, G, B, [A])  tuple of integers 0-255
+     float           greyscale, 0.0-1.0
+     int             see :func:`intColor() <pyqtgraph.intColor>`
+     (int, hues)     see :func:`intColor() <pyqtgraph.intColor>`
+     "RGB"           hexadecimal strings; may begin with '#'
+     "RGBA"          
+     "RRGGBB"       
+     "RRGGBBAA"     
+     QColor          QColor instance; makes a copy.
+    ================ ================================================
     """
     err = 'Not sure how to make a color from "%s"' % str(args)
     if len(args) == 1:
@@ -107,7 +150,7 @@ def mkColor(*args):
             if c[0] == '#':
                 c = c[1:]
             if len(c) == 1:
-                (r, g, b, a) = colorAbbrev[c]
+                (r, g, b, a) = Colors[c]
             if len(c) == 3:
                 r = int(c[0]*2, 16)
                 g = int(c[1]*2, 16)
@@ -149,9 +192,86 @@ def mkColor(*args):
         (r, g, b, a) = args
     else:
         raise Exception(err)
-    return QtGui.QColor(r, g, b, a)
+    
+    args = [r,g,b,a]
+    args = map(lambda a: 0 if np.isnan(a) or np.isinf(a) else a, args)
+    args = map(int, args)
+    return QtGui.QColor(*args)
+
+
+def mkBrush(*args):
+    """
+    | Convenience function for constructing Brush.
+    | This function always constructs a solid brush and accepts the same arguments as :func:`mkColor() <pyqtgraph.mkColor>`
+    | Calling mkBrush(None) returns an invisible brush.
+    """
+    if len(args) == 1:
+        arg = args[0]
+        if arg is None:
+            return QtGui.QBrush(QtCore.Qt.NoBrush)
+        elif isinstance(arg, QtGui.QBrush):
+            return QtGui.QBrush(arg)
+        else:
+            color = arg
+    if len(args) > 1:
+        color = args
+    return QtGui.QBrush(mkColor(color))
+
+def mkPen(*args, **kargs):
+    """
+    Convenience function for constructing QPen. 
+    
+    Examples::
+    
+        mkPen(color)
+        mkPen(color, width=2)
+        mkPen(cosmetic=False, width=4.5, color='r')
+        mkPen({'color': "FF0", width: 2})
+        mkPen(None)   # (no pen)
+    
+    In these examples, *color* may be replaced with any arguments accepted by :func:`mkColor() <pyqtgraph.mkColor>`    """
+    
+    color = kargs.get('color', None)
+    width = kargs.get('width', 1)
+    style = kargs.get('style', None)
+    cosmetic = kargs.get('cosmetic', True)
+    hsv = kargs.get('hsv', None)
+    
+    if len(args) == 1:
+        arg = args[0]
+        if isinstance(arg, dict):
+            return mkPen(**arg)
+        if isinstance(arg, QtGui.QPen):
+            return arg
+        elif arg is None:
+            style = QtCore.Qt.NoPen
+        else:
+            color = arg
+    if len(args) > 1:
+        color = args
+        
+    if color is None:
+        color = mkColor(200, 200, 200)
+    if hsv is not None:
+        color = hsvColor(*hsv)
+    else:
+        color = mkColor(color)
+        
+    pen = QtGui.QPen(QtGui.QBrush(color), width)
+    pen.setCosmetic(cosmetic)
+    if style is not None:
+        pen.setStyle(style)
+    return pen
+
+def hsvColor(h, s=1.0, v=1.0, a=1.0):
+    """Generate a QColor from HSVa values."""
+    c = QtGui.QColor()
+    c.setHsvF(h, s, v, a)
+    return c
+
     
 def colorTuple(c):
+    """Return a tuple (R,G,B,A) from a QColor"""
     return (c.red(), c.green(), c.blue(), c.alpha())
 
 def colorStr(c):
@@ -159,12 +279,13 @@ def colorStr(c):
     return ('%02x'*4) % colorTuple(c)
 
 def intColor(index, hues=9, values=1, maxValue=255, minValue=150, maxHue=360, minHue=0, sat=255, alpha=255, **kargs):
-    """Creates a QColor from a single index. Useful for stepping through a predefined list of colors.
-     - The argument "index" determines which color from the set will be returned
-     - All other arguments determine what the set of predefined colors will be
+    """
+    Creates a QColor from a single index. Useful for stepping through a predefined list of colors.
+    
+    The argument *index* determines which color from the set will be returned. All other arguments determine what the set of predefined colors will be
      
-    Colors are chosen by cycling across hues while varying the value (brightness). By default, there
-    are 9 hues and 3 values for a total of 27 different colors. """
+    Colors are chosen by cycling across hues while varying the value (brightness). 
+    By default, this selects from a list of 9 hues."""
     hues = int(hues)
     values = int(values)
     ind = int(index) % (hues * values)
@@ -183,27 +304,41 @@ def intColor(index, hues=9, values=1, maxValue=255, minValue=150, maxHue=360, mi
 
 
 def affineSlice(data, shape, origin, vectors, axes, **kargs):
-    """Take an arbitrary slice through an array.
-    Parameters:
-        data: the original dataset
-        shape: the shape of the slice to take (Note the return value may have more dimensions than len(shape))
-        origin: the location in the original dataset that will become the origin in the sliced data.
-        vectors: list of unit vectors which point in the direction of the slice axes
-                 each vector must be the same length as axes
-                 If the vectors are not unit length, the result will be scaled.
-                 If the vectors are not orthogonal, the result will be sheared.
-        axes: the axes in the original dataset which correspond to the slice vectors
+    """
+    Take a slice of any orientation through an array. This is useful for extracting sections of multi-dimensional arrays such as MRI images for viewing as 1D or 2D data.
+    
+    The slicing axes are aribtrary; they do not need to be orthogonal to the original data or even to each other. It is possible to use this function to extract arbitrary linear, rectangular, or parallelepiped shapes from within larger datasets.
+    
+    For a graphical interface to this function, see :func:`ROI.getArrayRegion`
+    
+    Arguments:
+    
+        | *data* (ndarray): the original dataset
+        | *shape*: the shape of the slice to take (Note the return value may have more dimensions than len(shape))
+        | *origin*: the location in the original dataset that will become the origin in the sliced data.
+        | *vectors*: list of unit vectors which point in the direction of the slice axes
         
-        Example: start with a 4D data set, take a diagonal-planar slice out of the last 3 axes
-            - data = array with dims (time, x, y, z) = (100, 40, 40, 40)
-            - The plane to pull out is perpendicular to the vector (x,y,z) = (1,1,1) 
-            - The origin of the slice will be at (x,y,z) = (40, 0, 0)
-            - The we will slice a 20x20 plane from each timepoint, giving a final shape (100, 20, 20)
-            affineSlice(data, shape=(20,20), origin=(40,0,0), vectors=((-1, 1, 0), (-1, 0, 1)), axes=(1,2,3))
+        * each vector must have the same length as *axes*
+        * If the vectors are not unit length, the result will be scaled.
+        * If the vectors are not orthogonal, the result will be sheared.
             
-            Note the following: 
-                len(shape) == len(vectors) 
-                len(origin) == len(axes) == len(vectors[0])
+        *axes*: the axes in the original dataset which correspond to the slice *vectors*
+        
+    Example: start with a 4D fMRI data set, take a diagonal-planar slice out of the last 3 axes
+        
+        * data = array with dims (time, x, y, z) = (100, 40, 40, 40)
+        * The plane to pull out is perpendicular to the vector (x,y,z) = (1,1,1) 
+        * The origin of the slice will be at (x,y,z) = (40, 0, 0)
+        * We will slice a 20x20 plane from each timepoint, giving a final shape (100, 20, 20)
+        
+    The call for this example would look like::
+        
+        affineSlice(data, shape=(20,20), origin=(40,0,0), vectors=((-1, 1, 0), (-1, 0, 1)), axes=(1,2,3))
+    
+    Note the following must be true: 
+        
+        | len(shape) == len(vectors) 
+        | len(origin) == len(axes) == len(vectors[0])
     """
     
     # sanity check
@@ -214,7 +349,8 @@ def affineSlice(data, shape, origin, vectors, axes, **kargs):
     for v in vectors:
         if len(v) != len(axes):
             raise Exception("each vector must be same length as axes.")
-    shape = (np.ceil(shape[0]), np.ceil(shape[1]))
+        
+    shape = map(np.ceil, shape)
 
     ## transpose data so slice axes come first
     trAx = range(data.ndim)
@@ -257,3 +393,243 @@ def affineSlice(data, shape, origin, vectors, axes, **kargs):
     ## Untranspose array before returning
     return output.transpose(tr2)
 
+
+
+
+
+def makeARGB(data, lut=None, levels=None):
+    """
+    Convert a 2D or 3D array into an ARGB array suitable for building QImages
+    Will optionally do scaling and/or table lookups to determine final colors.
+    
+    Returns the ARGB array and a boolean indicating whether there is alpha channel data.
+    
+    Arguments:
+        data  - 2D or 3D numpy array of int/float types
+        
+                For 2D arrays (x, y):
+                  * The color will be determined using a lookup table (see argument 'lut').
+                  * If levels are given, the data is rescaled and converted to int
+                    before using the lookup table.
+                 
+                For 3D arrays (x, y, rgba):
+                  * The third axis must have length 3 or 4 and will be interpreted as RGBA.
+                  * The 'lut' argument is not allowed.
+                 
+        lut   - Lookup table for 2D data. May be 1D or 2D (N,rgba) and must have dtype=ubyte.
+                Values in data will be converted to color by indexing directly from lut.
+                Lookup tables can be built using GradientWidget.
+        levels - List [min, max]; optionally rescale data before converting through the
+                lookup table.   rescaled = (data-min) * len(lut) / (max-min)
+                
+    """
+    
+    prof = debug.Profiler('functions.makeARGB', disabled=True)
+    
+    ## sanity checks
+    if data.ndim == 3:
+        if data.shape[2] not in (3,4):
+            raise Exception("data.shape[2] must be 3 or 4")
+        #if lut is not None:
+            #raise Exception("can not use lookup table with 3D data")
+    elif data.ndim != 2:
+        raise Exception("data must be 2D or 3D")
+        
+    if lut is not None:
+        if lut.ndim == 2:
+            if lut.shape[1] not in (3,4):
+                raise Exception("lut.shape[1] must be 3 or 4")
+        elif lut.ndim != 1:
+            raise Exception("lut must be 1D or 2D")
+        if lut.dtype != np.ubyte:
+            raise Exception('lookup table must have dtype=ubyte (got %s instead)' % str(lut.dtype))
+
+    if levels is not None:
+        levels = np.array(levels)
+        if levels.shape == (2,):
+            pass
+        elif levels.shape in [(3,2), (4,2)]:
+            if data.ndim == 3:
+                raise Exception("Can not use 2D levels with 3D data.")
+            if lut is not None:
+                raise Exception('Can not use 2D levels and lookup table together.')
+        else:
+            raise Exception("Levels must have shape (2,) or (3,2) or (4,2)")
+        
+    prof.mark('1')
+
+    if lut is not None:
+        lutLength = lut.shape[0]
+    else:
+        lutLength = 256
+
+    ## weave requires contiguous arrays
+    global USE_WEAVE
+    if (levels is not None or lut is not None) and USE_WEAVE:
+        data = np.ascontiguousarray(data)
+
+    ## Apply levels if given
+    if levels is not None:
+        
+        try:  ## use weave to speed up scaling
+            if not USE_WEAVE:
+                raise Exception('Weave is disabled; falling back to slower version.')
+            if levels.ndim == 1:
+                scale = float(lutLength) / (levels[1]-levels[0])
+                offset = float(levels[0])
+                data = rescaleData(data, scale, offset)
+            else:
+                if data.ndim == 2:
+                    newData = np.empty(data.shape+(levels.shape[0],), dtype=np.uint32)
+                    for i in xrange(levels.shape[0]):
+                        scale = float(lutLength / (levels[i,1]-levels[i,0]))
+                        offset = float(levels[i,0])
+                        newData[...,i] = rescaleData(data, scale, offset)
+                elif data.ndim == 3:
+                    newData = np.empty(data.shape, dtype=np.uint32)
+                    for i in xrange(data.shape[2]):
+                        scale = float(lutLength / (levels[i,1]-levels[i,0]))
+                        offset = float(levels[i,0])
+                        #print scale, offset, data.shape, newData.shape, levels.shape
+                        newData[...,i] = rescaleData(data[...,i], scale, offset)
+                data = newData
+        except:
+            if USE_WEAVE:
+                debug.printExc("Error; disabling weave.")
+                USE_WEAVE = False
+            
+            if levels.ndim == 1:
+                if data.ndim == 2:
+                    levels = levels[np.newaxis, np.newaxis, :]
+                else:
+                    levels = levels[np.newaxis, np.newaxis, np.newaxis, :]
+            else:
+                levels = levels[np.newaxis, np.newaxis, ...]
+                if data.ndim == 2:
+                    data = data[..., np.newaxis]
+            data = ((data-levels[...,0]) * lutLength) / (levels[...,1]-levels[...,0])
+        
+    prof.mark('2')
+
+
+    ## apply LUT if given
+    if lut is not None and data.ndim == 2:
+        
+        if data.dtype.kind not in ('i', 'u'):
+            data = data.astype(int)
+            
+        data = np.clip(data, 0, lutLength-1)
+        try:
+            if not USE_WEAVE:
+                raise Exception('Weave is disabled; falling back to slower version.')
+            
+            newData = np.empty((data.size,) + lut.shape[1:], dtype=np.uint8)
+            flat = data.reshape(data.size)
+            size = data.size
+            ncol = lut.shape[1]
+            newStride = newData.strides[0]
+            newColStride = newData.strides[1]
+            lutStride = lut.strides[0]
+            lutColStride = lut.strides[1]
+            flatStride = flat.strides[0] / flat.dtype.itemsize
+            
+            #print "newData:", newData.shape, newData.dtype
+            #print "flat:", flat.shape, flat.dtype, flat.min(), flat.max()
+            #print "lut:", lut.shape, lut.dtype
+            #print "size:", size, "ncols:", ncol
+            #print "strides:", newStride, newColStride, lutStride, lutColStride, flatStride
+            
+            code = """
+            
+            for( int i=0; i<size; i++ ) {
+                for( int j=0; j<ncol; j++ ) {
+                    newData[i*newStride + j*newColStride] = lut[flat[i*flatStride]*lutStride + j*lutColStride];
+                }
+            }
+            """
+            scipy.weave.inline(code, ['flat', 'lut', 'newData', 'size', 'ncol', 'newStride', 'lutStride', 'flatStride', 'newColStride', 'lutColStride'])
+            data = newData.reshape(data.shape + lut.shape[1:])
+        except:
+            if USE_WEAVE:
+                debug.printExc("Error; disabling weave.")
+                USE_WEAVE = False
+            data = lut[data]
+    else:
+        if data.dtype is not np.ubyte:
+            data = np.clip(data, 0, 255).astype(np.ubyte)
+
+    prof.mark('3')
+
+
+    ## copy data into ARGB ordered array
+    imgData = np.empty(data.shape[:2]+(4,), dtype=np.ubyte)
+    if data.ndim == 2:
+        data = data[..., np.newaxis]
+
+    prof.mark('4')
+
+
+    order = [2,1,0,3] ## for some reason, the colors line up as BGR in the final image.
+    if data.shape[2] == 1:
+        for i in xrange(3):
+            imgData[..., order[i]] = data[..., 0]    
+    else:
+        for i in xrange(0, data.shape[2]):
+            imgData[..., order[i]] = data[..., i]    
+        
+    prof.mark('5')
+        
+    if data.shape[2] == 4:
+        alpha = True
+    else:
+        alpha = False
+        imgData[..., 3] = 255
+        
+    prof.mark('6')
+        
+    prof.finish()
+    return imgData, alpha
+    
+
+def makeQImage(imgData, alpha):
+    """Turn an ARGB array into QImage"""
+    ## create QImage from buffer
+    prof = debug.Profiler('functions.makeQImage', disabled=True)
+    
+    if alpha:
+        imgFormat = QtGui.QImage.Format_ARGB32
+    else:
+        imgFormat = QtGui.QImage.Format_RGB32
+        
+    imgData = imgData.transpose((1, 0, 2))  ## QImage expects the row/column order to be opposite
+    try:
+        buf = imgData.data
+    except AttributeError:
+        imgData = np.ascontiguousarray(imgData)
+        buf = imgData.data
+        
+    prof.mark('1')
+    qimage = QtGui.QImage(buf, imgData.shape[1], imgData.shape[0], imgFormat)
+    prof.mark('2')
+    qimage.data = imgData
+    prof.finish()
+    return qimage
+
+
+def rescaleData(data, scale, offset):
+    newData = np.empty((data.size,), dtype=np.int)
+    flat = data.reshape(data.size)
+    size = data.size
+    
+    code = """
+    double sc = (double)scale;
+    double off = (double)offset;
+    for( int i=0; i<size; i++ ) {
+        newData[i] = (int)(((double)flat[i] - off) * sc);
+    }
+    """
+    scipy.weave.inline(code, ['flat', 'newData', 'size', 'offset', 'scale'], compiler='gcc')
+    data = newData.reshape(data.shape)
+    return data
+    
+    
\ No newline at end of file
diff --git a/functions.pyc b/functions.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..b71083c09a1b1c4693941ac288a630f9e2a49166
Binary files /dev/null and b/functions.pyc differ
diff --git a/graphicsItems.py b/graphicsItems.py
deleted file mode 100644
index 63de57e00b511d23cd646188d65129f6fe023681..0000000000000000000000000000000000000000
--- a/graphicsItems.py
+++ /dev/null
@@ -1,2997 +0,0 @@
-# -*- coding: utf-8 -*-
-"""
-graphicsItems.py -  Defines several graphics item classes for use in Qt graphics/view framework
-Copyright 2010  Luke Campagnola
-Distributed under MIT/X11 license. See license.txt for more infomation.
-
-Provides ImageItem, PlotCurveItem, and ViewBox, amongst others.
-"""
-
-
-from PyQt4 import QtGui, QtCore
-if not hasattr(QtCore, 'Signal'):
-    QtCore.Signal = QtCore.pyqtSignal
-#from ObjectWorkaround import *
-#tryWorkaround(QtCore, QtGui)
-#from numpy import *
-import numpy as np
-try:
-    import scipy.weave as weave
-    from scipy.weave import converters
-except:
-    pass
-from scipy.fftpack import fft
-#from scipy.signal import resample
-import scipy.stats
-#from metaarray import MetaArray
-from Point import *
-from functions import *
-import types, sys, struct
-import weakref
-import debug
-#from debug import *
-
-## QGraphicsObject didn't appear until 4.6; this is for compatibility with 4.5
-if not hasattr(QtGui, 'QGraphicsObject'):
-    class QGraphicsObject(QtGui.QGraphicsWidget):
-        def shape(self):
-            return QtGui.QGraphicsItem.shape(self)
-    QtGui.QGraphicsObject = QGraphicsObject
-
-
-## Should probably just use QGraphicsGroupItem and instruct it to pass events on to children..
-class ItemGroup(QtGui.QGraphicsItem):
-    def __init__(self, *args):
-        QtGui.QGraphicsItem.__init__(self, *args)
-        if hasattr(self, "ItemHasNoContents"):
-            self.setFlag(self.ItemHasNoContents)
-    
-    def boundingRect(self):
-        return QtCore.QRectF()
-        
-    def paint(self, *args):
-        pass
-    
-    def addItem(self, item):
-        item.setParentItem(self)
-
-
-#if hasattr(QtGui, "QGraphicsObject"):
-    #QGraphicsObject = QtGui.QGraphicsObject
-#else:
-    #class QObjectWorkaround:
-        #def __init__(self):
-            #self._qObj_ = QtCore.QObject()
-        #def connect(self, *args):
-            #return QtCore.QObject.connect(self._qObj_, *args)
-        #def disconnect(self, *args):
-            #return QtCore.QObject.disconnect(self._qObj_, *args)
-        #def emit(self, *args):
-            #return QtCore.QObject.emit(self._qObj_, *args)
-            
-    #class QGraphicsObject(QtGui.QGraphicsItem, QObjectWorkaround):
-        #def __init__(self, *args):
-            #QtGui.QGraphicsItem.__init__(self, *args)
-            #QObjectWorkaround.__init__(self)
-
-    
-    
-class GraphicsObject(QtGui.QGraphicsObject):
-    """Extends QGraphicsObject with a few important functions. 
-    (Most of these assume that the object is in a scene with a single view)"""
-    
-    def __init__(self, *args):
-        QtGui.QGraphicsObject.__init__(self, *args)
-        self._view = None
-    
-    def getViewWidget(self):
-        """Return the view widget for this item. If the scene has multiple views, only the first view is returned.
-        the view is remembered for the lifetime of the object, so expect trouble if the object is moved to another view."""
-        if self._view is None:
-            scene = self.scene()
-            if scene is None:
-                return None
-            views = scene.views()
-            if len(views) < 1:
-                return None
-            self._view = weakref.ref(self.scene().views()[0])
-        return self._view()
-    
-    def getBoundingParents(self):
-        """Return a list of parents to this item that have child clipping enabled."""
-        p = self
-        parents = []
-        while True:
-            p = p.parentItem()
-            if p is None:
-                break
-            if p.flags() & self.ItemClipsChildrenToShape:
-                parents.append(p)
-        return parents
-    
-    def viewBounds(self):
-        """Return the allowed visible boundaries for this item. Takes into account the viewport as well as any parents that clip."""
-        bounds = QtCore.QRectF(0, 0, 1, 1)
-        view = self.getViewWidget()
-        if view is None:
-            return None
-        bounds = self.mapRectFromScene(view.visibleRange())
-        
-        for p in self.getBoundingParents():
-            bounds &= self.mapRectFromScene(p.sceneBoundingRect())
-            
-        return bounds
-        
-    def viewTransform(self):
-        """Return the transform that maps from local coordinates to the item's view coordinates"""
-        view = self.getViewWidget()
-        if view is None:
-            return None
-        return self.deviceTransform(view.viewportTransform())
-
-    def pixelVectors(self):
-        """Return vectors in local coordinates representing the width and height of a view pixel."""
-        vt = self.viewTransform()
-        if vt is None:
-            return None
-        vt = vt.inverted()[0]
-        orig = vt.map(QtCore.QPointF(0, 0))
-        return vt.map(QtCore.QPointF(1, 0))-orig, vt.map(QtCore.QPointF(0, 1))-orig
-
-    def pixelWidth(self):
-        vt = self.viewTransform()
-        if vt is None:
-            return 0
-        vt = vt.inverted()[0]
-        return abs((vt.map(QtCore.QPointF(1, 0))-vt.map(QtCore.QPointF(0, 0))).x())
-        
-    def pixelHeight(self):
-        vt = self.viewTransform()
-        if vt is None:
-            return 0
-        vt = vt.inverted()[0]
-        return abs((vt.map(QtCore.QPointF(0, 1))-vt.map(QtCore.QPointF(0, 0))).y())
-
-    def mapToView(self, obj):
-        vt = self.viewTransform()
-        if vt is None:
-            return None
-        return vt.map(obj)
-        
-    def mapRectToView(self, obj):
-        vt = self.viewTransform()
-        if vt is None:
-            return None
-        return vt.mapRect(obj)
-        
-    def mapFromView(self, obj):
-        vt = self.viewTransform()
-        if vt is None:
-            return None
-        vt = vt.inverted()[0]
-        return vt.map(obj)
-
-    def mapRectFromView(self, obj):
-        vt = self.viewTransform()
-        if vt is None:
-            return None
-        vt = vt.inverted()[0]
-        return vt.mapRect(obj)
-        
-        
-        
-        
-
-class ImageItem(QtGui.QGraphicsObject):
-    
-    sigImageChanged = QtCore.Signal()
-    
-    if 'linux' not in sys.platform:  ## disable weave optimization on linux--broken there.
-        useWeave = True
-    else:
-        useWeave = False
-    
-    def __init__(self, image=None, copy=True, parent=None, border=None, mode=None, *args):
-        #QObjectWorkaround.__init__(self)
-        QtGui.QGraphicsObject.__init__(self)
-        #self.pixmapItem = QtGui.QGraphicsPixmapItem(self)
-        self.qimage = QtGui.QImage()
-        self.pixmap = None
-        self.paintMode = mode
-        #self.useWeave = True
-        self.blackLevel = None
-        self.whiteLevel = None
-        self.alpha = 1.0
-        self.image = None
-        self.clipLevel = None
-        self.drawKernel = None
-        if border is not None:
-            border = mkPen(border)
-        self.border = border
-        
-        #QtGui.QGraphicsPixmapItem.__init__(self, parent, *args)
-        #self.pixmapItem = QtGui.QGraphicsPixmapItem(self)
-        if image is not None:
-            self.updateImage(image, copy, autoRange=True)
-        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
-
-    def setCompositionMode(self, mode):
-        self.paintMode = mode
-        self.update()
-
-    def setAlpha(self, alpha):
-        self.alpha = alpha
-        self.updateImage()
-        
-    #def boundingRect(self):
-        #return self.pixmapItem.boundingRect()
-        #return QtCore.QRectF(0, 0, self.qimage.width(), self.qimage.height())
-        
-    def width(self):
-        if self.pixmap is None:
-            return None
-        return self.pixmap.width()
-        
-    def height(self):
-        if self.pixmap is None:
-            return None
-        return self.pixmap.height()
-
-    def boundingRect(self):
-        if self.pixmap is None:
-            return QtCore.QRectF(0., 0., 0., 0.)
-        return QtCore.QRectF(0., 0., float(self.width()), float(self.height()))
-
-    def setClipLevel(self, level=None):
-        self.clipLevel = level
-        
-    #def paint(self, p, opt, widget):
-        #pass
-        #if self.pixmap is not None:
-            #p.drawPixmap(0, 0, self.pixmap)
-            #print "paint"
-
-    def setLevels(self, white=None, black=None):
-        if white is not None:
-            self.whiteLevel = white
-        if black is not None:
-            self.blackLevel = black  
-        self.updateImage()
-        
-    def getLevels(self):
-        return self.whiteLevel, self.blackLevel
-
-    def updateImage(self, image=None, copy=True, autoRange=False, clipMask=None, white=None, black=None, axes=None):
-        prof = debug.Profiler('ImageItem.updateImage 0x%x' %id(self), disabled=True)
-        #debug.printTrace()
-        if axes is None:
-            axh = {'x': 0, 'y': 1, 'c': 2}
-        else:
-            axh = axes
-        #print "Update image", black, white
-        if white is not None:
-            self.whiteLevel = white
-        if black is not None:
-            self.blackLevel = black  
-        
-        gotNewData = False
-        if image is None:
-            if self.image is None:
-                return
-        else:
-            gotNewData = True
-            if self.image is None or image.shape != self.image.shape:
-                self.prepareGeometryChange()
-            if copy:
-                self.image = image.view(np.ndarray).copy()
-            else:
-                self.image = image.view(np.ndarray)
-        #print "  image max:", self.image.max(), "min:", self.image.min()
-        prof.mark('1')
-        
-        # Determine scale factors
-        if autoRange or self.blackLevel is None:
-            if self.image.dtype is np.ubyte:
-                self.blackLevel = 0
-                self.whiteLevel = 255
-            else:
-                self.blackLevel = self.image.min()
-                self.whiteLevel = self.image.max()
-        #print "Image item using", self.blackLevel, self.whiteLevel
-        
-        if self.blackLevel != self.whiteLevel:
-            scale = 255. / (self.whiteLevel - self.blackLevel)
-        else:
-            scale = 0.
-        
-        prof.mark('2')
-        
-        ## Recolor and convert to 8 bit per channel
-        # Try using weave, then fall back to python
-        shape = self.image.shape
-        black = float(self.blackLevel)
-        white = float(self.whiteLevel)
-        
-        if black == 0 and white == 255 and self.image.dtype == np.ubyte:
-            im = self.image
-            
-        else:
-            try:
-                if not ImageItem.useWeave:
-                    raise Exception('Skipping weave compile')
-                sim = np.ascontiguousarray(self.image)
-                sim.shape = sim.size
-                im = np.empty(sim.shape, dtype=np.ubyte)
-                n = im.size
-                
-                code = """
-                for( int i=0; i<n; i++ ) {
-                    float a = (sim(i)-black) * (float)scale;
-                    if( a > 255.0 )
-                        a = 255.0;
-                    else if( a < 0.0 )
-                        a = 0.0;
-                    im(i) = a;
-                }
-                """
-                
-                weave.inline(code, ['sim', 'im', 'n', 'black', 'scale'], type_converters=converters.blitz, compiler = 'gcc')
-                sim.shape = shape
-                im.shape = shape
-            except:
-                if ImageItem.useWeave:
-                    ImageItem.useWeave = False
-                    #sys.excepthook(*sys.exc_info())
-                    #print "=============================================================================="
-                    print "Weave compile failed, falling back to slower version."
-                self.image.shape = shape
-                im = ((self.image - black) * scale).clip(0.,255.).astype(np.ubyte)
-        prof.mark('3')
-
-        try:
-            im1 = np.empty((im.shape[axh['y']], im.shape[axh['x']], 4), dtype=np.ubyte)
-        except:
-            print im.shape, axh
-            raise
-        alpha = np.clip(int(255 * self.alpha), 0, 255)
-        prof.mark('4')
-        # Fill image 
-        if im.ndim == 2:
-            im2 = im.transpose(axh['y'], axh['x'])
-            im1[..., 0] = im2
-            im1[..., 1] = im2
-            im1[..., 2] = im2
-            im1[..., 3] = alpha
-        elif im.ndim == 3: #color image
-            im2 = im.transpose(axh['y'], axh['x'], axh['c'])
-            ##      [B G R A]    Reorder colors
-            order = [2,1,0,3] ## for some reason, the colors line up as BGR in the final image.
-            
-            for i in range(0, im.shape[axh['c']]):
-                im1[..., order[i]] = im2[..., i]    
-            
-            ## fill in unused channels with 0 or alpha
-            for i in range(im.shape[axh['c']], 3):
-                im1[..., i] = 0
-            if im.shape[axh['c']] < 4:
-                im1[..., 3] = alpha
-                
-        else:
-            raise Exception("Image must be 2 or 3 dimensions")
-        #self.im1 = im1
-        # Display image
-        prof.mark('5')
-        if self.clipLevel is not None or clipMask is not None:
-            if clipMask is not None:
-                mask = clipMask.transpose()
-            else:
-                mask = (self.image < self.clipLevel).transpose()
-            im1[..., 0][mask] *= 0.5
-            im1[..., 1][mask] *= 0.5
-            im1[..., 2][mask] = 255
-        prof.mark('6')
-        #print "Final image:", im1.dtype, im1.min(), im1.max(), im1.shape
-        self.ims = im1.tostring()  ## Must be held in memory here because qImage won't do it for us :(
-        prof.mark('7')
-        qimage = QtGui.QImage(buffer(self.ims), im1.shape[1], im1.shape[0], QtGui.QImage.Format_ARGB32)
-        prof.mark('8')
-        self.pixmap = QtGui.QPixmap.fromImage(qimage)
-        prof.mark('9')
-        ##del self.ims
-        #self.pixmapItem.setPixmap(self.pixmap)
-        
-        self.update()
-        prof.mark('10')
-        
-        if gotNewData:
-            #self.emit(QtCore.SIGNAL('imageChanged'))
-            self.sigImageChanged.emit()
-            
-        prof.finish()
-        
-    def getPixmap(self):
-        return self.pixmap.copy()
-
-    def getHistogram(self, bins=500, step=3):
-        """returns x and y arrays containing the histogram values for the current image.
-        The step argument causes pixels to be skipped when computing the histogram to save time."""
-        stepData = self.image[::step, ::step]
-        hist = np.histogram(stepData, bins=bins)
-        return hist[1][:-1], hist[0]
-        
-    def mousePressEvent(self, ev):
-        if self.drawKernel is not None and ev.button() == QtCore.Qt.LeftButton:
-            self.drawAt(ev.pos(), ev)
-            ev.accept()
-        else:
-            ev.ignore()
-        
-    def mouseMoveEvent(self, ev):
-        #print "mouse move", ev.pos()
-        if self.drawKernel is not None:
-            self.drawAt(ev.pos(), ev)
-    
-    def mouseReleaseEvent(self, ev):
-        pass
-    
-    def tabletEvent(self, ev):
-        print ev.device()
-        print ev.pointerType()
-        print ev.pressure()
-    
-    def drawAt(self, pos, ev=None):
-        pos = [int(pos.x()), int(pos.y())]
-        dk = self.drawKernel
-        kc = self.drawKernelCenter
-        sx = [0,dk.shape[0]]
-        sy = [0,dk.shape[1]]
-        tx = [pos[0] - kc[0], pos[0] - kc[0]+ dk.shape[0]]
-        ty = [pos[1] - kc[1], pos[1] - kc[1]+ dk.shape[1]]
-        
-        for i in [0,1]:
-            dx1 = -min(0, tx[i])
-            dx2 = min(0, self.image.shape[0]-tx[i])
-            tx[i] += dx1+dx2
-            sx[i] += dx1+dx2
-
-            dy1 = -min(0, ty[i])
-            dy2 = min(0, self.image.shape[1]-ty[i])
-            ty[i] += dy1+dy2
-            sy[i] += dy1+dy2
-
-        #print sx
-        #print sy
-        #print tx
-        #print ty
-        #print self.image.shape
-        #print self.image[tx[0]:tx[1], ty[0]:ty[1]].shape
-        #print dk[sx[0]:sx[1], sy[0]:sy[1]].shape
-        ts = (slice(tx[0],tx[1]), slice(ty[0],ty[1]))
-        ss = (slice(sx[0],sx[1]), slice(sy[0],sy[1]))
-        #src = dk[sx[0]:sx[1], sy[0]:sy[1]]
-        #mask = self.drawMask[sx[0]:sx[1], sy[0]:sy[1]]
-        mask = self.drawMask
-        src = dk
-        #print self.image[ts].shape, src.shape
-        
-        if callable(self.drawMode):
-            self.drawMode(dk, self.image, mask, ss, ts, ev)
-        else:
-            mask = mask[ss]
-            src = src[ss]
-            if self.drawMode == 'set':
-                if mask is not None:
-                    self.image[ts] = self.image[ts] * (1-mask) + src * mask
-                else:
-                    self.image[ts] = src
-            elif self.drawMode == 'add':
-                self.image[ts] += src
-            else:
-                raise Exception("Unknown draw mode '%s'" % self.drawMode)
-            self.updateImage()
-        
-    def setDrawKernel(self, kernel=None, mask=None, center=(0,0), mode='set'):
-        self.drawKernel = kernel
-        self.drawKernelCenter = center
-        self.drawMode = mode
-        self.drawMask = mask
-    
-    def paint(self, p, *args):
-        
-        #QtGui.QGraphicsPixmapItem.paint(self, p, *args)
-        if self.pixmap is None:
-            return
-        if self.paintMode is not None:
-            p.setCompositionMode(self.paintMode)
-        p.drawPixmap(self.boundingRect(), self.pixmap, QtCore.QRectF(0, 0, self.pixmap.width(), self.pixmap.height()))
-        if self.border is not None:
-            p.setPen(self.border)
-            p.drawRect(self.boundingRect())
-
-    def pixelSize(self):
-        """return size of a single pixel in the image"""
-        br = self.sceneBoundingRect()
-        return br.width()/self.pixmap.width(), br.height()/self.pixmap.height()
-
-class PlotCurveItem(GraphicsObject):
-    
-    sigPlotChanged = QtCore.Signal(object)
-    
-    """Class representing a single plot curve."""
-    
-    sigClicked = QtCore.Signal(object)
-    
-    def __init__(self, y=None, x=None, copy=False, pen=None, shadow=None, parent=None, color=None, clickable=False):
-        GraphicsObject.__init__(self, parent)
-        #GraphicsWidget.__init__(self, parent)
-        self.free()
-        #self.dispPath = None
-        
-        if pen is None:
-            if color is None:
-                self.setPen((200,200,200))
-            else:
-                self.setPen(color)
-        else:
-            self.setPen(pen)
-        
-        self.shadow = shadow
-        if y is not None:
-            self.updateData(y, x, copy)
-        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
-        
-        self.metaData = {}
-        self.opts = {
-            'spectrumMode': False,
-            'logMode': [False, False],
-            'pointMode': False,
-            'pointStyle': None,
-            'downsample': False,
-            'alphaHint': 1.0,
-            'alphaMode': False
-        }
-            
-        self.setClickable(clickable)
-        #self.fps = None
-        
-    def setClickable(self, s):
-        self.clickable = s
-        
-        
-    def getData(self):
-        if self.xData is None:
-            return (None, None)
-        if self.xDisp is None:
-            nanMask = np.isnan(self.xData) | np.isnan(self.yData)
-            if any(nanMask):
-                x = self.xData[~nanMask]
-                y = self.yData[~nanMask]
-            else:
-                x = self.xData
-                y = self.yData
-            ds = self.opts['downsample']
-            if ds > 1:
-                x = x[::ds]
-                #y = resample(y[:len(x)*ds], len(x))  ## scipy.signal.resample causes nasty ringing
-                y = y[::ds]
-            if self.opts['spectrumMode']:
-                f = fft(y) / len(y)
-                y = abs(f[1:len(f)/2])
-                dt = x[-1] - x[0]
-                x = np.linspace(0, 0.5*len(x)/dt, len(y))
-            if self.opts['logMode'][0]:
-                x = np.log10(x)
-            if self.opts['logMode'][1]:
-                y = np.log10(y)
-            self.xDisp = x
-            self.yDisp = y
-        #print self.yDisp.shape, self.yDisp.min(), self.yDisp.max()
-        #print self.xDisp.shape, self.xDisp.min(), self.xDisp.max()
-        return self.xDisp, self.yDisp
-            
-    #def generateSpecData(self):
-        #f = fft(self.yData) / len(self.yData)
-        #self.ySpec = abs(f[1:len(f)/2])
-        #dt = self.xData[-1] - self.xData[0]
-        #self.xSpec = linspace(0, 0.5*len(self.xData)/dt, len(self.ySpec))
-        
-    def getRange(self, ax, frac=1.0):
-        #print "getRange", ax, frac
-        (x, y) = self.getData()
-        if x is None or len(x) == 0:
-            return (0, 1)
-            
-        if ax == 0:
-            d = x
-        elif ax == 1:
-            d = y
-            
-        if frac >= 1.0:
-            return (d.min(), d.max())
-        elif frac <= 0.0:
-            raise Exception("Value for parameter 'frac' must be > 0. (got %s)" % str(frac))
-        else:
-            return (scipy.stats.scoreatpercentile(d, 50 - (frac * 50)), scipy.stats.scoreatpercentile(d, 50 + (frac * 50)))
-            #bins = 1000
-            #h = histogram(d, bins)
-            #s = len(d) * (1.0-frac)
-            #mnTot = mxTot = 0
-            #mnInd = mxInd = 0
-            #for i in range(bins):
-                #mnTot += h[0][i]
-                #if mnTot > s:
-                    #mnInd = i
-                    #break
-            #for i in range(bins):
-                #mxTot += h[0][-i-1]
-                #if mxTot > s:
-                    #mxInd = -i-1
-                    #break
-            ##print mnInd, mxInd, h[1][mnInd], h[1][mxInd]
-            #return(h[1][mnInd], h[1][mxInd])
-                
-            
-            
-        
-    def setMeta(self, data):
-        self.metaData = data
-        
-    def meta(self):
-        return self.metaData
-        
-    def setPen(self, pen):
-        self.pen = mkPen(pen)
-        self.update()
-        
-    def setColor(self, color):
-        self.pen.setColor(color)
-        self.update()
-        
-    def setAlpha(self, alpha, auto):
-        self.opts['alphaHint'] = alpha
-        self.opts['alphaMode'] = auto
-        self.update()
-        
-    def setSpectrumMode(self, mode):
-        self.opts['spectrumMode'] = mode
-        self.xDisp = self.yDisp = None
-        self.path = None
-        self.update()
-    
-    def setLogMode(self, mode):
-        self.opts['logMode'] = mode
-        self.xDisp = self.yDisp = None
-        self.path = None
-        self.update()
-    
-    def setPointMode(self, mode):
-        self.opts['pointMode'] = mode
-        self.update()
-        
-    def setShadowPen(self, pen):
-        self.shadow = pen
-        self.update()
-
-    def setDownsampling(self, ds):
-        if self.opts['downsample'] != ds:
-            self.opts['downsample'] = ds
-            self.xDisp = self.yDisp = None
-            self.path = None
-            self.update()
-
-    def setData(self, x, y, copy=False):
-        """For Qwt compatibility"""
-        self.updateData(y, x, copy)
-        
-    def updateData(self, data, x=None, copy=False):
-        prof = debug.Profiler('PlotCurveItem.updateData', disabled=True)
-        if isinstance(data, list):
-            data = np.array(data)
-        if isinstance(x, list):
-            x = np.array(x)
-        if not isinstance(data, np.ndarray) or data.ndim > 2:
-            raise Exception("Plot data must be 1 or 2D ndarray (data shape is %s)" % str(data.shape))
-        if x == None:
-            if 'complex' in str(data.dtype):
-                raise Exception("Can not plot complex data types.")
-        else:
-            if 'complex' in str(data.dtype)+str(x.dtype):
-                raise Exception("Can not plot complex data types.")
-        
-        if data.ndim == 2:  ### If data is 2D array, then assume x and y values are in first two columns or rows.
-            if x is not None:
-                raise Exception("Plot data may be 2D only if no x argument is supplied.")
-            ax = 0
-            if data.shape[0] > 2 and data.shape[1] == 2:
-                ax = 1
-            ind = [slice(None), slice(None)]
-            ind[ax] = 0
-            y = data[tuple(ind)]
-            ind[ax] = 1
-            x = data[tuple(ind)]
-        elif data.ndim == 1:
-            y = data
-        prof.mark("data checks")
-        
-        self.setCacheMode(QtGui.QGraphicsItem.NoCache)  ## Disabling and re-enabling the cache works around a bug in Qt 4.6 causing the cached results to display incorrectly
-                                                        ##    Test this bug with test_PlotWidget and zoom in on the animated plot
-        
-        self.prepareGeometryChange()
-        if copy:
-            self.yData = y.copy()
-        else:
-            self.yData = y
-            
-        if copy and x is not None:
-            self.xData = x.copy()
-        else:
-            self.xData = x
-        prof.mark('copy')
-        
-        if x is None:
-            self.xData = np.arange(0, self.yData.shape[0])
-
-        if self.xData.shape != self.yData.shape:
-            raise Exception("X and Y arrays must be the same shape--got %s and %s." % (str(x.shape), str(y.shape)))
-        
-        self.path = None
-        self.xDisp = self.yDisp = None
-        
-        prof.mark('set')
-        self.update()
-        prof.mark('update')
-        #self.emit(QtCore.SIGNAL('plotChanged'), self)
-        self.sigPlotChanged.emit(self)
-        prof.mark('emit')
-        #prof.finish()
-        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
-        prof.mark('set cache mode')
-        prof.finish()
-        
-    def generatePath(self, x, y):
-        prof = debug.Profiler('PlotCurveItem.generatePath', disabled=True)
-        path = QtGui.QPainterPath()
-        
-        ## Create all vertices in path. The method used below creates a binary format so that all 
-        ## vertices can be read in at once. This binary format may change in future versions of Qt, 
-        ## so the original (slower) method is left here for emergencies:
-        #path.moveTo(x[0], y[0])
-        #for i in range(1, y.shape[0]):
-        #    path.lineTo(x[i], y[i])
-            
-        ## Speed this up using >> operator
-        ## Format is:
-        ##    numVerts(i4)   0(i4)
-        ##    x(f8)   y(f8)   0(i4)    <-- 0 means this vertex does not connect
-        ##    x(f8)   y(f8)   1(i4)    <-- 1 means this vertex connects to the previous vertex
-        ##    ...
-        ##    0(i4)
-        ##
-        ## All values are big endian--pack using struct.pack('>d') or struct.pack('>i')
-        
-        n = x.shape[0]
-        # create empty array, pad with extra space on either end
-        arr = np.empty(n+2, dtype=[('x', '>f8'), ('y', '>f8'), ('c', '>i4')])
-        # write first two integers
-        prof.mark('allocate empty')
-        arr.data[12:20] = struct.pack('>ii', n, 0)
-        prof.mark('pack header')
-        # Fill array with vertex values
-        arr[1:-1]['x'] = x
-        arr[1:-1]['y'] = y
-        arr[1:-1]['c'] = 1
-        prof.mark('fill array')
-        # write last 0
-        lastInd = 20*(n+1) 
-        arr.data[lastInd:lastInd+4] = struct.pack('>i', 0)
-        prof.mark('footer')
-        # create datastream object and stream into path
-        buf = QtCore.QByteArray(arr.data[12:lastInd+4])  # I think one unnecessary copy happens here
-        prof.mark('create buffer')
-        ds = QtCore.QDataStream(buf)
-        prof.mark('create datastream')
-        ds >> path
-        prof.mark('load')
-        
-        prof.finish()
-        return path
-        
-    def boundingRect(self):
-        (x, y) = self.getData()
-        if x is None or y is None or len(x) == 0 or len(y) == 0:
-            return QtCore.QRectF()
-            
-            
-        if self.shadow is not None:
-            lineWidth = (max(self.pen.width(), self.shadow.width()) + 1)
-        else:
-            lineWidth = (self.pen.width()+1)
-            
-        
-        pixels = self.pixelVectors()
-        xmin = x.min() - pixels[0].x() * lineWidth
-        xmax = x.max() + pixels[0].x() * lineWidth
-        ymin = y.min() - abs(pixels[1].y()) * lineWidth
-        ymax = y.max() + abs(pixels[1].y()) * lineWidth
-        
-            
-        return QtCore.QRectF(xmin, ymin, xmax-xmin, ymax-ymin)
-
-    def paint(self, p, opt, widget):
-        prof = debug.Profiler('PlotCurveItem.paint '+str(id(self)), disabled=True)
-        if self.xData is None:
-            return
-        #if self.opts['spectrumMode']:
-            #if self.specPath is None:
-                
-                #self.specPath = self.generatePath(*self.getData())
-            #path = self.specPath
-        #else:
-        if self.path is None:
-            self.path = self.generatePath(*self.getData())
-        path = self.path
-        prof.mark('generate path')
-            
-        if self.shadow is not None:
-            sp = QtGui.QPen(self.shadow)
-        else:
-            sp = None
-
-        ## Copy pens and apply alpha adjustment
-        cp = QtGui.QPen(self.pen)
-        for pen in [sp, cp]:
-            if pen is None:
-                continue
-            c = pen.color()
-            c.setAlpha(c.alpha() * self.opts['alphaHint'])
-            pen.setColor(c)
-            #pen.setCosmetic(True)
-            
-        if self.shadow is not None:
-            p.setPen(sp)
-            p.drawPath(path)
-        p.setPen(cp)
-        p.drawPath(path)
-        prof.mark('drawPath')
-        
-        prof.finish()
-        #p.setPen(QtGui.QPen(QtGui.QColor(255,0,0)))
-        #p.drawRect(self.boundingRect())
-        
-        
-    def free(self):
-        self.xData = None  ## raw values
-        self.yData = None
-        self.xDisp = None  ## display values (after log / fft)
-        self.yDisp = None
-        self.path = None
-        #del self.xData, self.yData, self.xDisp, self.yDisp, self.path
-        
-    def mousePressEvent(self, ev):
-        #GraphicsObject.mousePressEvent(self, ev)
-        if not self.clickable:
-            ev.ignore()
-        if ev.button() != QtCore.Qt.LeftButton:
-            ev.ignore()
-        self.mousePressPos = ev.pos()
-        self.mouseMoved = False
-        
-    def mouseMoveEvent(self, ev):
-        #GraphicsObject.mouseMoveEvent(self, ev)
-        self.mouseMoved = True
-        #print "move"
-        
-    def mouseReleaseEvent(self, ev):
-        #GraphicsObject.mouseReleaseEvent(self, ev)
-        if not self.mouseMoved:
-            self.sigClicked.emit(self)
-        
-       
-class CurvePoint(QtGui.QGraphicsObject):
-    """A GraphicsItem that sets its location to a point on a PlotCurveItem.
-    The position along the curve is a property, and thus can be easily animated."""
-    
-    def __init__(self, curve, index=0, pos=None):
-        """Position can be set either as an index referring to the sample number or
-        the position 0.0 - 1.0"""
-        
-        QtGui.QGraphicsObject.__init__(self)
-        #QObjectWorkaround.__init__(self)
-        self.curve = weakref.ref(curve)
-        self.setParentItem(curve)
-        self.setProperty('position', 0.0)
-        self.setProperty('index', 0)
-        
-        if hasattr(self, 'ItemHasNoContents'):
-            self.setFlags(self.flags() | self.ItemHasNoContents)
-        
-        if pos is not None:
-            self.setPos(pos)
-        else:
-            self.setIndex(index)
-            
-    def setPos(self, pos):
-        self.setProperty('position', float(pos))## cannot use numpy types here, MUST be python float.
-        
-    def setIndex(self, index):
-        self.setProperty('index', int(index))  ## cannot use numpy types here, MUST be python int.
-        
-    def event(self, ev):
-        if not isinstance(ev, QtCore.QDynamicPropertyChangeEvent) or self.curve() is None:
-            return False
-            
-        if ev.propertyName() == 'index':
-            index = self.property('index').toInt()[0]
-        elif ev.propertyName() == 'position':
-            index = None
-        else:
-            return False
-            
-        (x, y) = self.curve().getData()
-        if index is None:
-            #print ev.propertyName(), self.property('position').toDouble()[0], self.property('position').typeName()
-            index = (len(x)-1) * clip(self.property('position').toDouble()[0], 0.0, 1.0)
-            
-        if index != int(index):  ## interpolate floating-point values
-            i1 = int(index)
-            i2 = clip(i1+1, 0, len(x)-1)
-            s2 = index-i1
-            s1 = 1.0-s2
-            newPos = (x[i1]*s1+x[i2]*s2, y[i1]*s1+y[i2]*s2)
-        else:
-            index = int(index)
-            i1 = clip(index-1, 0, len(x)-1)
-            i2 = clip(index+1, 0, len(x)-1)
-            newPos = (x[index], y[index])
-            
-        p1 = self.parentItem().mapToScene(QtCore.QPointF(x[i1], y[i1]))
-        p2 = self.parentItem().mapToScene(QtCore.QPointF(x[i2], y[i2]))
-        ang = np.arctan2(p2.y()-p1.y(), p2.x()-p1.x()) ## returns radians
-        self.resetTransform()
-        self.rotate(180+ ang * 180 / np.pi) ## takes degrees
-        QtGui.QGraphicsItem.setPos(self, *newPos)
-        return True
-        
-    def boundingRect(self):
-        return QtCore.QRectF()
-        
-    def paint(self, *args):
-        pass
-    
-    def makeAnimation(self, prop='position', start=0.0, end=1.0, duration=10000, loop=1):
-        anim = QtCore.QPropertyAnimation(self, prop)
-        anim.setDuration(duration)
-        anim.setStartValue(start)
-        anim.setEndValue(end)
-        anim.setLoopCount(loop)
-        return anim
-        
-        
-
-class ArrowItem(QtGui.QGraphicsPolygonItem):
-    def __init__(self, **opts):
-        QtGui.QGraphicsPolygonItem.__init__(self)
-        defOpts = {
-            'style': 'tri',
-            'pxMode': True,
-            'size': 20,
-            'angle': -150,
-            'pos': (0,0),
-            'width': 8,
-            'tipAngle': 25,
-            'baseAngle': 90,
-            'pen': (200,200,200),
-            'brush': (50,50,200),
-        }
-        defOpts.update(opts)
-        
-        self.setStyle(**defOpts)
-        
-        self.setPen(mkPen(defOpts['pen']))
-        self.setBrush(mkBrush(defOpts['brush']))
-        
-        self.rotate(self.opts['angle'])
-        self.moveBy(*self.opts['pos'])
-    
-    def setStyle(self, **opts):
-        self.opts = opts
-        
-        if opts['style'] == 'tri':
-            points = [
-                QtCore.QPointF(0,0),
-                QtCore.QPointF(opts['size'],-opts['width']/2.),
-                QtCore.QPointF(opts['size'],opts['width']/2.),
-            ]
-            poly = QtGui.QPolygonF(points)
-            
-        else:
-            raise Exception("Unrecognized arrow style '%s'" % opts['style'])
-        
-        self.setPolygon(poly)
-        
-        if opts['pxMode']:
-            self.setFlags(self.flags() | self.ItemIgnoresTransformations)
-        else:
-            self.setFlags(self.flags() & ~self.ItemIgnoresTransformations)
-        
-    def paint(self, p, *args):
-        p.setRenderHint(QtGui.QPainter.Antialiasing)
-        QtGui.QGraphicsPolygonItem.paint(self, p, *args)
-        
-class CurveArrow(CurvePoint):
-    """Provides an arrow that points to any specific sample on a PlotCurveItem.
-    Provides properties that can be animated."""
-    
-    def __init__(self, curve, index=0, pos=None, **opts):
-        CurvePoint.__init__(self, curve, index=index, pos=pos)
-        if opts.get('pxMode', True):
-            opts['pxMode'] = False
-            self.setFlags(self.flags() | self.ItemIgnoresTransformations)
-        opts['angle'] = 0
-        self.arrow = ArrowItem(**opts)
-        self.arrow.setParentItem(self)
-        
-    def setStyle(**opts):
-        return self.arrow.setStyle(**opts)
-        
-        
-
-class ScatterPlotItem(GraphicsObject):
-    
-    #sigPointClicked = QtCore.Signal(object, object)
-    sigClicked = QtCore.Signal(object, object)  ## self, points
-    
-    def __init__(self, spots=None, x=None, y=None, pxMode=True, pen='default', brush='default', size=5, identical=False, data=None):
-        """
-        Arguments:
-            spots: list of dicts. Each dict specifies parameters for a single spot.
-            x,y: array of x,y values. Alternatively, specify spots['pos'] = (x,y)
-            pxMode: If True, spots are always the same size regardless of scaling
-            identical: If True, all spots are forced to look identical. 
-                       This can result in performance enhancement."""
-        GraphicsObject.__init__(self)
-        self.spots = []
-        self.range = [[0,0], [0,0]]
-        self.identical = identical
-        self._spotPixmap = None
-        
-        if brush == 'default':
-            self.brush = QtGui.QBrush(QtGui.QColor(100, 100, 150))
-        else:
-            self.brush = mkBrush(brush)
-        
-        if pen == 'default':
-            self.pen = QtGui.QPen(QtGui.QColor(200, 200, 200))
-        else:
-            self.pen = mkPen(pen)
-        
-        self.size = size
-        
-        self.pxMode = pxMode
-        if spots is not None or x is not None:
-            self.setPoints(spots, x, y, data)
-            
-        #self.optimize = optimize
-        #if optimize:
-            #self.spotImage = QtGui.QImage(size, size, QtGui.QImage.Format_ARGB32_Premultiplied)
-            #self.spotImage.fill(0)
-            #p = QtGui.QPainter(self.spotImage)
-            #p.setRenderHint(p.Antialiasing)
-            #p.setBrush(brush)
-            #p.setPen(pen)
-            #p.drawEllipse(0, 0, size, size)
-            #p.end()
-            #self.optimizePixmap = QtGui.QPixmap(self.spotImage)
-            #self.optimizeFragments = []
-            #self.setFlags(self.flags() | self.ItemIgnoresTransformations)
-            
-    def setPxMode(self, mode):
-        self.pxMode = mode
-            
-    def clear(self):
-        for i in self.spots:
-            i.setParentItem(None)
-            s = i.scene()
-            if s is not None:
-                s.removeItem(i)
-        self.spots = []
-        
-
-    def getRange(self, ax, percent):
-        return self.range[ax]
-        
-    def setPoints(self, spots=None, x=None, y=None, data=None):
-        self.clear()
-        self.range = [[0,0],[0,0]]
-        self.addPoints(spots, x, y, data)
-
-    def addPoints(self, spots=None, x=None, y=None, data=None):
-        xmn = ymn = xmx = ymx = None
-        if spots is not None:
-            n = len(spots)
-        else:
-            n = len(x)
-        
-        for i in range(n):
-            if spots is not None:
-                s = spots[i]
-                pos = Point(s['pos'])
-            else:
-                s = {}
-                pos = Point(x[i], y[i])
-            if data is not None:
-                s['data'] = data[i]
-                
-            size = s.get('size', self.size)
-            if self.pxMode:
-                psize = 0
-            else:
-                psize = size
-            if xmn is None:
-                xmn = pos[0]-psize
-                xmx = pos[0]+psize
-                ymn = pos[1]-psize
-                ymx = pos[1]+psize
-            else:
-                xmn = min(xmn, pos[0]-psize)
-                xmx = max(xmx, pos[0]+psize)
-                ymn = min(ymn, pos[1]-psize)
-                ymx = max(ymx, pos[1]+psize)
-            #print pos, xmn, xmx, ymn, ymx
-            brush = s.get('brush', self.brush)
-            pen = s.get('pen', self.pen)
-            pen.setCosmetic(True)
-            data2 = s.get('data', None)
-            item = self.mkSpot(pos, size, self.pxMode, brush, pen, data2, index=len(self.spots))
-            self.spots.append(item)
-            #if self.optimize:
-                #item.hide()
-                #frag = QtGui.QPainter.PixmapFragment.create(pos, QtCore.QRectF(0, 0, size, size))
-                #self.optimizeFragments.append(frag)
-        self.range = [[xmn, xmx], [ymn, ymx]]
-                
-    #def paint(self, p, *args):
-        #if not self.optimize:
-            #return
-        ##p.setClipRegion(self.boundingRect())
-        #p.drawPixmapFragments(self.optimizeFragments, self.optimizePixmap)
-
-    def paint(self, *args):
-        pass
-
-    def spotPixmap(self):
-        if not self.identical:
-            return None
-        if self._spotPixmap is None:
-            self._spotPixmap = PixmapSpotItem.makeSpotImage(self.size, self.pen, self.brush)
-        return self._spotPixmap
-
-    def mkSpot(self, pos, size, pxMode, brush, pen, data, index=None):
-        if pxMode:
-            img = self.spotPixmap()
-            item = PixmapSpotItem(size, brush, pen, data, image=img, index=index)
-        else:
-            item = SpotItem(size, pxMode, brush, pen, data, index=index)
-        item.setParentItem(self)
-        item.setPos(pos)
-        #item.sigClicked.connect(self.pointClicked)
-        return item
-        
-    def boundingRect(self):
-        ((xmn, xmx), (ymn, ymx)) = self.range
-        if xmn is None or xmx is None or ymn is None or ymx is None:
-            return QtCore.QRectF()
-        return QtCore.QRectF(xmn, ymn, xmx-xmn, ymx-ymn)
-        return QtCore.QRectF(xmn-1, ymn-1, xmx-xmn+2, ymx-ymn+2)
-        
-    #def pointClicked(self, point):
-        #self.sigPointClicked.emit(self, point)
-
-    def points(self):
-        return self.spots[:]
-
-    def pointsAt(self, pos):
-        x = pos.x()
-        y = pos.y()
-        pw = self.pixelWidth()
-        ph = self.pixelHeight()
-        pts = []
-        for s in self.spots:
-            sp = s.pos()
-            ss = s.size
-            sx = sp.x()
-            sy = sp.y()
-            s2x = s2y = ss * 0.5
-            if self.pxMode:
-                s2x *= pw
-                s2y *= ph
-            if x > sx-s2x and x < sx+s2x and y > sy-s2y and y < sy+s2y:
-                pts.append(s)
-                #print "HIT:", x, y, sx, sy, s2x, s2y
-            #else:
-                #print "No hit:", (x, y), (sx, sy)
-                #print "       ", (sx-s2x, sy-s2y), (sx+s2x, sy+s2y)
-        pts.sort(lambda a,b: cmp(b.zValue(), a.zValue()))
-        return pts
-            
-
-    def mousePressEvent(self, ev):
-        QtGui.QGraphicsItem.mousePressEvent(self, ev)
-        if ev.button() == QtCore.Qt.LeftButton:
-            pts = self.pointsAt(ev.pos())
-            if len(pts) > 0:
-                self.mouseMoved = False
-                self.ptsClicked = pts
-                ev.accept()
-            else:
-                #print "no spots"
-                ev.ignore()
-        else:
-            ev.ignore()
-        
-    def mouseMoveEvent(self, ev):
-        QtGui.QGraphicsItem.mouseMoveEvent(self, ev)
-        self.mouseMoved = True
-        pass
-    
-    def mouseReleaseEvent(self, ev):
-        QtGui.QGraphicsItem.mouseReleaseEvent(self, ev)
-        if not self.mouseMoved:
-            self.sigClicked.emit(self, self.ptsClicked)
-
-
-class SpotItem(QtGui.QGraphicsWidget):
-    #sigClicked = QtCore.Signal(object)
-    
-    def __init__(self, size, pxMode, brush, pen, data, index=None):
-        QtGui.QGraphicsWidget.__init__(self)
-        self.pxMode = pxMode
-            
-        self.pen = pen
-        self.brush = brush
-        self.size = size
-        self.index = index
-        #s2 = size/2.
-        self.path = QtGui.QPainterPath()
-        self.path.addEllipse(QtCore.QRectF(-0.5, -0.5, 1, 1))
-        if pxMode:
-            #self.setCacheMode(self.DeviceCoordinateCache)   ## broken.
-            self.setFlags(self.flags() | self.ItemIgnoresTransformations)
-            self.spotImage = QtGui.QImage(size, size, QtGui.QImage.Format_ARGB32_Premultiplied)
-            self.spotImage.fill(0)
-            p = QtGui.QPainter(self.spotImage)
-            p.setRenderHint(p.Antialiasing)
-            p.setBrush(brush)
-            p.setPen(pen)
-            p.drawEllipse(0, 0, size, size)
-            p.end()
-            self.pixmap = QtGui.QPixmap(self.spotImage)
-        else:
-            self.scale(size, size)
-        self.data = data
-        
-    def setBrush(self, brush):
-        self.brush = mkBrush(brush)
-        self.update()
-        
-    def setPen(self, pen):
-        self.pen = mkPen(pen)
-        self.update()
-        
-    def boundingRect(self):
-        return self.path.boundingRect()
-        
-    def shape(self):
-        return self.path
-        
-    def paint(self, p, *opts):
-        if self.pxMode:
-            p.drawPixmap(QtCore.QPoint(int(-0.5*self.size), int(-0.5*self.size)), self.pixmap)
-        else:
-            p.setPen(self.pen)
-            p.setBrush(self.brush)
-            p.drawPath(self.path)
-        
-    #def mousePressEvent(self, ev):
-        #QtGui.QGraphicsItem.mousePressEvent(self, ev)
-        #if ev.button() == QtCore.Qt.LeftButton:
-            #self.mouseMoved = False
-            #ev.accept()
-        #else:
-            #ev.ignore()
-
-        
-        
-    #def mouseMoveEvent(self, ev):
-        #QtGui.QGraphicsItem.mouseMoveEvent(self, ev)
-        #self.mouseMoved = True
-        #pass
-    
-    #def mouseReleaseEvent(self, ev):
-        #QtGui.QGraphicsItem.mouseReleaseEvent(self, ev)
-        #if not self.mouseMoved:
-            #self.sigClicked.emit(self)
-        
-class PixmapSpotItem(QtGui.QGraphicsItem):
-    #sigClicked = QtCore.Signal(object)
-    
-    def __init__(self, size, brush, pen, data, image=None, index=None):
-        """This class draws a scale-invariant image centered at 0,0.
-        If no image is specified, then an antialiased circle is constructed instead.
-        It should be quite fast, but large spots will use a lot of memory."""
-        
-        QtGui.QGraphicsItem.__init__(self)
-        self.pen = pen
-        self.brush = brush
-        self.size = size
-        self.index = index
-        self.setFlags(self.flags() | self.ItemIgnoresTransformations | self.ItemHasNoContents)
-        if image is None:
-            self.image = self.makeSpotImage(self.size, self.pen, self.brush)
-        else:
-            self.image = image
-        self.pixmap = QtGui.QPixmap(self.image)
-        #self.setPixmap(self.pixmap)
-        self.data = data
-        self.pi = QtGui.QGraphicsPixmapItem(self.pixmap, self)
-        self.pi.setPos(-0.5*size, -0.5*size)
-        
-        #self.translate(-0.5, -0.5)
-    def boundingRect(self):
-        return self.pi.boundingRect()
-        
-    @staticmethod
-    def makeSpotImage(size, pen, brush):
-        img = QtGui.QImage(size+2, size+2, QtGui.QImage.Format_ARGB32_Premultiplied)
-        img.fill(0)
-        p = QtGui.QPainter(img)
-        try:
-            p.setRenderHint(p.Antialiasing)
-            p.setBrush(brush)
-            p.setPen(pen)
-            p.drawEllipse(1, 1, size, size)
-        finally:
-            p.end()  ## failure to end a painter properly causes crash.
-        return img
-        
-        
-        
-    #def paint(self, p, *args):
-        #p.setCompositionMode(p.CompositionMode_Plus)
-        #QtGui.QGraphicsPixmapItem.paint(self, p, *args)
-        
-    #def setBrush(self, brush):
-        #self.brush = mkBrush(brush)
-        #self.update()
-        
-    #def setPen(self, pen):
-        #self.pen = mkPen(pen)
-        #self.update()
-        
-    #def boundingRect(self):
-        #return self.path.boundingRect()
-        
-    #def shape(self):
-        #return self.path
-        
-    #def paint(self, p, *opts):
-        #if self.pxMode:
-            #p.drawPixmap(QtCore.QPoint(int(-0.5*self.size), int(-0.5*self.size)), self.pixmap)
-        #else:
-            #p.setPen(self.pen)
-            #p.setBrush(self.brush)
-            #p.drawPath(self.path)
-
-
-
-class ROIPlotItem(PlotCurveItem):
-    """Plot curve that monitors an ROI and image for changes to automatically replot."""
-    def __init__(self, roi, data, img, axes=(0,1), xVals=None, color=None):
-        self.roi = roi
-        self.roiData = data
-        self.roiImg = img
-        self.axes = axes
-        self.xVals = xVals
-        PlotCurveItem.__init__(self, self.getRoiData(), x=self.xVals, color=color)
-        #roi.connect(roi, QtCore.SIGNAL('regionChanged'), self.roiChangedEvent)
-        roi.sigRegionChanged.connect(self.roiChangedEvent)
-        #self.roiChangedEvent()
-        
-    def getRoiData(self):
-        d = self.roi.getArrayRegion(self.roiData, self.roiImg, axes=self.axes)
-        if d is None:
-            return
-        while d.ndim > 1:
-            d = d.mean(axis=1)
-        return d
-        
-    def roiChangedEvent(self):
-        d = self.getRoiData()
-        self.updateData(d, self.xVals)
-
-
-
-
-class UIGraphicsItem(GraphicsObject):
-    """Base class for graphics items with boundaries relative to a GraphicsView widget"""
-    def __init__(self, view, bounds=None):
-        GraphicsObject.__init__(self)
-        self._view = weakref.ref(view)
-        if bounds is None:
-            self._bounds = QtCore.QRectF(0, 0, 1, 1)
-        else:
-            self._bounds = bounds
-        self._viewRect = self._view().rect()
-        self._viewTransform = self.viewTransform()
-        self.setNewBounds()
-        #QtCore.QObject.connect(view, QtCore.SIGNAL('viewChanged'), self.viewChangedEvent)
-        view.sigRangeChanged.connect(self.viewRangeChanged)
-        
-    def viewRect(self):
-        """Return the viewport widget rect"""
-        return self._view().rect()
-    
-    def viewTransform(self):
-        """Returns a matrix that maps viewport coordinates onto scene coordinates"""
-        if self._view() is None:
-            return QtGui.QTransform()
-        else:
-            return self._view().viewportTransform()
-        
-    def boundingRect(self):
-        if self._view() is None:
-            self.bounds = self._bounds
-        else:
-            vr = self._view().rect()
-            tr = self.viewTransform()
-            if vr != self._viewRect or tr != self._viewTransform:
-                #self.viewChangedEvent(vr, self._viewRect)
-                self._viewRect = vr
-                self._viewTransform = tr
-                self.setNewBounds()
-        #print "viewRect", self._viewRect.x(), self._viewRect.y(), self._viewRect.width(), self._viewRect.height()
-        #print "bounds", self.bounds.x(), self.bounds.y(), self.bounds.width(), self.bounds.height()
-        return self.bounds
-
-    def setNewBounds(self):
-        bounds = QtCore.QRectF(
-            QtCore.QPointF(self._bounds.left()*self._viewRect.width(), self._bounds.top()*self._viewRect.height()),
-            QtCore.QPointF(self._bounds.right()*self._viewRect.width(), self._bounds.bottom()*self._viewRect.height())
-        )
-        bounds.adjust(0.5, 0.5, 0.5, 0.5)
-        self.bounds = self.viewTransform().inverted()[0].mapRect(bounds)
-        self.prepareGeometryChange()
-
-    def viewRangeChanged(self):
-        """Called when the view widget is resized"""
-        self.boundingRect()
-        self.update()
-        
-    def unitRect(self):
-        return self.viewTransform().inverted()[0].mapRect(QtCore.QRectF(0, 0, 1, 1))
-
-    def paint(self, *args):
-        pass
-
-
-class DebugText(QtGui.QGraphicsTextItem):
-    def paint(self, *args):
-        p = debug.Profiler("DebugText.paint", disabled=True)
-        QtGui.QGraphicsTextItem.paint(self, *args)
-        p.finish()
-
-class LabelItem(QtGui.QGraphicsWidget):
-    def __init__(self, text, parent=None, **args):
-        QtGui.QGraphicsWidget.__init__(self, parent)
-        self.item = DebugText(self)
-        self.opts = args
-        if 'color' not in args:
-            self.opts['color'] = 'CCC'
-        else:
-            if isinstance(args['color'], QtGui.QColor):
-                self.opts['color'] = colorStr(args['color'])[:6]
-        self.sizeHint = {}
-        self.setText(text)
-        
-            
-    def setAttr(self, attr, value):
-        """Set default text properties. See setText() for accepted parameters."""
-        self.opts[attr] = value
-        
-    def setText(self, text, **args):
-        """Set the text and text properties in the label. Accepts optional arguments for auto-generating
-        a CSS style string:
-           color:   string (example: 'CCFF00')
-           size:    string (example: '8pt')
-           bold:    boolean
-           italic:  boolean
-           """
-        self.text = text
-        opts = self.opts.copy()
-        for k in args:
-            opts[k] = args[k]
-        
-        optlist = []
-        if 'color' in opts:
-            optlist.append('color: #' + opts['color'])
-        if 'size' in opts:
-            optlist.append('font-size: ' + opts['size'])
-        if 'bold' in opts and opts['bold'] in [True, False]:
-            optlist.append('font-weight: ' + {True:'bold', False:'normal'}[opts['bold']])
-        if 'italic' in opts and opts['italic'] in [True, False]:
-            optlist.append('font-style: ' + {True:'italic', False:'normal'}[opts['italic']])
-        full = "<span style='%s'>%s</span>" % ('; '.join(optlist), text)
-        #print full
-        self.item.setHtml(full)
-        self.updateMin()
-        
-    def resizeEvent(self, ev):
-        c1 = self.boundingRect().center()
-        c2 = self.item.mapToParent(self.item.boundingRect().center()) # + self.item.pos()
-        dif = c1 - c2
-        self.item.moveBy(dif.x(), dif.y())
-        #print c1, c2, dif, self.item.pos()
-        
-    def setAngle(self, angle):
-        self.angle = angle
-        self.item.resetTransform()
-        self.item.rotate(angle)
-        self.updateMin()
-        
-    def updateMin(self):
-        bounds = self.item.mapRectToParent(self.item.boundingRect())
-        self.setMinimumWidth(bounds.width())
-        self.setMinimumHeight(bounds.height())
-        #print self.text, bounds.width(), bounds.height()
-        
-        #self.sizeHint = {
-            #QtCore.Qt.MinimumSize: (bounds.width(), bounds.height()),
-            #QtCore.Qt.PreferredSize: (bounds.width(), bounds.height()),
-            #QtCore.Qt.MaximumSize: (bounds.width()*2, bounds.height()*2),
-            #QtCore.Qt.MinimumDescent: (0, 0)  ##?? what is this?
-        #}
-            
-        
-    #def sizeHint(self, hint, constraint):
-        #return self.sizeHint[hint]
-        
-
-
-
-
-class ScaleItem(QtGui.QGraphicsWidget):
-    def __init__(self, orientation, pen=None, linkView=None, parent=None):
-        """GraphicsItem showing a single plot axis with ticks, values, and label.
-        Can be configured to fit on any side of a plot, and can automatically synchronize its displayed scale with ViewBox items.
-        Ticks can be extended to make a grid."""
-        QtGui.QGraphicsWidget.__init__(self, parent)
-        self.label = QtGui.QGraphicsTextItem(self)
-        self.orientation = orientation
-        if orientation not in ['left', 'right', 'top', 'bottom']:
-            raise Exception("Orientation argument must be one of 'left', 'right', 'top', or 'bottom'.")
-        if orientation in ['left', 'right']:
-            #self.setMinimumWidth(25)
-            #self.setSizePolicy(QtGui.QSizePolicy(
-                #QtGui.QSizePolicy.Minimum,
-                #QtGui.QSizePolicy.Expanding
-            #))
-            self.label.rotate(-90)
-        #else:
-            #self.setMinimumHeight(50)
-            #self.setSizePolicy(QtGui.QSizePolicy(
-                #QtGui.QSizePolicy.Expanding,
-                #QtGui.QSizePolicy.Minimum
-            #))
-        #self.drawLabel = False
-        
-        self.labelText = ''
-        self.labelUnits = ''
-        self.labelUnitPrefix=''
-        self.labelStyle = {'color': '#CCC'}
-        
-        self.textHeight = 18
-        self.tickLength = 10
-        self.scale = 1.0
-        self.autoScale = True
-            
-        self.setRange(0, 1)
-        
-        if pen is None:
-            pen = QtGui.QPen(QtGui.QColor(100, 100, 100))
-        self.setPen(pen)
-        
-        self.linkedView = None
-        if linkView is not None:
-            self.linkToView(linkView)
-            
-        self.showLabel(False)
-        
-        self.grid = False
-        self.setCacheMode(self.DeviceCoordinateCache)
-            
-    def close(self):
-        self.scene().removeItem(self.label)
-        self.label = None
-        self.scene().removeItem(self)
-        
-    def setGrid(self, grid):
-        """Set the alpha value for the grid, or False to disable."""
-        self.grid = grid
-        self.update()
-        
-        
-    def resizeEvent(self, ev=None):
-        #s = self.size()
-        
-        ## Set the position of the label
-        nudge = 5
-        br = self.label.boundingRect()
-        p = QtCore.QPointF(0, 0)
-        if self.orientation == 'left':
-            p.setY(int(self.size().height()/2 + br.width()/2))
-            p.setX(-nudge)
-            #s.setWidth(10)
-        elif self.orientation == 'right':
-            #s.setWidth(10)
-            p.setY(int(self.size().height()/2 + br.width()/2))
-            p.setX(int(self.size().width()-br.height()+nudge))
-        elif self.orientation == 'top':
-            #s.setHeight(10)
-            p.setY(-nudge)
-            p.setX(int(self.size().width()/2. - br.width()/2.))
-        elif self.orientation == 'bottom':
-            p.setX(int(self.size().width()/2. - br.width()/2.))
-            #s.setHeight(10)
-            p.setY(int(self.size().height()-br.height()+nudge))
-        #self.label.resize(s)
-        self.label.setPos(p)
-        
-    def showLabel(self, show=True):
-        #self.drawLabel = show
-        self.label.setVisible(show)
-        if self.orientation in ['left', 'right']:
-            self.setWidth()
-        else:
-            self.setHeight()
-        if self.autoScale:
-            self.setScale()
-        
-    def setLabel(self, text=None, units=None, unitPrefix=None, **args):
-        if text is not None:
-            self.labelText = text
-            self.showLabel()
-        if units is not None:
-            self.labelUnits = units
-            self.showLabel()
-        if unitPrefix is not None:
-            self.labelUnitPrefix = unitPrefix
-        if len(args) > 0:
-            self.labelStyle = args
-        self.label.setHtml(self.labelString())
-        self.resizeEvent()
-        self.update()
-            
-    def labelString(self):
-        if self.labelUnits == '':
-            if self.scale == 1.0:
-                units = ''
-            else:
-                units = u'(x%g)' % (1.0/self.scale)
-        else:
-            #print repr(self.labelUnitPrefix), repr(self.labelUnits)
-            units = u'(%s%s)' % (self.labelUnitPrefix, self.labelUnits)
-            
-        s = u'%s %s' % (self.labelText, units)
-        
-        style = ';'.join(['%s: "%s"' % (k, self.labelStyle[k]) for k in self.labelStyle])
-        
-        return u"<span style='%s'>%s</span>" % (style, s)
-        
-    def setHeight(self, h=None):
-        if h is None:
-            h = self.textHeight + self.tickLength
-            if self.label.isVisible():
-                h += self.textHeight
-        self.setMaximumHeight(h)
-        self.setMinimumHeight(h)
-        
-        
-    def setWidth(self, w=None):
-        if w is None:
-            w = self.tickLength + 40
-            if self.label.isVisible():
-                w += self.textHeight
-        self.setMaximumWidth(w)
-        self.setMinimumWidth(w)
-        
-    def setPen(self, pen):
-        self.pen = pen
-        self.update()
-        
-    def setScale(self, scale=None):
-        if scale is None:
-            #if self.drawLabel:  ## If there is a label, then we are free to rescale the values 
-            if self.label.isVisible():
-                d = self.range[1] - self.range[0]
-                #pl = 1-int(log10(d))
-                #scale = 10 ** pl
-                (scale, prefix) = siScale(d / 2.)
-                if self.labelUnits == '' and prefix in ['k', 'm']:  ## If we are not showing units, wait until 1e6 before scaling.
-                    scale = 1.0
-                    prefix = ''
-                self.setLabel(unitPrefix=prefix)
-            else:
-                scale = 1.0
-        
-        
-        if scale != self.scale:
-            self.scale = scale
-            self.setLabel()
-            self.update()
-        
-    def setRange(self, mn, mx):
-        if mn in [np.nan, np.inf, -np.inf] or mx in [np.nan, np.inf, -np.inf]:
-            raise Exception("Not setting range to [%s, %s]" % (str(mn), str(mx)))
-        self.range = [mn, mx]
-        if self.autoScale:
-            self.setScale()
-        self.update()
-        
-    def linkToView(self, view):
-        if self.orientation in ['right', 'left']:
-            if self.linkedView is not None and self.linkedView() is not None:
-                #view.sigYRangeChanged.disconnect(self.linkedViewChanged)
-                ## should be this instead?
-                self.linkedView().sigYRangeChanged.disconnect(self.linkedViewChanged)
-            self.linkedView = weakref.ref(view)
-            view.sigYRangeChanged.connect(self.linkedViewChanged)
-            #signal = QtCore.SIGNAL('yRangeChanged')
-        else:
-            if self.linkedView is not None and self.linkedView() is not None:
-                #view.sigYRangeChanged.disconnect(self.linkedViewChanged)
-                ## should be this instead?
-                self.linkedView().sigXRangeChanged.disconnect(self.linkedViewChanged)
-            self.linkedView = weakref.ref(view)
-            view.sigXRangeChanged.connect(self.linkedViewChanged)
-            #signal = QtCore.SIGNAL('xRangeChanged')
-            
-        
-    def linkedViewChanged(self, view, newRange):
-        self.setRange(*newRange)
-        
-    def boundingRect(self):
-        if self.linkedView is None or self.linkedView() is None or self.grid is False:
-            return self.mapRectFromParent(self.geometry())
-        else:
-            return self.mapRectFromParent(self.geometry()) | self.mapRectFromScene(self.linkedView().mapRectToScene(self.linkedView().boundingRect()))
-        
-    def paint(self, p, opt, widget):
-        prof = debug.Profiler("ScaleItem.paint", disabled=True)
-        p.setPen(self.pen)
-        
-        #bounds = self.boundingRect()
-        bounds = self.mapRectFromParent(self.geometry())
-        
-        if self.linkedView is None or self.linkedView() is None or self.grid is False:
-            tbounds = bounds
-        else:
-            tbounds = self.mapRectFromScene(self.linkedView().mapRectToScene(self.linkedView().boundingRect()))
-        
-        if self.orientation == 'left':
-            p.drawLine(bounds.topRight(), bounds.bottomRight())
-            tickStart = tbounds.right()
-            tickStop = bounds.right()
-            tickDir = -1
-            axis = 0
-        elif self.orientation == 'right':
-            p.drawLine(bounds.topLeft(), bounds.bottomLeft())
-            tickStart = tbounds.left()
-            tickStop = bounds.left()
-            tickDir = 1
-            axis = 0
-        elif self.orientation == 'top':
-            p.drawLine(bounds.bottomLeft(), bounds.bottomRight())
-            tickStart = tbounds.bottom()
-            tickStop = bounds.bottom()
-            tickDir = -1
-            axis = 1
-        elif self.orientation == 'bottom':
-            p.drawLine(bounds.topLeft(), bounds.topRight())
-            tickStart = tbounds.top()
-            tickStop = bounds.top()
-            tickDir = 1
-            axis = 1
-        
-        ## Determine optimal tick spacing
-        #intervals = [1., 2., 5., 10., 20., 50.]
-        #intervals = [1., 2.5, 5., 10., 25., 50.]
-        intervals = [1., 2., 10., 20., 100.]
-        dif = abs(self.range[1] - self.range[0])
-        if dif == 0.0:
-            return
-        #print "dif:", dif
-        pw = 10 ** (np.floor(np.log10(dif))-1)
-        for i in range(len(intervals)):
-            i1 = i
-            if dif / (pw*intervals[i]) < 10:
-                break
-        
-        textLevel = i1  ## draw text at this scale level
-        
-        #print "range: %s   dif: %f   power: %f  interval: %f   spacing: %f" % (str(self.range), dif, pw, intervals[i1], sp)
-        
-        #print "  start at %f,  %d ticks" % (start, num)
-        
-        
-        if axis == 0:
-            xs = -bounds.height() / dif
-        else:
-            xs = bounds.width() / dif
-        
-        prof.mark('init')
-            
-        tickPositions = set() # remembers positions of previously drawn ticks
-        ## draw ticks and generate list of texts to draw
-        ## (to improve performance, we do not interleave line and text drawing, since this causes unnecessary pipeline switching)
-        ## draw three different intervals, long ticks first
-        texts = []
-        for i in reversed([i1, i1+1, i1+2]):
-            if i > len(intervals):
-                continue
-            ## spacing for this interval
-            sp = pw*intervals[i]
-            
-            ## determine starting tick
-            start = np.ceil(self.range[0] / sp) * sp
-            
-            ## determine number of ticks
-            num = int(dif / sp) + 1
-            
-            ## last tick value
-            last = start + sp * num
-            
-            ## Number of decimal places to print
-            maxVal = max(abs(start), abs(last))
-            places = max(0, 1-int(np.log10(sp*self.scale)))
-        
-            ## length of tick
-            h = min(self.tickLength, (self.tickLength*3 / num) - 1.)
-            
-            ## alpha
-            a = min(255, (765. / num) - 1.)
-            
-            if axis == 0:
-                offset = self.range[0] * xs - bounds.height()
-            else:
-                offset = self.range[0] * xs
-            
-            for j in range(num):
-                v = start + sp * j
-                x = (v * xs) - offset
-                p1 = [0, 0]
-                p2 = [0, 0]
-                p1[axis] = tickStart
-                p2[axis] = tickStop + h*tickDir
-                p1[1-axis] = p2[1-axis] = x
-                
-                if p1[1-axis] > [bounds.width(), bounds.height()][1-axis]:
-                    continue
-                if p1[1-axis] < 0:
-                    continue
-                p.setPen(QtGui.QPen(QtGui.QColor(100, 100, 100, a)))
-                # draw tick only if there is none
-                tickPos = p1[1-axis]
-                if tickPos not in tickPositions:
-                    p.drawLine(Point(p1), Point(p2))
-                    tickPositions.add(tickPos)
-                if i == textLevel:
-                    if abs(v) < .001 or abs(v) >= 10000:
-                        vstr = "%g" % (v * self.scale)
-                    else:
-                        vstr = ("%%0.%df" % places) % (v * self.scale)
-                        
-                    textRect = p.boundingRect(QtCore.QRectF(0, 0, 100, 100), QtCore.Qt.AlignCenter, vstr)
-                    height = textRect.height()
-                    self.textHeight = height
-                    if self.orientation == 'left':
-                        textFlags = QtCore.Qt.AlignRight|QtCore.Qt.AlignVCenter
-                        rect = QtCore.QRectF(tickStop-100, x-(height/2), 100-self.tickLength, height)
-                    elif self.orientation == 'right':
-                        textFlags = QtCore.Qt.AlignLeft|QtCore.Qt.AlignVCenter
-                        rect = QtCore.QRectF(tickStop+self.tickLength, x-(height/2), 100-self.tickLength, height)
-                    elif self.orientation == 'top':
-                        textFlags = QtCore.Qt.AlignCenter|QtCore.Qt.AlignBottom
-                        rect = QtCore.QRectF(x-100, tickStop-self.tickLength-height, 200, height)
-                    elif self.orientation == 'bottom':
-                        textFlags = QtCore.Qt.AlignCenter|QtCore.Qt.AlignTop
-                        rect = QtCore.QRectF(x-100, tickStop+self.tickLength, 200, height)
-                    
-                    p.setPen(QtGui.QPen(QtGui.QColor(100, 100, 100)))
-                    #p.drawText(rect, textFlags, vstr)
-                    texts.append((rect, textFlags, vstr))
-                    
-        prof.mark('draw ticks')
-        for args in texts:
-            p.drawText(*args)
-        prof.mark('draw text')
-        prof.finish()
-        
-    def show(self):
-        
-        if self.orientation in ['left', 'right']:
-            self.setWidth()
-        else:
-            self.setHeight()
-        QtGui.QGraphicsWidget.show(self)
-        
-    def hide(self):
-        if self.orientation in ['left', 'right']:
-            self.setWidth(0)
-        else:
-            self.setHeight(0)
-        QtGui.QGraphicsWidget.hide(self)
-
-    def wheelEvent(self, ev):
-        if self.linkedView is None or self.linkedView() is None: return
-        if self.orientation in ['left', 'right']:
-            self.linkedView().wheelEvent(ev, axis=1)
-        else:
-            self.linkedView().wheelEvent(ev, axis=0)
-        ev.accept()
-
-
-
-class ViewBox(QtGui.QGraphicsWidget):
-    
-    sigYRangeChanged = QtCore.Signal(object, object)
-    sigXRangeChanged = QtCore.Signal(object, object)
-    sigRangeChangedManually = QtCore.Signal(object)
-    sigRangeChanged = QtCore.Signal(object, object)
-    
-    """Box that allows internal scaling/panning of children by mouse drag. Not compatible with GraphicsView having the same functionality."""
-    def __init__(self, parent=None, border=None):
-        QtGui.QGraphicsWidget.__init__(self, parent)
-        #self.gView = view
-        #self.showGrid = showGrid
-        
-        ## separating targetRange and viewRange allows the view to be resized
-        ## while keeping all previously viewed contents visible
-        self.targetRange = [[0,1], [0,1]]   ## child coord. range visible [[xmin, xmax], [ymin, ymax]]
-        self.viewRange = [[0,1], [0,1]]     ## actual range viewed
-        
-        self.wheelScaleFactor = -1.0 / 8.0
-        self.aspectLocked = False
-        self.setFlag(QtGui.QGraphicsItem.ItemClipsChildrenToShape)
-        #self.setFlag(QtGui.QGraphicsItem.ItemClipsToShape)
-        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
-        
-        #self.childGroup = QtGui.QGraphicsItemGroup(self)
-        self.childGroup = ItemGroup(self)
-        self.currentScale = Point(1, 1)
-        
-        self.yInverted = False
-        #self.invertY()
-        self.setZValue(-100)
-        #self.picture = None
-        self.setSizePolicy(QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Expanding))
-        
-        self.border = border
-        
-        self.mouseEnabled = [True, True]
-    
-    def setMouseEnabled(self, x, y):
-        self.mouseEnabled = [x, y]
-    
-    def addItem(self, item):
-        if item.zValue() < self.zValue():
-            item.setZValue(self.zValue()+1)
-        item.setParentItem(self.childGroup)
-        #print "addItem:", item, item.boundingRect()
-        
-    def removeItem(self, item):
-        self.scene().removeItem(item)
-        
-    def resizeEvent(self, ev):
-        #self.setRange(self.range, padding=0)
-        self.updateMatrix()
-        
-
-    def viewRect(self):
-        try:
-            vr0 = self.viewRange[0]
-            vr1 = self.viewRange[1]
-            return QtCore.QRectF(vr0[0], vr1[0], vr0[1]-vr0[0], vr1[1] - vr1[0])
-        except:
-            print "make qrectf failed:", self.viewRange
-            raise
-    
-    def targetRect(self):  
-        """Return the region which has been requested to be visible. 
-        (this is not necessarily the same as the region that is *actually* visible)"""
-        try:
-            tr0 = self.targetRange[0]
-            tr1 = self.targetRange[1]
-            return QtCore.QRectF(tr0[0], tr1[0], tr0[1]-tr0[0], tr1[1] - tr1[0])
-        except:
-            print "make qrectf failed:", self.targetRange
-            raise
-    
-    def invertY(self, b=True):
-        self.yInverted = b
-        self.updateMatrix()
-        
-    def setAspectLocked(self, lock=True, ratio=1):
-        """If the aspect ratio is locked, view scaling is always forced to be isotropic.
-        By default, the ratio is set to 1; x and y both have the same scaling.
-        This ratio can be overridden (width/height), or use None to lock in the current ratio.
-        """
-        if not lock:
-            self.aspectLocked = False
-        else:
-            vr = self.viewRect()
-            currentRatio = vr.width() / vr.height()
-            if ratio is None:
-                ratio = currentRatio
-            self.aspectLocked = ratio
-            if ratio != currentRatio:  ## If this would change the current range, do that now
-                #self.setRange(0, self.viewRange[0][0], self.viewRange[0][1])
-                self.updateMatrix()
-        
-    def childTransform(self):
-        m = self.childGroup.transform()
-        m1 = QtGui.QTransform()
-        m1.translate(self.childGroup.pos().x(), self.childGroup.pos().y())
-        return m*m1
-    
-
-    def viewScale(self):
-        vr = self.viewRect()
-        #print "viewScale:", self.range
-        xd = vr.width()
-        yd = vr.height()
-        if xd == 0 or yd == 0:
-            print "Warning: 0 range in view:", xd, yd
-            return np.array([1,1])
-        
-        #cs = self.canvas().size()
-        cs = self.boundingRect()
-        scale = np.array([cs.width() / xd, cs.height() / yd])
-        #print "view scale:", scale
-        return scale
-
-    def scaleBy(self, s, center=None):
-        """Scale by s around given center point (or center of view)"""
-        #print "scaleBy", s, center
-        #if self.aspectLocked:
-            #s[0] = s[1]
-        scale = Point(s)
-        if self.aspectLocked is not False:
-            scale[0] = self.aspectLocked * scale[1]
-            
-            
-        #xr, yr = self.range
-        vr = self.viewRect()
-        if center is None:
-            center = Point(vr.center())
-            #xc = (xr[1] + xr[0]) * 0.5
-            #yc = (yr[1] + yr[0]) * 0.5
-        else:
-            center = Point(center)
-            #(xc, yc) = center
-        
-        #x1 = xc + (xr[0]-xc) * s[0]
-        #x2 = xc + (xr[1]-xc) * s[0]
-        #y1 = yc + (yr[0]-yc) * s[1]
-        #y2 = yc + (yr[1]-yc) * s[1]
-        tl = center + (vr.topLeft()-center) * scale
-        br = center + (vr.bottomRight()-center) * scale
-       
-        #print xr, xc, s, (xr[0]-xc) * s[0], (xr[1]-xc) * s[0]
-        #print [[x1, x2], [y1, y2]]
-        
-        #if not self.aspectLocked:
-            #self.setXRange(x1, x2, update=False, padding=0)
-        #self.setYRange(y1, y2, padding=0)
-        #print self.range
-        
-        self.setRange(QtCore.QRectF(tl, br), padding=0)
-        
-    def translateBy(self, t, viewCoords=False):
-        t = t.astype(np.float)
-        #print "translate:", t, self.viewScale()
-        if viewCoords:  ## scale from pixels
-            t /= self.viewScale()
-        #xr, yr = self.range
-        
-        vr = self.viewRect()
-        #print xr, yr, t
-        #self.setXRange(xr[0] + t[0], xr[1] + t[0], update=False, padding=0)
-        #self.setYRange(yr[0] + t[1], yr[1] + t[1], padding=0)
-        self.setRange(vr.translated(Point(t)), padding=0)
-        
-    def wheelEvent(self, ev, axis=None):
-        mask = np.array(self.mouseEnabled, dtype=np.float)
-        if axis is not None and axis >= 0 and axis < len(mask):
-            mv = mask[axis]
-            mask[:] = 0
-            mask[axis] = mv
-        s = ((mask * 0.02) + 1) ** (ev.delta() * self.wheelScaleFactor) # actual scaling factor
-        # scale 'around' mouse cursor position
-        center = Point(self.childGroup.transform().inverted()[0].map(ev.pos()))
-        self.scaleBy(s, center)
-        #self.emit(QtCore.SIGNAL('rangeChangedManually'), self.mouseEnabled)
-        self.sigRangeChangedManually.emit(self.mouseEnabled)
-        ev.accept()
-
-    def mouseMoveEvent(self, ev):
-        QtGui.QGraphicsWidget.mouseMoveEvent(self, ev)
-        pos = np.array([ev.pos().x(), ev.pos().y()])
-        dif = pos - self.mousePos
-        dif *= -1
-        self.mousePos = pos
-        
-        ## Ignore axes if mouse is disabled
-        mask = np.array(self.mouseEnabled, dtype=np.float)
-        
-        ## Scale or translate based on mouse button
-        if ev.buttons() & (QtCore.Qt.LeftButton | QtCore.Qt.MidButton):
-            if not self.yInverted:
-                mask *= np.array([1, -1])
-            tr = dif*mask
-            self.translateBy(tr, viewCoords=True)
-            #self.emit(QtCore.SIGNAL('rangeChangedManually'), self.mouseEnabled)
-            self.sigRangeChangedManually.emit(self.mouseEnabled)
-            ev.accept()
-        elif ev.buttons() & QtCore.Qt.RightButton:
-            if self.aspectLocked is not False:
-                mask[0] = 0
-            dif = ev.screenPos() - ev.lastScreenPos()
-            dif = np.array([dif.x(), dif.y()])
-            dif[0] *= -1
-            s = ((mask * 0.02) + 1) ** dif
-            #print mask, dif, s
-            center = Point(self.childGroup.transform().inverted()[0].map(ev.buttonDownPos(QtCore.Qt.RightButton)))
-            self.scaleBy(s, center)
-            #self.emit(QtCore.SIGNAL('rangeChangedManually'), self.mouseEnabled)
-            self.sigRangeChangedManually.emit(self.mouseEnabled)
-            ev.accept()
-        else:
-            ev.ignore()
-        
-    def mousePressEvent(self, ev):
-        QtGui.QGraphicsWidget.mousePressEvent(self, ev)
-        
-        self.mousePos = np.array([ev.pos().x(), ev.pos().y()])
-        self.pressPos = self.mousePos.copy()
-        ev.accept()
-        
-    def mouseReleaseEvent(self, ev):
-        QtGui.QGraphicsWidget.mouseReleaseEvent(self, ev)
-        pos = np.array([ev.pos().x(), ev.pos().y()])
-        #if sum(abs(self.pressPos - pos)) < 3:  ## Detect click
-            #if ev.button() == QtCore.Qt.RightButton:
-                #self.ctrlMenu.popup(self.mapToGlobal(ev.pos()))
-        self.mousePos = pos
-        ev.accept()
-        
-    def setRange(self, ax, min=None, max=None, padding=0.02, update=True):
-        if isinstance(ax, QtCore.QRectF):
-            changes = {0: [ax.left(), ax.right()], 1: [ax.top(), ax.bottom()]}
-            #if self.aspectLocked is not False:
-                #sbr = self.boundingRect()
-                #if sbr.width() == 0 or (ax.height()/ax.width()) > (sbr.height()/sbr.width()):
-                    #chax = 0
-                #else:
-                    #chax = 1
-                    
-                
-                    
-            
-        elif ax in [1,0]:
-            changes = {ax: [min,max]}
-            #if self.aspectLocked is not False:
-                #ax2 = 1 - ax
-                #ratio = self.aspectLocked
-                #r2 = self.range[ax2]
-                #d = ratio * (max-min) * 0.5
-                #c = (self.range[ax2][1] + self.range[ax2][0]) * 0.5
-                #changes[ax2] = [c-d, c+d]
-           
-        else:
-            print ax
-            raise Exception("argument 'ax' must be 0, 1, or QRectF.")
-        
-        
-        changed = [False, False]
-        for ax, range in changes.iteritems():
-            min, max = range
-            if min == max:   ## If we requested 0 range, try to preserve previous scale. Otherwise just pick an arbitrary scale.
-                dy = self.viewRange[ax][1] - self.viewRange[ax][0]
-                if dy == 0:
-                    dy = 1
-                min -= dy*0.5
-                max += dy*0.5
-                padding = 0.0
-            if any(np.isnan([min, max])) or any(np.isinf([min, max])):
-                raise Exception("Not setting range [%s, %s]" % (str(min), str(max)))
-                
-            p = (max-min) * padding
-            min -= p
-            max += p
-            
-            if self.targetRange[ax] != [min, max]:
-                self.targetRange[ax] = [min, max]
-                changed[ax] = True
-            
-        if update:
-            self.updateMatrix(changed)
-            
-        
-            
-            
-    def setYRange(self, min, max, update=True, padding=0.02):
-        self.setRange(1, min, max, update=update, padding=padding)
-        
-    def setXRange(self, min, max, update=True, padding=0.02):
-        self.setRange(0, min, max, update=update, padding=padding)
-
-    def autoRange(self, padding=0.02):
-        br = self.childGroup.childrenBoundingRect()
-        self.setRange(br, padding=padding)
-
-
-    def updateMatrix(self, changed=None):
-        if changed is None:
-            changed = [False, False]
-        #print "udpateMatrix:"
-        #print "  range:", self.range
-        tr = self.targetRect()
-        bounds = self.boundingRect()
-        
-        ## set viewRect, given targetRect and possibly aspect ratio constraint
-        if self.aspectLocked is False or bounds.height() == 0:
-            self.viewRange = [self.targetRange[0][:], self.targetRange[1][:]]
-        else:
-            viewRatio = bounds.width() / bounds.height()
-            targetRatio = self.aspectLocked * tr.width() / tr.height()
-            if targetRatio > viewRatio:  
-                ## target is wider than view
-                dy = 0.5 * (tr.width() / (self.aspectLocked * viewRatio) - tr.height())
-                if dy != 0:
-                    changed[1] = True
-                self.viewRange = [self.targetRange[0][:], [self.targetRange[1][0] - dy, self.targetRange[1][1] + dy]]
-            else:
-                dx = 0.5 * (tr.height() * viewRatio * self.aspectLocked - tr.width())
-                if dx != 0:
-                    changed[0] = True
-                self.viewRange = [[self.targetRange[0][0] - dx, self.targetRange[0][1] + dx], self.targetRange[1][:]]
-        
-        
-        vr = self.viewRect()
-        translate = Point(vr.center())
-        #print "  bounds:", bounds
-        if vr.height() == 0 or vr.width() == 0:
-            return
-        scale = Point(bounds.width()/vr.width(), bounds.height()/vr.height())
-        #print "  scale:", scale
-        m = QtGui.QTransform()
-        
-        ## First center the viewport at 0
-        self.childGroup.resetTransform()
-        center = self.transform().inverted()[0].map(bounds.center())
-        #print "  transform to center:", center
-        if self.yInverted:
-            m.translate(center.x(), -center.y())
-            #print "  inverted; translate", center.x(), center.y()
-        else:
-            m.translate(center.x(), center.y())
-            #print "  not inverted; translate", center.x(), -center.y()
-            
-        ## Now scale and translate properly
-        if not self.yInverted:
-            scale = scale * Point(1, -1)
-        m.scale(scale[0], scale[1])
-        st = translate
-        m.translate(-st[0], -st[1])
-        self.childGroup.setTransform(m)
-        self.currentScale = scale
-        
-        
-        if changed[0]:
-            self.sigXRangeChanged.emit(self, tuple(self.viewRange[0]))
-        if changed[1]:
-            self.sigYRangeChanged.emit(self, tuple(self.viewRange[1]))
-        if any(changed):
-            self.sigRangeChanged.emit(self, self.viewRange)
-            
-
-
-    def boundingRect(self):
-        return QtCore.QRectF(0, 0, self.size().width(), self.size().height())
-        
-    def paint(self, p, opt, widget):
-        if self.border is not None:
-            bounds = self.boundingRect()
-            p.setPen(self.border)
-            #p.fillRect(bounds, QtGui.QColor(0, 0, 0))
-            p.drawRect(bounds)
-
-
-class InfiniteLine(GraphicsObject):
-    
-    sigDragged = QtCore.Signal(object)
-    sigPositionChangeFinished = QtCore.Signal(object)
-    sigPositionChanged = QtCore.Signal(object)
-    
-    def __init__(self, view, pos=0, angle=90, pen=None, movable=False, bounds=None):
-        GraphicsObject.__init__(self)
-        self.bounds = QtCore.QRectF()   ## graphicsitem boundary
-        
-        if bounds is None:              ## allowed value boundaries for orthogonal lines
-            self.maxRange = [None, None]
-        else:
-            self.maxRange = bounds
-        self.setMovable(movable)
-        self.view = weakref.ref(view)
-        self.p = [0, 0]
-        self.setAngle(angle)
-        self.setPos(pos)
-            
-            
-        self.hasMoved = False
-
-        
-        if pen is None:
-            pen = QtGui.QPen(QtGui.QColor(200, 200, 100))
-        self.setPen(pen)
-        self.currentPen = self.pen
-        #self.setFlag(self.ItemSendsScenePositionChanges)
-        #for p in self.getBoundingParents():
-            #QtCore.QObject.connect(p, QtCore.SIGNAL('viewChanged'), self.updateLine)
-        #QtCore.QObject.connect(self.view(), QtCore.SIGNAL('viewChanged'), self.updateLine)
-        self.view().sigRangeChanged.connect(self.updateLine)
-      
-    def setMovable(self, m):
-        self.movable = m
-        self.setAcceptHoverEvents(m)
-        
-      
-    def setBounds(self, bounds):
-        self.maxRange = bounds
-        self.setValue(self.value())
-        
-    def hoverEnterEvent(self, ev):
-        self.currentPen = QtGui.QPen(QtGui.QColor(255, 0,0))
-        self.update()
-        ev.ignore()
-
-    def hoverLeaveEvent(self, ev):
-        self.currentPen = self.pen
-        self.update()
-        ev.ignore()
-        
-    def setPen(self, pen):
-        self.pen = pen
-        self.currentPen = self.pen
-        
-    def setAngle(self, angle):
-        """Takes angle argument in degrees."""
-        self.angle = ((angle+45) % 180) - 45   ##  -45 <= angle < 135
-        self.updateLine()
-        
-    def setPos(self, pos):
-        if type(pos) in [list, tuple]:
-            newPos = pos
-        elif isinstance(pos, QtCore.QPointF):
-            newPos = [pos.x(), pos.y()]
-        else:
-            if self.angle == 90:
-                newPos = [pos, 0]
-            elif self.angle == 0:
-                newPos = [0, pos]
-            else:
-                raise Exception("Must specify 2D coordinate for non-orthogonal lines.")
-            
-        ## check bounds (only works for orthogonal lines)
-        if self.angle == 90:
-            if self.maxRange[0] is not None:    
-                newPos[0] = max(newPos[0], self.maxRange[0])
-            if self.maxRange[1] is not None:
-                newPos[0] = min(newPos[0], self.maxRange[1])
-        elif self.angle == 0:
-            if self.maxRange[0] is not None:
-                newPos[1] = max(newPos[1], self.maxRange[0])
-            if self.maxRange[1] is not None:
-                newPos[1] = min(newPos[1], self.maxRange[1])
-            
-            
-        if self.p != newPos:
-            self.p = newPos
-            self.updateLine()
-            #self.emit(QtCore.SIGNAL('positionChanged'), self)
-            self.sigPositionChanged.emit(self)
-
-    def getXPos(self):
-        return self.p[0]
-        
-    def getYPos(self):
-        return self.p[1]
-        
-    def getPos(self):
-        return self.p
-
-    def value(self):
-        if self.angle%180 == 0:
-            return self.getYPos()
-        elif self.angle%180 == 90:
-            return self.getXPos()
-        else:
-            return self.getPos()
-                
-    def setValue(self, v):
-        self.setPos(v)
-
-    ## broken in 4.7
-    #def itemChange(self, change, val):
-        #if change in [self.ItemScenePositionHasChanged, self.ItemSceneHasChanged]:
-            #self.updateLine()
-            #print "update", change
-            #print self.getBoundingParents()
-        #else:
-            #print "ignore", change
-        #return GraphicsObject.itemChange(self, change, val)
-                
-    def updateLine(self):
-
-        #unit = QtCore.QRect(0, 0, 10, 10)
-        #if self.scene() is not None:
-            #gv = self.scene().views()[0]
-            #unit = gv.mapToScene(unit).boundingRect()
-            ##print unit
-            #unit = self.mapRectFromScene(unit)
-            ##print unit
-        
-        vr = self.view().viewRect()
-        #vr = self.viewBounds()
-        if vr is None:
-            return
-        #print 'before', self.bounds
-        
-        if self.angle > 45:
-            m = np.tan((90-self.angle) * np.pi / 180.)
-            y2 = vr.bottom()
-            y1 = vr.top()
-            x1 = self.p[0] + (y1 - self.p[1]) * m
-            x2 = self.p[0] + (y2 - self.p[1]) * m
-        else:
-            m = np.tan(self.angle * np.pi / 180.)
-            x1 = vr.left()
-            x2 = vr.right()
-            y2 = self.p[1] + (x1 - self.p[0]) * m
-            y1 = self.p[1] + (x2 - self.p[0]) * m
-        #print vr, x1, y1, x2, y2
-        self.prepareGeometryChange()
-        self.line = (QtCore.QPointF(x1, y1), QtCore.QPointF(x2, y2))
-        self.bounds = QtCore.QRectF(self.line[0], self.line[1])
-        ## Stupid bug causes lines to disappear:
-        if self.angle % 180 == 90:
-            px = self.pixelWidth()
-            #self.bounds.setWidth(1e-9)
-            self.bounds.setX(x1 + px*-5)
-            self.bounds.setWidth(px*10)
-        if self.angle % 180 == 0:
-            px = self.pixelHeight()
-            #self.bounds.setHeight(1e-9)
-            self.bounds.setY(y1 + px*-5)
-            self.bounds.setHeight(px*10)
-
-        #QtGui.QGraphicsLineItem.setLine(self, x1, y1, x2, y2)
-        #self.update()
-        
-    def boundingRect(self):
-        #self.updateLine()
-        #return QtGui.QGraphicsLineItem.boundingRect(self)
-        #print "bounds", self.bounds
-        return self.bounds
-    
-    def paint(self, p, *args):
-        w,h  = self.pixelWidth()*5, self.pixelHeight()*5*1.1547
-        #self.updateLine()
-        l = self.line
-        
-        p.setPen(self.currentPen)
-        #print "paint", self.line
-        p.drawLine(l[0], l[1])
-        
-        p.setBrush(QtGui.QBrush(self.currentPen.color()))
-        p.drawConvexPolygon(QtGui.QPolygonF([
-            l[0] + QtCore.QPointF(-w, 0),
-            l[0] + QtCore.QPointF(0, h),
-            l[0] + QtCore.QPointF(w, 0),
-        ]))
-        
-        #p.setPen(QtGui.QPen(QtGui.QColor(255,0,0)))
-        #p.drawRect(self.boundingRect())
-        
-    def mousePressEvent(self, ev):
-        if self.movable and ev.button() == QtCore.Qt.LeftButton:
-            ev.accept()
-            self.pressDelta = self.mapToParent(ev.pos()) - QtCore.QPointF(*self.p)
-        else:
-            ev.ignore()
-            
-    def mouseMoveEvent(self, ev):
-        self.setPos(self.mapToParent(ev.pos()) - self.pressDelta)
-        #self.emit(QtCore.SIGNAL('dragged'), self)
-        self.sigDragged.emit(self)
-        self.hasMoved = True
-
-    def mouseReleaseEvent(self, ev):
-        if self.hasMoved and ev.button() == QtCore.Qt.LeftButton:
-            self.hasMoved = False
-            #self.emit(QtCore.SIGNAL('positionChangeFinished'), self)
-            self.sigPositionChangeFinished.emit(self)
-            
-
-
-class LinearRegionItem(GraphicsObject):
-    
-    sigRegionChangeFinished = QtCore.Signal(object)
-    sigRegionChanged = QtCore.Signal(object)
-    
-    """Used for marking a horizontal or vertical region in plots."""
-    def __init__(self, view, orientation="vertical", vals=[0,1], brush=None, movable=True, bounds=None):
-        GraphicsObject.__init__(self)
-        self.orientation = orientation
-        if hasattr(self, "ItemHasNoContents"):  
-            self.setFlag(self.ItemHasNoContents)
-        self.rect = QtGui.QGraphicsRectItem(self)
-        self.rect.setParentItem(self)
-        self.bounds = QtCore.QRectF()
-        self.view = weakref.ref(view)
-        self.setBrush = self.rect.setBrush
-        self.brush = self.rect.brush
-        
-        if orientation[0] == 'h':
-            self.lines = [
-                InfiniteLine(view, QtCore.QPointF(0, vals[0]), 0, movable=movable, bounds=bounds), 
-                InfiniteLine(view, QtCore.QPointF(0, vals[1]), 0, movable=movable, bounds=bounds)]
-        else:
-            self.lines = [
-                InfiniteLine(view, QtCore.QPointF(vals[0], 0), 90, movable=movable, bounds=bounds), 
-                InfiniteLine(view, QtCore.QPointF(vals[1], 0), 90, movable=movable, bounds=bounds)]
-        #QtCore.QObject.connect(self.view(), QtCore.SIGNAL('viewChanged'), self.updateBounds)
-        self.view().sigRangeChanged.connect(self.updateBounds)
-        
-        for l in self.lines:
-            l.setParentItem(self)
-            #l.connect(l, QtCore.SIGNAL('positionChangeFinished'), self.lineMoveFinished)
-            l.sigPositionChangeFinished.connect(self.lineMoveFinished)
-            #l.connect(l, QtCore.SIGNAL('positionChanged'), self.lineMoved)
-            l.sigPositionChanged.connect(self.lineMoved)
-            
-        if brush is None:
-            brush = QtGui.QBrush(QtGui.QColor(0, 0, 255, 50))
-        self.setBrush(brush)
-        self.setMovable(movable)
-            
-    def setBounds(self, bounds):
-        for l in self.lines:
-            l.setBounds(bounds)
-        
-    def setMovable(self, m):
-        for l in self.lines:
-            l.setMovable(m)
-        self.movable = m
-
-    def boundingRect(self):
-        return self.rect.boundingRect()
-            
-    def lineMoved(self):
-        self.updateBounds()
-        #self.emit(QtCore.SIGNAL('regionChanged'), self)
-        self.sigRegionChanged.emit(self)
-            
-    def lineMoveFinished(self):
-        #self.emit(QtCore.SIGNAL('regionChangeFinished'), self)
-        self.sigRegionChangeFinished.emit(self)
-        
-            
-    def updateBounds(self):
-        vb = self.view().viewRect()
-        vals = [self.lines[0].value(), self.lines[1].value()]
-        if self.orientation[0] == 'h':
-            vb.setTop(min(vals))
-            vb.setBottom(max(vals))
-        else:
-            vb.setLeft(min(vals))
-            vb.setRight(max(vals))
-        if vb != self.bounds:
-            self.bounds = vb
-            self.rect.setRect(vb)
-        
-    def mousePressEvent(self, ev):
-        if not self.movable:
-            ev.ignore()
-            return
-        for l in self.lines:
-            l.mousePressEvent(ev)  ## pass event to both lines so they move together
-        #if self.movable and ev.button() == QtCore.Qt.LeftButton:
-            #ev.accept()
-            #self.pressDelta = self.mapToParent(ev.pos()) - QtCore.QPointF(*self.p)
-        #else:
-            #ev.ignore()
-            
-    def mouseReleaseEvent(self, ev):
-        for l in self.lines:
-            l.mouseReleaseEvent(ev)
-            
-    def mouseMoveEvent(self, ev):
-        #print "move", ev.pos()
-        if not self.movable:
-            return
-        self.lines[0].blockSignals(True)  # only want to update once
-        for l in self.lines:
-            l.mouseMoveEvent(ev)
-        self.lines[0].blockSignals(False)
-        #self.setPos(self.mapToParent(ev.pos()) - self.pressDelta)
-        #self.emit(QtCore.SIGNAL('dragged'), self)
-
-    def getRegion(self):
-        if self.orientation[0] == 'h':
-            r = (self.bounds.top(), self.bounds.bottom())
-        else:
-            r = (self.bounds.left(), self.bounds.right())
-        return (min(r), max(r))
-
-    def setRegion(self, rgn):
-        self.lines[0].setValue(rgn[0])
-        self.lines[1].setValue(rgn[1])
-
-
-class VTickGroup(QtGui.QGraphicsPathItem):
-    def __init__(self, xvals=None, yrange=None, pen=None, relative=False, view=None):
-        QtGui.QGraphicsPathItem.__init__(self)
-        if yrange is None:
-            yrange = [0, 1]
-        if xvals is None:
-            xvals = []
-        if pen is None:
-            pen = (200, 200, 200)
-        self.ticks = []
-        self.xvals = []
-        if view is None:
-            self.view = None
-        else:
-            self.view = weakref.ref(view)
-        self.yrange = [0,1]
-        self.setPen(pen)
-        self.setYRange(yrange, relative)
-        self.setXVals(xvals)
-        self.valid = False
-        
-    def setPen(self, pen):
-        pen = mkPen(pen)
-        QtGui.QGraphicsPathItem.setPen(self, pen)
-
-    def setXVals(self, vals):
-        self.xvals = vals
-        self.rebuildTicks()
-        self.valid = False
-        
-    def setYRange(self, vals, relative=False):
-        self.yrange = vals
-        self.relative = relative
-        if self.view is not None:
-            if relative:
-                #QtCore.QObject.connect(self.view, QtCore.SIGNAL('viewChanged'), self.rebuildTicks)
-                #QtCore.QObject.connect(self.view(), QtCore.SIGNAL('viewChanged'), self.rescale)
-                self.view().sigRangeChanged.connect(self.rescale)
-            else:
-                try:
-                    #QtCore.QObject.disconnect(self.view, QtCore.SIGNAL('viewChanged'), self.rebuildTicks)
-                    #QtCore.QObject.disconnect(self.view(), QtCore.SIGNAL('viewChanged'), self.rescale)
-                    self.view().sigRangeChanged.disconnect(self.rescale)
-                except:
-                    pass
-        self.rebuildTicks()
-        self.valid = False
-            
-    def rescale(self):
-        #print "RESCALE:"
-        self.resetTransform()
-        #height = self.view.size().height()
-        #p1 = self.mapFromScene(self.view.mapToScene(QtCore.QPoint(0, height * (1.0-self.yrange[0]))))
-        #p2 = self.mapFromScene(self.view.mapToScene(QtCore.QPoint(0, height * (1.0-self.yrange[1]))))
-        #yr = [p1.y(), p2.y()]
-        vb = self.view().viewRect()
-        p1 = vb.bottom() - vb.height() * self.yrange[0]
-        p2 = vb.bottom() - vb.height() * self.yrange[1]
-        yr = [p1, p2]
-        
-        #print "  ", vb, yr
-        self.translate(0.0, yr[0])
-        self.scale(1.0, (yr[1]-yr[0]))
-        #print "  ", self.mapRectToScene(self.boundingRect())
-        self.boundingRect()
-        self.update()
-            
-    def boundingRect(self):
-        #print "--request bounds:"
-        b = QtGui.QGraphicsPathItem.boundingRect(self)
-        #print "  ", self.mapRectToScene(b)
-        return b
-            
-    def yRange(self):
-        #if self.relative:
-            #height = self.view.size().height()
-            #p1 = self.mapFromScene(self.view.mapToScene(QtCore.QPoint(0, height * (1.0-self.yrange[0]))))
-            #p2 = self.mapFromScene(self.view.mapToScene(QtCore.QPoint(0, height * (1.0-self.yrange[1]))))
-            #return [p1.y(), p2.y()]
-        #else:
-            #return self.yrange
-            
-        return self.yrange
-            
-    def rebuildTicks(self):
-        self.path = QtGui.QPainterPath()
-        yrange = self.yRange()
-        #print "rebuild ticks:", yrange
-        for x in self.xvals:
-            #path.moveTo(x, yrange[0])
-            #path.lineTo(x, yrange[1])
-            self.path.moveTo(x, 0.)
-            self.path.lineTo(x, 1.)
-        self.setPath(self.path)
-        self.valid = True
-        self.rescale()
-        #print "  done..", self.boundingRect()
-        
-    def paint(self, *args):
-        if not self.valid:
-            self.rebuildTicks()
-        #print "Paint", self.boundingRect()
-        QtGui.QGraphicsPathItem.paint(self, *args)
-        
-
-class GridItem(UIGraphicsItem):
-    """Class used to make square grids in plots. NOT the grid used for running scanner sequences."""
-    
-    def __init__(self, view, bounds=None, *args):
-        UIGraphicsItem.__init__(self, view, bounds)
-        #QtGui.QGraphicsItem.__init__(self, *args)
-        self.setFlag(QtGui.QGraphicsItem.ItemClipsToShape)
-        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
-        
-        self.picture = None
-        
-        
-    def viewRangeChanged(self):
-        self.picture = None
-        UIGraphicsItem.viewRangeChanged(self)
-        #self.update()
-        
-    def paint(self, p, opt, widget):
-        #p.setPen(QtGui.QPen(QtGui.QColor(100, 100, 100)))
-        #p.drawRect(self.boundingRect())
-        
-        ## draw picture
-        if self.picture is None:
-            #print "no pic, draw.."
-            self.generatePicture()
-        p.drawPicture(0, 0, self.picture)
-        #print "drawing Grid."
-        
-        
-    def generatePicture(self):
-        self.picture = QtGui.QPicture()
-        p = QtGui.QPainter()
-        p.begin(self.picture)
-        
-        dt = self.viewTransform().inverted()[0]
-        vr = self.viewRect()
-        unit = self.unitRect()
-        dim = [vr.width(), vr.height()]
-        lvr = self.boundingRect()
-        ul = np.array([lvr.left(), lvr.top()])
-        br = np.array([lvr.right(), lvr.bottom()])
-        
-        texts = []
-        
-        if ul[1] > br[1]:
-            x = ul[1]
-            ul[1] = br[1]
-            br[1] = x
-        for i in range(2, -1, -1):   ## Draw three different scales of grid
-            
-            dist = br-ul
-            nlTarget = 10.**i
-            d = 10. ** np.floor(np.log10(abs(dist/nlTarget))+0.5)
-            ul1 = np.floor(ul / d) * d
-            br1 = np.ceil(br / d) * d
-            dist = br1-ul1
-            nl = (dist / d) + 0.5
-            for ax in range(0,2):  ## Draw grid for both axes
-                ppl = dim[ax] / nl[ax]
-                c = np.clip(3.*(ppl-3), 0., 30.)
-                linePen = QtGui.QPen(QtGui.QColor(255, 255, 255, c)) 
-                textPen = QtGui.QPen(QtGui.QColor(255, 255, 255, c*2)) 
-                #linePen.setCosmetic(True)
-                #linePen.setWidth(1)
-                bx = (ax+1) % 2
-                for x in range(0, int(nl[ax])):
-                    linePen.setCosmetic(False)
-                    if ax == 0:
-                        linePen.setWidthF(self.pixelHeight())
-                    else:
-                        linePen.setWidthF(self.pixelWidth())
-                    p.setPen(linePen)
-                    p1 = np.array([0.,0.])
-                    p2 = np.array([0.,0.])
-                    p1[ax] = ul1[ax] + x * d[ax]
-                    p2[ax] = p1[ax]
-                    p1[bx] = ul[bx]
-                    p2[bx] = br[bx]
-                    p.drawLine(QtCore.QPointF(p1[0], p1[1]), QtCore.QPointF(p2[0], p2[1]))
-                    if i < 2:
-                        p.setPen(textPen)
-                        if ax == 0:
-                            x = p1[0] + unit.width()
-                            y = ul[1] + unit.height() * 8.
-                        else:
-                            x = ul[0] + unit.width()*3
-                            y = p1[1] + unit.height()
-                        texts.append((QtCore.QPointF(x, y), "%g"%p1[ax]))
-        tr = self.viewTransform()
-        tr.scale(1.5, 1.5)
-        p.setWorldTransform(tr.inverted()[0])
-        for t in texts:
-            x = tr.map(t[0])
-            p.drawText(x, t[1])
-        p.end()
-
-class ScaleBar(UIGraphicsItem):
-    def __init__(self, view, size, width=5, color=(100, 100, 255)):
-        self.size = size
-        UIGraphicsItem.__init__(self, view)
-        self.setAcceptedMouseButtons(QtCore.Qt.NoButton)
-        #self.pen = QtGui.QPen(QtGui.QColor(*color))
-        #self.pen.setWidth(width)
-        #self.pen.setCosmetic(True)
-        #self.pen2 = QtGui.QPen(QtGui.QColor(0,0,0))
-        #self.pen2.setWidth(width+2)
-        #self.pen2.setCosmetic(True)
-        self.brush = QtGui.QBrush(QtGui.QColor(*color))
-        self.pen = QtGui.QPen(QtGui.QColor(0,0,0))
-        self.width = width
-        
-    def paint(self, p, opt, widget):
-        rect = self.boundingRect()
-        unit = self.unitRect()
-        y = rect.bottom() + (rect.top()-rect.bottom()) * 0.02
-        y1 = y + unit.height()*self.width
-        x = rect.right() + (rect.left()-rect.right()) * 0.02
-        x1 = x - self.size
-        
-        
-        p.setPen(self.pen)
-        p.setBrush(self.brush)
-        rect = QtCore.QRectF(
-            QtCore.QPointF(x1, y1), 
-            QtCore.QPointF(x, y)
-        )
-        p.translate(x1, y1)
-        p.scale(rect.width(), rect.height())
-        p.drawRect(0, 0, 1, 1)
-        
-        alpha = np.clip(((self.size/unit.width()) - 40.) * 255. / 80., 0, 255)
-        p.setPen(QtGui.QPen(QtGui.QColor(0, 0, 0, alpha)))
-        for i in range(1, 10):
-            #x2 = x + (x1-x) * 0.1 * i
-            x2 = 0.1 * i
-            p.drawLine(QtCore.QPointF(x2, 0), QtCore.QPointF(x2, 1))
-        
-
-    def setSize(self, s):
-        self.size = s
-        
-class ColorScaleBar(UIGraphicsItem):
-    def __init__(self, view, size, offset):
-        self.size = size
-        self.offset = offset
-        UIGraphicsItem.__init__(self, view)
-        self.setAcceptedMouseButtons(QtCore.Qt.NoButton)
-        self.brush = QtGui.QBrush(QtGui.QColor(200,0,0))
-        self.pen = QtGui.QPen(QtGui.QColor(0,0,0))
-        self.labels = {'max': 1, 'min': 0}
-        self.gradient = QtGui.QLinearGradient()
-        self.gradient.setColorAt(0, QtGui.QColor(0,0,0))
-        self.gradient.setColorAt(1, QtGui.QColor(255,0,0))
-        
-    def setGradient(self, g):
-        self.gradient = g
-        self.update()
-        
-    def setIntColorScale(self, minVal, maxVal, *args, **kargs):
-        colors = [intColor(i, maxVal-minVal, *args, **kargs) for i in range(minVal, maxVal)]
-        g = QtGui.QLinearGradient()
-        for i in range(len(colors)):
-            x = float(i)/len(colors)
-            g.setColorAt(x, colors[i])
-        self.setGradient(g)
-        if 'labels' not in kargs:
-            self.setLabels({str(minVal/10.): 0, str(maxVal): 1})
-        else:
-            self.setLabels({kargs['labels'][0]:0, kargs['labels'][1]:1})
-        
-    def setLabels(self, l):
-        """Defines labels to appear next to the color scale"""
-        self.labels = l
-        self.update()
-        
-    def paint(self, p, opt, widget):
-        rect = self.boundingRect()   ## Boundaries of visible area in scene coords.
-        unit = self.unitRect()       ## Size of one view pixel in scene coords.
-        
-        ## determine max width of all labels
-        labelWidth = 0
-        labelHeight = 0
-        for k in self.labels:
-            b = p.boundingRect(QtCore.QRectF(0, 0, 0, 0), QtCore.Qt.AlignLeft | QtCore.Qt.AlignVCenter, str(k))
-            labelWidth = max(labelWidth, b.width())
-            labelHeight = max(labelHeight, b.height())
-            
-        labelWidth *= unit.width()
-        labelHeight *= unit.height()
-        
-        textPadding = 2  # in px
-        
-        if self.offset[0] < 0:
-            x3 = rect.right() + unit.width() * self.offset[0]
-            x2 = x3 - labelWidth - unit.width()*textPadding*2
-            x1 = x2 - unit.width() * self.size[0]
-        else:
-            x1 = rect.left() + unit.width() * self.offset[0]
-            x2 = x1 + unit.width() * self.size[0]
-            x3 = x2 + labelWidth + unit.width()*textPadding*2
-        if self.offset[1] < 0:
-            y2 = rect.top() - unit.height() * self.offset[1]
-            y1 = y2 + unit.height() * self.size[1]
-        else:
-            y1 = rect.bottom() - unit.height() * self.offset[1]
-            y2 = y1 - unit.height() * self.size[1]
-        self.b = [x1,x2,x3,y1,y2,labelWidth]
-            
-        ## Draw background
-        p.setPen(self.pen)
-        p.setBrush(QtGui.QBrush(QtGui.QColor(255,255,255,100)))
-        rect = QtCore.QRectF(
-            QtCore.QPointF(x1 - unit.width()*textPadding, y1 + labelHeight/2 + unit.height()*textPadding), 
-            QtCore.QPointF(x3, y2 - labelHeight/2 - unit.height()*textPadding)
-        )
-        p.drawRect(rect)
-        
-        
-        ## Have to scale painter so that text and gradients are correct size. Bleh.
-        p.scale(unit.width(), unit.height())
-        
-        ## Draw color bar
-        self.gradient.setStart(0, y1/unit.height())
-        self.gradient.setFinalStop(0, y2/unit.height())
-        p.setBrush(self.gradient)
-        rect = QtCore.QRectF(
-            QtCore.QPointF(x1/unit.width(), y1/unit.height()), 
-            QtCore.QPointF(x2/unit.width(), y2/unit.height())
-        )
-        p.drawRect(rect)
-        
-        
-        ## draw labels
-        p.setPen(QtGui.QPen(QtGui.QColor(0,0,0)))
-        tx = x2 + unit.width()*textPadding
-        lh = labelHeight/unit.height()
-        for k in self.labels:
-            y = y1 + self.labels[k] * (y2-y1)
-            p.drawText(QtCore.QRectF(tx/unit.width(), y/unit.height() - lh/2.0, 1000, lh), QtCore.Qt.AlignLeft | QtCore.Qt.AlignVCenter, str(k))
-        
-        
diff --git a/graphicsItems/ArrowItem.py b/graphicsItems/ArrowItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..d9cf96637481653ad4be3b35e773f897c071b9f4
--- /dev/null
+++ b/graphicsItems/ArrowItem.py
@@ -0,0 +1,60 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import pyqtgraph.functions as fn
+
+__all__ = ['ArrowItem']
+class ArrowItem(QtGui.QGraphicsPolygonItem):
+    """
+    For displaying scale-invariant arrows.
+    For arrows pointing to a location on a curve, see CurveArrow
+    
+    """
+    
+    
+    def __init__(self, **opts):
+        QtGui.QGraphicsPolygonItem.__init__(self)
+        defOpts = {
+            'style': 'tri',
+            'pxMode': True,
+            'size': 20,
+            'angle': -150,
+            'pos': (0,0),
+            'width': 8,
+            'tipAngle': 25,
+            'baseAngle': 90,
+            'pen': (200,200,200),
+            'brush': (50,50,200),
+        }
+        defOpts.update(opts)
+        
+        self.setStyle(**defOpts)
+        
+        self.setPen(fn.mkPen(defOpts['pen']))
+        self.setBrush(fn.mkBrush(defOpts['brush']))
+        
+        self.rotate(self.opts['angle'])
+        self.moveBy(*self.opts['pos'])
+    
+    def setStyle(self, **opts):
+        self.opts = opts
+        
+        if opts['style'] == 'tri':
+            points = [
+                QtCore.QPointF(0,0),
+                QtCore.QPointF(opts['size'],-opts['width']/2.),
+                QtCore.QPointF(opts['size'],opts['width']/2.),
+            ]
+            poly = QtGui.QPolygonF(points)
+            
+        else:
+            raise Exception("Unrecognized arrow style '%s'" % opts['style'])
+        
+        self.setPolygon(poly)
+        
+        if opts['pxMode']:
+            self.setFlags(self.flags() | self.ItemIgnoresTransformations)
+        else:
+            self.setFlags(self.flags() & ~self.ItemIgnoresTransformations)
+        
+    def paint(self, p, *args):
+        p.setRenderHint(QtGui.QPainter.Antialiasing)
+        QtGui.QGraphicsPolygonItem.paint(self, p, *args)
diff --git a/graphicsItems/AxisItem.py b/graphicsItems/AxisItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..98faa15273eb2e754cfc7bf6e5e153364fd85c04
--- /dev/null
+++ b/graphicsItems/AxisItem.py
@@ -0,0 +1,441 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import numpy as np
+from pyqtgraph.Point import Point
+import pyqtgraph.debug as debug
+import weakref
+import pyqtgraph.functions as fn
+from GraphicsWidget import GraphicsWidget
+
+__all__ = ['AxisItem']
+class AxisItem(GraphicsWidget):
+    def __init__(self, orientation, pen=None, linkView=None, parent=None, maxTickLength=-5, showValues=True):
+        """
+        GraphicsItem showing a single plot axis with ticks, values, and label.
+        Can be configured to fit on any side of a plot, and can automatically synchronize its displayed scale with ViewBox items.
+        Ticks can be extended to make a grid.
+        """
+        
+        
+        GraphicsWidget.__init__(self, parent)
+        self.label = QtGui.QGraphicsTextItem(self)
+        self.showValues = showValues
+        self.orientation = orientation
+        if orientation not in ['left', 'right', 'top', 'bottom']:
+            raise Exception("Orientation argument must be one of 'left', 'right', 'top', or 'bottom'.")
+        if orientation in ['left', 'right']:
+            #self.setMinimumWidth(25)
+            #self.setSizePolicy(QtGui.QSizePolicy(
+                #QtGui.QSizePolicy.Minimum,
+                #QtGui.QSizePolicy.Expanding
+            #))
+            self.label.rotate(-90)
+        #else:
+            #self.setMinimumHeight(50)
+            #self.setSizePolicy(QtGui.QSizePolicy(
+                #QtGui.QSizePolicy.Expanding,
+                #QtGui.QSizePolicy.Minimum
+            #))
+        #self.drawLabel = False
+        
+        self.labelText = ''
+        self.labelUnits = ''
+        self.labelUnitPrefix=''
+        self.labelStyle = {'color': '#CCC'}
+        
+        self.textHeight = 18
+        self.tickLength = maxTickLength
+        self.scale = 1.0
+        self.autoScale = True
+            
+        self.setRange(0, 1)
+        
+        if pen is None:
+            pen = QtGui.QPen(QtGui.QColor(100, 100, 100))
+        self.setPen(pen)
+        
+        self.linkedView = None
+        if linkView is not None:
+            self.linkToView(linkView)
+            
+        self.showLabel(False)
+        
+        self.grid = False
+        #self.setCacheMode(self.DeviceCoordinateCache)
+            
+    def close(self):
+        self.scene().removeItem(self.label)
+        self.label = None
+        self.scene().removeItem(self)
+        
+    def setGrid(self, grid):
+        """Set the alpha value for the grid, or False to disable."""
+        self.grid = grid
+        self.update()
+        
+        
+    def resizeEvent(self, ev=None):
+        #s = self.size()
+        
+        ## Set the position of the label
+        nudge = 5
+        br = self.label.boundingRect()
+        p = QtCore.QPointF(0, 0)
+        if self.orientation == 'left':
+            p.setY(int(self.size().height()/2 + br.width()/2))
+            p.setX(-nudge)
+            #s.setWidth(10)
+        elif self.orientation == 'right':
+            #s.setWidth(10)
+            p.setY(int(self.size().height()/2 + br.width()/2))
+            p.setX(int(self.size().width()-br.height()+nudge))
+        elif self.orientation == 'top':
+            #s.setHeight(10)
+            p.setY(-nudge)
+            p.setX(int(self.size().width()/2. - br.width()/2.))
+        elif self.orientation == 'bottom':
+            p.setX(int(self.size().width()/2. - br.width()/2.))
+            #s.setHeight(10)
+            p.setY(int(self.size().height()-br.height()+nudge))
+        #self.label.resize(s)
+        self.label.setPos(p)
+        
+    def showLabel(self, show=True):
+        #self.drawLabel = show
+        self.label.setVisible(show)
+        if self.orientation in ['left', 'right']:
+            self.setWidth()
+        else:
+            self.setHeight()
+        if self.autoScale:
+            self.setScale()
+        
+    def setLabel(self, text=None, units=None, unitPrefix=None, **args):
+        if text is not None:
+            self.labelText = text
+            self.showLabel()
+        if units is not None:
+            self.labelUnits = units
+            self.showLabel()
+        if unitPrefix is not None:
+            self.labelUnitPrefix = unitPrefix
+        if len(args) > 0:
+            self.labelStyle = args
+        self.label.setHtml(self.labelString())
+        self.resizeEvent()
+        self.update()
+            
+    def labelString(self):
+        if self.labelUnits == '':
+            if self.scale == 1.0:
+                units = ''
+            else:
+                units = u'(x%g)' % (1.0/self.scale)
+        else:
+            #print repr(self.labelUnitPrefix), repr(self.labelUnits)
+            units = u'(%s%s)' % (self.labelUnitPrefix, self.labelUnits)
+            
+        s = u'%s %s' % (self.labelText, units)
+        
+        style = ';'.join(['%s: "%s"' % (k, self.labelStyle[k]) for k in self.labelStyle])
+        
+        return u"<span style='%s'>%s</span>" % (style, s)
+        
+    def setHeight(self, h=None):
+        if h is None:
+            h = self.textHeight + max(0, self.tickLength)
+            if self.label.isVisible():
+                h += self.textHeight
+        self.setMaximumHeight(h)
+        self.setMinimumHeight(h)
+        
+        
+    def setWidth(self, w=None):
+        if w is None:
+            w = max(0, self.tickLength) + 40
+            if self.label.isVisible():
+                w += self.textHeight
+        self.setMaximumWidth(w)
+        self.setMinimumWidth(w)
+        
+    def setPen(self, pen):
+        self.pen = pen
+        self.update()
+        
+    def setScale(self, scale=None):
+        """
+        Set the value scaling for this axis. 
+        The scaling value 1) multiplies the values displayed along the axis
+        and 2) changes the way units are displayed in the label. 
+        For example:
+            If the axis spans values from -0.1 to 0.1 and has units set to 'V'
+            then a scale of 1000 would cause the axis to display values -100 to 100
+            and the units would appear as 'mV'
+        If scale is None, then it will be determined automatically based on the current 
+        range displayed by the axis.
+        """
+        if scale is None:
+            #if self.drawLabel:  ## If there is a label, then we are free to rescale the values 
+            if self.label.isVisible():
+                d = self.range[1] - self.range[0]
+                #pl = 1-int(log10(d))
+                #scale = 10 ** pl
+                (scale, prefix) = fn.siScale(d / 2.)
+                if self.labelUnits == '' and prefix in ['k', 'm']:  ## If we are not showing units, wait until 1e6 before scaling.
+                    scale = 1.0
+                    prefix = ''
+                self.setLabel(unitPrefix=prefix)
+            else:
+                scale = 1.0
+        
+        
+        if scale != self.scale:
+            self.scale = scale
+            self.setLabel()
+            self.update()
+        
+    def setRange(self, mn, mx):
+        if mn in [np.nan, np.inf, -np.inf] or mx in [np.nan, np.inf, -np.inf]:
+            raise Exception("Not setting range to [%s, %s]" % (str(mn), str(mx)))
+        self.range = [mn, mx]
+        if self.autoScale:
+            self.setScale()
+        self.update()
+        
+    def linkToView(self, view):
+        if self.orientation in ['right', 'left']:
+            if self.linkedView is not None and self.linkedView() is not None:
+                #view.sigYRangeChanged.disconnect(self.linkedViewChanged)
+                ## should be this instead?
+                self.linkedView().sigYRangeChanged.disconnect(self.linkedViewChanged)
+            self.linkedView = weakref.ref(view)
+            view.sigYRangeChanged.connect(self.linkedViewChanged)
+            #signal = QtCore.SIGNAL('yRangeChanged')
+        else:
+            if self.linkedView is not None and self.linkedView() is not None:
+                #view.sigYRangeChanged.disconnect(self.linkedViewChanged)
+                ## should be this instead?
+                self.linkedView().sigXRangeChanged.disconnect(self.linkedViewChanged)
+            self.linkedView = weakref.ref(view)
+            view.sigXRangeChanged.connect(self.linkedViewChanged)
+            #signal = QtCore.SIGNAL('xRangeChanged')
+            
+        
+    def linkedViewChanged(self, view, newRange):
+        self.setRange(*newRange)
+        
+    def boundingRect(self):
+        if self.linkedView is None or self.linkedView() is None or self.grid is False:
+            rect = self.mapRectFromParent(self.geometry())
+            ## extend rect if ticks go in negative direction
+            if self.orientation == 'left':
+                rect.setRight(rect.right() - min(0,self.tickLength))
+            elif self.orientation == 'right':
+                rect.setLeft(rect.left() + min(0,self.tickLength))
+            elif self.orientation == 'top':
+                rect.setBottom(rect.bottom() - min(0,self.tickLength))
+            elif self.orientation == 'bottom':
+                rect.setTop(rect.top() + min(0,self.tickLength))
+            return rect
+        else:
+            return self.mapRectFromParent(self.geometry()) | self.mapRectFromScene(self.linkedView().mapRectToScene(self.linkedView().boundingRect()))
+        
+    def paint(self, p, opt, widget):
+        prof = debug.Profiler("AxisItem.paint", disabled=True)
+        p.setPen(self.pen)
+        
+        #bounds = self.boundingRect()
+        bounds = self.mapRectFromParent(self.geometry())
+        
+        if self.linkedView is None or self.linkedView() is None or self.grid is False:
+            tbounds = bounds
+        else:
+            tbounds = self.mapRectFromScene(self.linkedView().mapRectToScene(self.linkedView().boundingRect()))
+        
+        if self.orientation == 'left':
+            span = (bounds.topRight(), bounds.bottomRight())
+            tickStart = tbounds.right()
+            tickStop = bounds.right()
+            tickDir = -1
+            axis = 0
+        elif self.orientation == 'right':
+            span = (bounds.topLeft(), bounds.bottomLeft())
+            tickStart = tbounds.left()
+            tickStop = bounds.left()
+            tickDir = 1
+            axis = 0
+        elif self.orientation == 'top':
+            span = (bounds.bottomLeft(), bounds.bottomRight())
+            tickStart = tbounds.bottom()
+            tickStop = bounds.bottom()
+            tickDir = -1
+            axis = 1
+        elif self.orientation == 'bottom':
+            span = (bounds.topLeft(), bounds.topRight())
+            tickStart = tbounds.top()
+            tickStop = bounds.top()
+            tickDir = 1
+            axis = 1
+
+        ## draw long line along axis
+        p.drawLine(*span)
+
+        ## determine size of this item in pixels
+        points = map(self.mapToDevice, span)
+        lengthInPixels = Point(points[1] - points[0]).length()
+
+        ## decide optimal tick spacing in pixels
+        pixelSpacing = np.log(lengthInPixels+10) * 3
+        optimalTickCount = lengthInPixels / pixelSpacing
+
+        ## Determine optimal tick spacing
+        #intervals = [1., 2., 5., 10., 20., 50.]
+        #intervals = [1., 2.5, 5., 10., 25., 50.]
+        intervals = np.array([0.1, 0.2, 1., 2., 10., 20., 100., 200.])
+        dif = abs(self.range[1] - self.range[0])
+        if dif == 0.0:
+            return
+        pw = 10 ** (np.floor(np.log10(dif))-1)
+        scaledIntervals = intervals * pw
+        scaledTickCounts = dif / scaledIntervals 
+        i1 = np.argwhere(scaledTickCounts < optimalTickCount)[0,0]
+        
+        distBetweenIntervals = (optimalTickCount-scaledTickCounts[i1]) / (scaledTickCounts[i1-1]-scaledTickCounts[i1])
+        
+        #print optimalTickCount, i1, scaledIntervals, distBetweenIntervals
+        
+        #for i in range(len(intervals)):
+            #i1 = i
+            #if dif / (pw*intervals[i]) < 10:
+                #break
+        
+        textLevel = 0  ## draw text at this scale level
+        
+        #print "range: %s   dif: %f   power: %f  interval: %f   spacing: %f" % (str(self.range), dif, pw, intervals[i1], sp)
+        
+        #print "  start at %f,  %d ticks" % (start, num)
+        
+        
+        if axis == 0:
+            xs = -bounds.height() / dif
+        else:
+            xs = bounds.width() / dif
+        
+        prof.mark('init')
+            
+        tickPositions = set() # remembers positions of previously drawn ticks
+        ## draw ticks and generate list of texts to draw
+        ## (to improve performance, we do not interleave line and text drawing, since this causes unnecessary pipeline switching)
+        ## draw three different intervals, long ticks first
+        texts = []
+        for i in [2,1,0]:
+            if i1+i > len(intervals):
+                continue
+            ## spacing for this interval
+            sp = pw*intervals[i1+i]
+            
+            ## determine starting tick
+            start = np.ceil(self.range[0] / sp) * sp
+            
+            ## determine number of ticks
+            num = int(dif / sp) + 1
+            
+            ## last tick value
+            last = start + sp * num
+            
+            ## Number of decimal places to print
+            maxVal = max(abs(start), abs(last))
+            places = max(0, 1-int(np.log10(sp*self.scale)))
+        
+            ## length of tick
+            #h = np.clip((self.tickLength*3 / num) - 1., min(0, self.tickLength), max(0, self.tickLength))
+            if i == 0:
+                h = self.tickLength * distBetweenIntervals / 2.
+            else:
+                h = self.tickLength*i/2.
+                
+            ## alpha
+            if i == 0:
+                #a = min(255, (765. / num) - 1.)
+                a = 255 * distBetweenIntervals
+            else:
+                a = 255
+            
+            if axis == 0:
+                offset = self.range[0] * xs - bounds.height()
+            else:
+                offset = self.range[0] * xs
+            
+            for j in range(num):
+                v = start + sp * j
+                x = (v * xs) - offset
+                p1 = [0, 0]
+                p2 = [0, 0]
+                p1[axis] = tickStart
+                p2[axis] = tickStop + h*tickDir
+                p1[1-axis] = p2[1-axis] = x
+                
+                if p1[1-axis] > [bounds.width(), bounds.height()][1-axis]:
+                    continue
+                if p1[1-axis] < 0:
+                    continue
+                p.setPen(QtGui.QPen(QtGui.QColor(150, 150, 150, a)))
+                # draw tick only if there is none
+                tickPos = p1[1-axis]
+                if tickPos not in tickPositions:
+                    p.drawLine(Point(p1), Point(p2))
+                    tickPositions.add(tickPos)
+                    if i >= textLevel:
+                        if abs(v) < .001 or abs(v) >= 10000:
+                            vstr = "%g" % (v * self.scale)
+                        else:
+                            vstr = ("%%0.%df" % places) % (v * self.scale)
+                            
+                        textRect = p.boundingRect(QtCore.QRectF(0, 0, 100, 100), QtCore.Qt.AlignCenter, vstr)
+                        height = textRect.height()
+                        self.textHeight = height
+                        if self.orientation == 'left':
+                            textFlags = QtCore.Qt.AlignRight|QtCore.Qt.AlignVCenter
+                            rect = QtCore.QRectF(tickStop-100, x-(height/2), 99-max(0,self.tickLength), height)
+                        elif self.orientation == 'right':
+                            textFlags = QtCore.Qt.AlignLeft|QtCore.Qt.AlignVCenter
+                            rect = QtCore.QRectF(tickStop+max(0,self.tickLength)+1, x-(height/2), 100-max(0,self.tickLength), height)
+                        elif self.orientation == 'top':
+                            textFlags = QtCore.Qt.AlignCenter|QtCore.Qt.AlignBottom
+                            rect = QtCore.QRectF(x-100, tickStop-max(0,self.tickLength)-height, 200, height)
+                        elif self.orientation == 'bottom':
+                            textFlags = QtCore.Qt.AlignCenter|QtCore.Qt.AlignTop
+                            rect = QtCore.QRectF(x-100, tickStop+max(0,self.tickLength), 200, height)
+                        
+                        #p.setPen(QtGui.QPen(QtGui.QColor(150, 150, 150, a)))
+                        #p.drawText(rect, textFlags, vstr)
+                        texts.append((rect, textFlags, vstr, a))
+                    
+        prof.mark('draw ticks')
+        for args in texts:
+            p.setPen(QtGui.QPen(QtGui.QColor(150, 150, 150, args[3])))
+            p.drawText(*args[:3])
+        prof.mark('draw text')
+        prof.finish()
+        
+    def show(self):
+        
+        if self.orientation in ['left', 'right']:
+            self.setWidth()
+        else:
+            self.setHeight()
+        GraphicsWidget.show(self)
+        
+    def hide(self):
+        if self.orientation in ['left', 'right']:
+            self.setWidth(0)
+        else:
+            self.setHeight(0)
+        GraphicsWidget.hide(self)
+
+    def wheelEvent(self, ev):
+        if self.linkedView is None or self.linkedView() is None: return
+        if self.orientation in ['left', 'right']:
+            self.linkedView().wheelEvent(ev, axis=1)
+        else:
+            self.linkedView().wheelEvent(ev, axis=0)
+        ev.accept()
diff --git a/graphicsItems/ButtonItem.py b/graphicsItems/ButtonItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..2de8cfdc1d030c6cf76d2dcc6a5acf06693418e1
--- /dev/null
+++ b/graphicsItems/ButtonItem.py
@@ -0,0 +1,51 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from GraphicsObject import GraphicsObject
+
+__all__ = ['ButtonItem']
+class ButtonItem(GraphicsObject):
+    """Button graphicsItem displaying an image."""
+    
+    clicked = QtCore.Signal(object)
+    
+    def __init__(self, imageFile, width=None, parentItem=None):
+        self.enabled = True
+        GraphicsObject.__init__(self)
+        self.setImageFile(imageFile)
+        if width is not None:
+            s = float(width) / self.pixmap.width()
+            self.scale(s, s)
+        if parentItem is not None:
+            self.setParentItem(parentItem)
+        self.setOpacity(0.7)
+        
+    def setImageFile(self, imageFile):        
+        self.pixmap = QtGui.QPixmap(imageFile)
+        self.update()
+        
+    def mouseClickEvent(self, ev):
+        if self.enabled:
+            self.clicked.emit(self)
+        
+    def mouseHoverEvent(self, ev):
+        if not self.enabled:
+            return
+        if ev.isEnter():
+            self.setOpacity(1.0)
+        else:
+            self.setOpacity(0.7)
+
+    def disable(self):
+        self.enabled = False
+        self.setOpacity(0.4)
+        
+    def enable(self):
+        self.enabled = True
+        self.setOpacity(0.7)
+        
+    def paint(self, p, *args):
+        p.setRenderHint(p.Antialiasing)
+        p.drawPixmap(0, 0, self.pixmap)
+        
+    def boundingRect(self):
+        return QtCore.QRectF(self.pixmap.rect())
+        
diff --git a/graphicsItems/CurvePoint.py b/graphicsItems/CurvePoint.py
new file mode 100644
index 0000000000000000000000000000000000000000..a1ec5ae4327da83e9b4b3b7adc2c6aafd94a8336
--- /dev/null
+++ b/graphicsItems/CurvePoint.py
@@ -0,0 +1,113 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import ArrowItem
+import numpy as np
+from pyqtgraph.Point import Point
+import weakref
+from GraphicsObject import GraphicsObject
+
+__all__ = ['CurvePoint', 'CurveArrow']
+class CurvePoint(GraphicsObject):
+    """A GraphicsItem that sets its location to a point on a PlotCurveItem.
+    Also rotates to be tangent to the curve.
+    The position along the curve is a Qt property, and thus can be easily animated.
+    
+    Note: This class does not display anything; see CurveArrow for an applied example
+    """
+    
+    def __init__(self, curve, index=0, pos=None):
+        """Position can be set either as an index referring to the sample number or
+        the position 0.0 - 1.0"""
+        
+        GraphicsObject.__init__(self)
+        #QObjectWorkaround.__init__(self)
+        self.curve = weakref.ref(curve)
+        self.setParentItem(curve)
+        self.setProperty('position', 0.0)
+        self.setProperty('index', 0)
+        
+        if hasattr(self, 'ItemHasNoContents'):
+            self.setFlags(self.flags() | self.ItemHasNoContents)
+        
+        if pos is not None:
+            self.setPos(pos)
+        else:
+            self.setIndex(index)
+            
+    def setPos(self, pos):
+        self.setProperty('position', float(pos))## cannot use numpy types here, MUST be python float.
+        
+    def setIndex(self, index):
+        self.setProperty('index', int(index))  ## cannot use numpy types here, MUST be python int.
+        
+    def event(self, ev):
+        if not isinstance(ev, QtCore.QDynamicPropertyChangeEvent) or self.curve() is None:
+            return False
+            
+        if ev.propertyName() == 'index':
+            index = self.property('index')
+            if 'QVariant' in repr(index):
+                index = index.toInt()[0]
+        elif ev.propertyName() == 'position':
+            index = None
+        else:
+            return False
+            
+        (x, y) = self.curve().getData()
+        if index is None:
+            #print ev.propertyName(), self.property('position').toDouble()[0], self.property('position').typeName()
+            pos = self.property('position')
+            if 'QVariant' in repr(pos):   ## need to support 2 APIs  :(
+                pos = pos.toDouble()[0]
+            index = (len(x)-1) * np.clip(pos, 0.0, 1.0)
+            
+        if index != int(index):  ## interpolate floating-point values
+            i1 = int(index)
+            i2 = np.clip(i1+1, 0, len(x)-1)
+            s2 = index-i1
+            s1 = 1.0-s2
+            newPos = (x[i1]*s1+x[i2]*s2, y[i1]*s1+y[i2]*s2)
+        else:
+            index = int(index)
+            i1 = np.clip(index-1, 0, len(x)-1)
+            i2 = np.clip(index+1, 0, len(x)-1)
+            newPos = (x[index], y[index])
+            
+        p1 = self.parentItem().mapToScene(QtCore.QPointF(x[i1], y[i1]))
+        p2 = self.parentItem().mapToScene(QtCore.QPointF(x[i2], y[i2]))
+        ang = np.arctan2(p2.y()-p1.y(), p2.x()-p1.x()) ## returns radians
+        self.resetTransform()
+        self.rotate(180+ ang * 180 / np.pi) ## takes degrees
+        QtGui.QGraphicsItem.setPos(self, *newPos)
+        return True
+        
+    def boundingRect(self):
+        return QtCore.QRectF()
+        
+    def paint(self, *args):
+        pass
+    
+    def makeAnimation(self, prop='position', start=0.0, end=1.0, duration=10000, loop=1):
+        anim = QtCore.QPropertyAnimation(self, prop)
+        anim.setDuration(duration)
+        anim.setStartValue(start)
+        anim.setEndValue(end)
+        anim.setLoopCount(loop)
+        return anim
+
+
+class CurveArrow(CurvePoint):
+    """Provides an arrow that points to any specific sample on a PlotCurveItem.
+    Provides properties that can be animated."""
+    
+    def __init__(self, curve, index=0, pos=None, **opts):
+        CurvePoint.__init__(self, curve, index=index, pos=pos)
+        if opts.get('pxMode', True):
+            opts['pxMode'] = False
+            self.setFlags(self.flags() | self.ItemIgnoresTransformations)
+        opts['angle'] = 0
+        self.arrow = ArrowItem.ArrowItem(**opts)
+        self.arrow.setParentItem(self)
+        
+    def setStyle(**opts):
+        return self.arrow.setStyle(**opts)
+        
diff --git a/graphicsItems/GradientEditorItem.py b/graphicsItems/GradientEditorItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..1ae2e4ccb4b25b710112e3194db0f0d4be63f076
--- /dev/null
+++ b/graphicsItems/GradientEditorItem.py
@@ -0,0 +1,624 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import pyqtgraph.functions as fn
+from GraphicsObject import GraphicsObject
+from GraphicsWidget import GraphicsWidget
+import weakref, collections
+import numpy as np
+
+__all__ = ['TickSliderItem', 'GradientEditorItem']
+
+
+Gradients = collections.OrderedDict([
+    ('thermal', {'ticks': [(0.3333, (185, 0, 0, 255)), (0.6666, (255, 220, 0, 255)), (1, (255, 255, 255, 255)), (0, (0, 0, 0, 255))], 'mode': 'rgb'}),
+    ('flame', {'ticks': [(0.2, (7, 0, 220, 255)), (0.5, (236, 0, 134, 255)), (0.8, (246, 246, 0, 255)), (1.0, (255, 255, 255, 255)), (0.0, (0, 0, 0, 255))], 'mode': 'rgb'}),
+    ('yellowy', {'ticks': [(0.0, (0, 0, 0, 255)), (0.2328863796753704, (32, 0, 129, 255)), (0.8362738179251941, (255, 255, 0, 255)), (0.5257586450247, (115, 15, 255, 255)), (1.0, (255, 255, 255, 255))], 'mode': 'rgb'} ),
+    ('bipolar', {'ticks': [(0.0, (0, 255, 255, 255)), (1.0, (255, 255, 0, 255)), (0.5, (0, 0, 0, 255)), (0.25, (0, 0, 255, 255)), (0.75, (255, 0, 0, 255))], 'mode': 'rgb'}),
+    ('spectrum', {'ticks': [(1.0, (255, 0, 255, 255)), (0.0, (255, 0, 0, 255))], 'mode': 'hsv'}),
+    ('cyclic', {'ticks': [(0.0, (255, 0, 4, 255)), (1.0, (255, 0, 0, 255))], 'mode': 'hsv'}),
+    ('greyclip', {'ticks': [(0.0, (0, 0, 0, 255)), (0.99, (255, 255, 255, 255)), (1.0, (255, 0, 0, 255))], 'mode': 'rgb'}),
+    ('grey', {'ticks': [(0.0, (0, 0, 0, 255)), (1.0, (255, 255, 255, 255))], 'mode': 'rgb'}),
+])
+
+
+class TickSliderItem(GraphicsWidget):
+        
+    def __init__(self, orientation='bottom', allowAdd=True, **kargs):
+        GraphicsWidget.__init__(self)
+        self.orientation = orientation
+        self.length = 100
+        self.tickSize = 15
+        self.ticks = {}
+        self.maxDim = 20
+        self.allowAdd = allowAdd
+        if 'tickPen' in kargs:
+            self.tickPen = fn.mkPen(kargs['tickPen'])
+        else:
+            self.tickPen = fn.mkPen('w')
+            
+        self.orientations = {
+            'left': (90, 1, 1), 
+            'right': (90, 1, 1), 
+            'top': (0, 1, -1), 
+            'bottom': (0, 1, 1)
+        }
+        
+        self.setOrientation(orientation)
+        #self.setFrameStyle(QtGui.QFrame.NoFrame | QtGui.QFrame.Plain)
+        #self.setBackgroundRole(QtGui.QPalette.NoRole)
+        #self.setMouseTracking(True)
+        
+    #def boundingRect(self):
+        #return self.mapRectFromParent(self.geometry()).normalized()
+        
+    #def shape(self):  ## No idea why this is necessary, but rotated items do not receive clicks otherwise.
+        #p = QtGui.QPainterPath()
+        #p.addRect(self.boundingRect())
+        #return p
+        
+    def paint(self, p, opt, widget):
+        #p.setPen(fn.mkPen('g', width=3))
+        #p.drawRect(self.boundingRect())
+        return
+        
+    def keyPressEvent(self, ev):
+        ev.ignore()
+
+    def setMaxDim(self, mx=None):
+        if mx is None:
+            mx = self.maxDim
+        else:
+            self.maxDim = mx
+            
+        if self.orientation in ['bottom', 'top']:
+            self.setFixedHeight(mx)
+            self.setMaximumWidth(16777215)
+        else:
+            self.setFixedWidth(mx)
+            self.setMaximumHeight(16777215)
+            
+    
+    def setOrientation(self, ort):
+        self.orientation = ort
+        self.setMaxDim()
+        self.resetTransform()
+        if ort == 'top':
+            self.scale(1, -1)
+            self.translate(0, -self.height())
+        elif ort == 'left':
+            self.rotate(270)
+            self.scale(1, -1)
+            self.translate(-self.height(), -self.maxDim)
+        elif ort == 'right':
+            self.rotate(270)
+            self.translate(-self.height(), 0)
+            #self.setPos(0, -self.height())
+        
+        self.translate(self.tickSize/2., 0)
+    
+    def addTick(self, x, color=None, movable=True):
+        if color is None:
+            color = QtGui.QColor(255,255,255)
+        tick = Tick(self, [x*self.length, 0], color, movable, self.tickSize, pen=self.tickPen)
+        self.ticks[tick] = x
+        tick.setParentItem(self)
+        return tick
+    
+    def removeTick(self, tick):
+        del self.ticks[tick]
+        tick.setParentItem(None)
+        if self.scene() is not None:
+            self.scene().removeItem(tick)
+    
+    def tickMoved(self, tick, pos):
+        #print "tick changed"
+        ## Correct position of tick if it has left bounds.
+        newX = min(max(0, pos.x()), self.length)
+        pos.setX(newX)
+        tick.setPos(pos)
+        self.ticks[tick] = float(newX) / self.length
+    
+    def tickClicked(self, tick, ev):
+        if ev.button() == QtCore.Qt.RightButton:
+            self.removeTick(tick)
+    
+    def widgetLength(self):
+        if self.orientation in ['bottom', 'top']:
+            return self.width()
+        else:
+            return self.height()
+    
+    def resizeEvent(self, ev):
+        wlen = max(40, self.widgetLength())
+        self.setLength(wlen-self.tickSize)
+        self.setOrientation(self.orientation)
+        #bounds = self.scene().itemsBoundingRect()
+        #bounds.setLeft(min(-self.tickSize*0.5, bounds.left()))
+        #bounds.setRight(max(self.length + self.tickSize, bounds.right()))
+        #self.setSceneRect(bounds)
+        #self.fitInView(bounds, QtCore.Qt.KeepAspectRatio)
+        
+    def setLength(self, newLen):
+        for t, x in self.ticks.items():
+            t.setPos(x * newLen, t.pos().y())
+        self.length = float(newLen)
+        
+    #def mousePressEvent(self, ev):
+        #QtGui.QGraphicsView.mousePressEvent(self, ev)
+        #self.ignoreRelease = False
+        #for i in self.items(ev.pos()):
+            #if isinstance(i, Tick):
+                #self.ignoreRelease = True
+                #break
+        ##if len(self.items(ev.pos())) > 0:  ## Let items handle their own clicks
+            ##self.ignoreRelease = True
+        
+    #def mouseReleaseEvent(self, ev):
+        #QtGui.QGraphicsView.mouseReleaseEvent(self, ev)
+        #if self.ignoreRelease:
+            #return
+            
+        #pos = self.mapToScene(ev.pos())
+            
+        #if ev.button() == QtCore.Qt.LeftButton and self.allowAdd:
+            #if pos.x() < 0 or pos.x() > self.length:
+                #return
+            #if pos.y() < 0 or pos.y() > self.tickSize:
+                #return
+            #pos.setX(min(max(pos.x(), 0), self.length))
+            #self.addTick(pos.x()/self.length)
+        #elif ev.button() == QtCore.Qt.RightButton:
+            #self.showMenu(ev)
+            
+    def mouseClickEvent(self, ev):
+        if ev.button() == QtCore.Qt.LeftButton and self.allowAdd:
+            pos = ev.pos()
+            if pos.x() < 0 or pos.x() > self.length:
+                return
+            if pos.y() < 0 or pos.y() > self.tickSize:
+                return
+            pos.setX(min(max(pos.x(), 0), self.length))
+            self.addTick(pos.x()/self.length)
+        elif ev.button() == QtCore.Qt.RightButton:
+            self.showMenu(ev)
+        
+        #if  ev.button() == QtCore.Qt.RightButton:
+            #if self.moving:
+                #ev.accept()
+                #self.setPos(self.startPosition)
+                #self.moving = False
+                #self.sigMoving.emit(self)
+                #self.sigMoved.emit(self)
+            #else:
+                #pass
+                #self.view().tickClicked(self, ev)
+                ###remove
+
+    def hoverEvent(self, ev):
+        if (not ev.isExit()) and ev.acceptClicks(QtCore.Qt.LeftButton):
+            ev.acceptClicks(QtCore.Qt.RightButton)
+            ## show ghost tick
+            #self.currentPen = fn.mkPen(255, 0,0)
+        #else:
+            #self.currentPen = self.pen
+        #self.update()
+        
+    def showMenu(self, ev):
+        pass
+
+    def setTickColor(self, tick, color):
+        tick = self.getTick(tick)
+        tick.color = color
+        tick.update()
+        #tick.setBrush(QtGui.QBrush(QtGui.QColor(tick.color)))
+
+    def setTickValue(self, tick, val):
+        tick = self.getTick(tick)
+        val = min(max(0.0, val), 1.0)
+        x = val * self.length
+        pos = tick.pos()
+        pos.setX(x)
+        tick.setPos(pos)
+        self.ticks[tick] = val
+        
+    def tickValue(self, tick):
+        tick = self.getTick(tick)
+        return self.ticks[tick]
+        
+    def getTick(self, tick):
+        if type(tick) is int:
+            tick = self.listTicks()[tick][0]
+        return tick
+
+    #def mouseMoveEvent(self, ev):
+        #QtGui.QGraphicsView.mouseMoveEvent(self, ev)
+
+    def listTicks(self):
+        ticks = self.ticks.items()
+        ticks.sort(lambda a,b: cmp(a[1], b[1]))
+        return ticks
+
+
+class GradientEditorItem(TickSliderItem):
+    
+    sigGradientChanged = QtCore.Signal(object)
+    
+    def __init__(self, *args, **kargs):
+        
+        self.currentTick = None
+        self.currentTickColor = None
+        self.rectSize = 15
+        self.gradRect = QtGui.QGraphicsRectItem(QtCore.QRectF(0, self.rectSize, 100, self.rectSize))
+        self.backgroundRect = QtGui.QGraphicsRectItem(QtCore.QRectF(0, -self.rectSize, 100, self.rectSize))
+        self.backgroundRect.setBrush(QtGui.QBrush(QtCore.Qt.DiagCrossPattern))
+        self.colorMode = 'rgb'
+        
+        TickSliderItem.__init__(self, *args, **kargs)
+        
+        self.colorDialog = QtGui.QColorDialog()
+        self.colorDialog.setOption(QtGui.QColorDialog.ShowAlphaChannel, True)
+        self.colorDialog.setOption(QtGui.QColorDialog.DontUseNativeDialog, True)
+        
+        self.colorDialog.currentColorChanged.connect(self.currentColorChanged)
+        self.colorDialog.rejected.connect(self.currentColorRejected)
+        
+        self.backgroundRect.setParentItem(self)
+        self.gradRect.setParentItem(self)
+        
+        self.setMaxDim(self.rectSize + self.tickSize)
+        
+        self.rgbAction = QtGui.QAction('RGB', self)
+        self.rgbAction.setCheckable(True)
+        self.rgbAction.triggered.connect(lambda: self.setColorMode('rgb'))
+        self.hsvAction = QtGui.QAction('HSV', self)
+        self.hsvAction.setCheckable(True)
+        self.hsvAction.triggered.connect(lambda: self.setColorMode('hsv'))
+            
+        self.menu = QtGui.QMenu()
+        
+        ## build context menu of gradients
+        l = self.length
+        self.length = 100
+        global Gradients
+        for g in Gradients:
+            px = QtGui.QPixmap(100, 15)
+            p = QtGui.QPainter(px)
+            self.restoreState(Gradients[g])
+            grad = self.getGradient()
+            brush = QtGui.QBrush(grad)
+            p.fillRect(QtCore.QRect(0, 0, 100, 15), brush)
+            p.end()
+            label = QtGui.QLabel()
+            label.setPixmap(px)
+            label.setContentsMargins(1, 1, 1, 1)
+            act = QtGui.QWidgetAction(self)
+            act.setDefaultWidget(label)
+            act.triggered.connect(self.contextMenuClicked)
+            act.name = g
+            self.menu.addAction(act)
+        self.length = l
+        self.menu.addSeparator()
+        self.menu.addAction(self.rgbAction)
+        self.menu.addAction(self.hsvAction)
+        
+        
+        for t in self.ticks.keys():
+            self.removeTick(t)
+        self.addTick(0, QtGui.QColor(0,0,0), True)
+        self.addTick(1, QtGui.QColor(255,0,0), True)
+        self.setColorMode('rgb')
+        self.updateGradient()
+    
+    def setOrientation(self, ort):
+        TickSliderItem.setOrientation(self, ort)
+        self.translate(0, self.rectSize)
+    
+    def showMenu(self, ev):
+        self.menu.popup(ev.screenPos().toQPoint())
+    
+    def contextMenuClicked(self, b):
+        global Gradients
+        act = self.sender()
+        self.loadPreset(act.name)
+        
+    def loadPreset(self, name):
+        self.restoreState(Gradients[name])
+    
+    def setColorMode(self, cm):
+        if cm not in ['rgb', 'hsv']:
+            raise Exception("Unknown color mode %s. Options are 'rgb' and 'hsv'." % str(cm))
+        
+        try:
+            self.rgbAction.blockSignals(True)
+            self.hsvAction.blockSignals(True)
+            self.rgbAction.setChecked(cm == 'rgb')
+            self.hsvAction.setChecked(cm == 'hsv')
+        finally:
+            self.rgbAction.blockSignals(False)
+            self.hsvAction.blockSignals(False)
+        self.colorMode = cm
+        self.updateGradient()
+        
+    def updateGradient(self):
+        self.gradient = self.getGradient()
+        self.gradRect.setBrush(QtGui.QBrush(self.gradient))
+        self.sigGradientChanged.emit(self)
+        
+    def setLength(self, newLen):
+        TickSliderItem.setLength(self, newLen)
+        self.backgroundRect.setRect(0, -self.rectSize, newLen, self.rectSize)
+        self.gradRect.setRect(0, -self.rectSize, newLen, self.rectSize)
+        self.updateGradient()
+        
+    def currentColorChanged(self, color):
+        if color.isValid() and self.currentTick is not None:
+            self.setTickColor(self.currentTick, color)
+            self.updateGradient()
+            
+    def currentColorRejected(self):
+        self.setTickColor(self.currentTick, self.currentTickColor)
+        self.updateGradient()
+        
+    def tickClicked(self, tick, ev):
+        if ev.button() == QtCore.Qt.LeftButton:
+            if not tick.colorChangeAllowed:
+                return
+            self.currentTick = tick
+            self.currentTickColor = tick.color
+            self.colorDialog.setCurrentColor(tick.color)
+            self.colorDialog.open()
+            #color = QtGui.QColorDialog.getColor(tick.color, self, "Select Color", QtGui.QColorDialog.ShowAlphaChannel)
+            #if color.isValid():
+                #self.setTickColor(tick, color)
+                #self.updateGradient()
+        elif ev.button() == QtCore.Qt.RightButton:
+            if not tick.removeAllowed:
+                return
+            if len(self.ticks) > 2:
+                self.removeTick(tick)
+                self.updateGradient()
+                
+    def tickMoved(self, tick, pos):
+        TickSliderItem.tickMoved(self, tick, pos)
+        self.updateGradient()
+
+
+    def getGradient(self):
+        g = QtGui.QLinearGradient(QtCore.QPointF(0,0), QtCore.QPointF(self.length,0))
+        if self.colorMode == 'rgb':
+            ticks = self.listTicks()
+            g.setStops([(x, QtGui.QColor(t.color)) for t,x in ticks])
+        elif self.colorMode == 'hsv':  ## HSV mode is approximated for display by interpolating 10 points between each stop
+            ticks = self.listTicks()
+            stops = []
+            stops.append((ticks[0][1], ticks[0][0].color))
+            for i in range(1,len(ticks)):
+                x1 = ticks[i-1][1]
+                x2 = ticks[i][1]
+                dx = (x2-x1) / 10.
+                for j in range(1,10):
+                    x = x1 + dx*j
+                    stops.append((x, self.getColor(x)))
+                stops.append((x2, self.getColor(x2)))
+            g.setStops(stops)
+        return g
+        
+    def getColor(self, x, toQColor=True):
+        ticks = self.listTicks()
+        if x <= ticks[0][1]:
+            c = ticks[0][0].color
+            if toQColor:
+                return QtGui.QColor(c)  # always copy colors before handing them out
+            else:
+                return (c.red(), c.green(), c.blue(), c.alpha())
+        if x >= ticks[-1][1]:
+            c = ticks[-1][0].color
+            if toQColor:
+                return QtGui.QColor(c)  # always copy colors before handing them out
+            else:
+                return (c.red(), c.green(), c.blue(), c.alpha())
+            
+        x2 = ticks[0][1]
+        for i in range(1,len(ticks)):
+            x1 = x2
+            x2 = ticks[i][1]
+            if x1 <= x and x2 >= x:
+                break
+                
+        dx = (x2-x1)
+        if dx == 0:
+            f = 0.
+        else:
+            f = (x-x1) / dx
+        c1 = ticks[i-1][0].color
+        c2 = ticks[i][0].color
+        if self.colorMode == 'rgb':
+            r = c1.red() * (1.-f) + c2.red() * f
+            g = c1.green() * (1.-f) + c2.green() * f
+            b = c1.blue() * (1.-f) + c2.blue() * f
+            a = c1.alpha() * (1.-f) + c2.alpha() * f
+            if toQColor:
+                return QtGui.QColor(r, g, b,a)
+            else:
+                return (r,g,b,a)
+        elif self.colorMode == 'hsv':
+            h1,s1,v1,_ = c1.getHsv()
+            h2,s2,v2,_ = c2.getHsv()
+            h = h1 * (1.-f) + h2 * f
+            s = s1 * (1.-f) + s2 * f
+            v = v1 * (1.-f) + v2 * f
+            c = QtGui.QColor()
+            c.setHsv(h,s,v)
+            if toQColor:
+                return c
+            else:
+                return (c.red(), c.green(), c.blue(), c.alpha())
+                    
+    def getLookupTable(self, nPts, alpha=True):
+        """Return an RGB/A lookup table."""
+        if alpha:
+            table = np.empty((nPts,4), dtype=np.ubyte)
+        else:
+            table = np.empty((nPts,3), dtype=np.ubyte)
+            
+        for i in range(nPts):
+            x = float(i)/(nPts-1)
+            color = self.getColor(x, toQColor=False)
+            table[i] = color[:table.shape[1]]
+            
+        return table
+            
+            
+
+    def mouseReleaseEvent(self, ev):
+        TickSliderItem.mouseReleaseEvent(self, ev)
+        self.updateGradient()
+        
+    def addTick(self, x, color=None, movable=True):
+        if color is None:
+            color = self.getColor(x)
+        t = TickSliderItem.addTick(self, x, color=color, movable=movable)
+        t.colorChangeAllowed = True
+        t.removeAllowed = True
+        return t
+        
+    def saveState(self):
+        ticks = []
+        for t in self.ticks:
+            c = t.color
+            ticks.append((self.ticks[t], (c.red(), c.green(), c.blue(), c.alpha())))
+        state = {'mode': self.colorMode, 'ticks': ticks}
+        return state
+        
+    def restoreState(self, state):
+        self.setColorMode(state['mode'])
+        for t in self.ticks.keys():
+            self.removeTick(t)
+        for t in state['ticks']:
+            c = QtGui.QColor(*t[1])
+            self.addTick(t[0], c)
+        self.updateGradient()
+
+
+class Tick(GraphicsObject):
+    
+    sigMoving = QtCore.Signal(object)
+    sigMoved = QtCore.Signal(object)
+    
+    def __init__(self, view, pos, color, movable=True, scale=10, pen='w'):
+        self.movable = movable
+        self.moving = False
+        self.view = weakref.ref(view)
+        self.scale = scale
+        self.color = color
+        self.pen = fn.mkPen(pen)
+        self.hoverPen = fn.mkPen(255,255,0)
+        self.currentPen = self.pen
+        self.pg = QtGui.QPainterPath(QtCore.QPointF(0,0))
+        self.pg.lineTo(QtCore.QPointF(-scale/3**0.5, scale))
+        self.pg.lineTo(QtCore.QPointF(scale/3**0.5, scale))
+        self.pg.closeSubpath()
+        
+        GraphicsObject.__init__(self)
+        self.setPos(pos[0], pos[1])
+        if self.movable:
+            self.setZValue(1)
+        else:
+            self.setZValue(0)
+
+    def boundingRect(self):
+        return self.pg.boundingRect()
+    
+    def shape(self):
+        return self.pg
+
+    def paint(self, p, *args):
+        p.setRenderHints(QtGui.QPainter.Antialiasing)
+        p.fillPath(self.pg, fn.mkBrush(self.color))
+        
+        p.setPen(self.currentPen)
+        p.drawPath(self.pg)
+
+
+    def mouseDragEvent(self, ev):
+        if self.movable and ev.button() == QtCore.Qt.LeftButton:
+            if ev.isStart():
+                self.moving = True
+                self.cursorOffset = self.pos() - self.mapToParent(ev.buttonDownPos())
+                self.startPosition = self.pos()
+            ev.accept()
+            
+            if not self.moving:
+                return
+                
+            newPos = self.cursorOffset + self.mapToParent(ev.pos())
+            newPos.setY(self.pos().y())
+            
+            self.setPos(newPos)
+            self.view().tickMoved(self, newPos)
+            self.sigMoving.emit(self)
+            if ev.isFinish():
+                self.moving = False
+                self.sigMoved.emit(self)
+
+    def mouseClickEvent(self, ev):
+        if  ev.button() == QtCore.Qt.RightButton and self.moving:
+            ev.accept()
+            self.setPos(self.startPosition)
+            self.view().tickMoved(self, self.startPosition)
+            self.moving = False
+            self.sigMoving.emit(self)
+            self.sigMoved.emit(self)
+        else:
+            self.view().tickClicked(self, ev)
+            ##remove
+
+    def hoverEvent(self, ev):
+        if (not ev.isExit()) and ev.acceptDrags(QtCore.Qt.LeftButton):
+            ev.acceptClicks(QtCore.Qt.LeftButton)
+            ev.acceptClicks(QtCore.Qt.RightButton)
+            self.currentPen = self.hoverPen
+        else:
+            self.currentPen = self.pen
+        self.update()
+        
+    #def mouseMoveEvent(self, ev):
+        ##print self, "move", ev.scenePos()
+        #if not self.movable:
+            #return
+        #if not ev.buttons() & QtCore.Qt.LeftButton:
+            #return
+            
+            
+        #newPos = ev.scenePos() + self.mouseOffset
+        #newPos.setY(self.pos().y())
+        ##newPos.setX(min(max(newPos.x(), 0), 100))
+        #self.setPos(newPos)
+        #self.view().tickMoved(self, newPos)
+        #self.movedSincePress = True
+        ##self.emit(QtCore.SIGNAL('tickChanged'), self)
+        #ev.accept()
+
+    #def mousePressEvent(self, ev):
+        #self.movedSincePress = False
+        #if ev.button() == QtCore.Qt.LeftButton:
+            #ev.accept()
+            #self.mouseOffset = self.pos() - ev.scenePos()
+            #self.pressPos = ev.scenePos()
+        #elif ev.button() == QtCore.Qt.RightButton:
+            #ev.accept()
+            ##if self.endTick:
+                ##return
+            ##self.view.tickChanged(self, delete=True)
+            
+    #def mouseReleaseEvent(self, ev):
+        ##print self, "release", ev.scenePos()
+        #if not self.movedSincePress:
+            #self.view().tickClicked(self, ev)
+        
+        ##if ev.button() == QtCore.Qt.LeftButton and ev.scenePos() == self.pressPos:
+            ##color = QtGui.QColorDialog.getColor(self.color, None, "Select Color", QtGui.QColorDialog.ShowAlphaChannel)
+            ##if color.isValid():
+                ##self.color = color
+                ##self.setBrush(QtGui.QBrush(QtGui.QColor(self.color)))
+                ###self.emit(QtCore.SIGNAL('tickChanged'), self)
+                ##self.view.tickChanged(self)
diff --git a/graphicsItems/GradientLegend.py b/graphicsItems/GradientLegend.py
new file mode 100644
index 0000000000000000000000000000000000000000..442b8f09245b313753919625ef7a614ee1ce13eb
--- /dev/null
+++ b/graphicsItems/GradientLegend.py
@@ -0,0 +1,112 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from UIGraphicsItem import *
+import pyqtgraph.functions as fn
+
+__all__ = ['GradientLegend']
+
+class GradientLegend(UIGraphicsItem):
+    """
+    Draws a color gradient rectangle along with text labels denoting the value at specific 
+    points along the gradient.
+    """
+    
+    def __init__(self, view, size, offset):
+        self.size = size
+        self.offset = offset
+        UIGraphicsItem.__init__(self, view)
+        self.setAcceptedMouseButtons(QtCore.Qt.NoButton)
+        self.brush = QtGui.QBrush(QtGui.QColor(200,0,0))
+        self.pen = QtGui.QPen(QtGui.QColor(0,0,0))
+        self.labels = {'max': 1, 'min': 0}
+        self.gradient = QtGui.QLinearGradient()
+        self.gradient.setColorAt(0, QtGui.QColor(0,0,0))
+        self.gradient.setColorAt(1, QtGui.QColor(255,0,0))
+        
+    def setGradient(self, g):
+        self.gradient = g
+        self.update()
+        
+    def setIntColorScale(self, minVal, maxVal, *args, **kargs):
+        colors = [fn.intColor(i, maxVal-minVal, *args, **kargs) for i in range(minVal, maxVal)]
+        g = QtGui.QLinearGradient()
+        for i in range(len(colors)):
+            x = float(i)/len(colors)
+            g.setColorAt(x, colors[i])
+        self.setGradient(g)
+        if 'labels' not in kargs:
+            self.setLabels({str(minVal/10.): 0, str(maxVal): 1})
+        else:
+            self.setLabels({kargs['labels'][0]:0, kargs['labels'][1]:1})
+        
+    def setLabels(self, l):
+        """Defines labels to appear next to the color scale. Accepts a dict of {text: value} pairs"""
+        self.labels = l
+        self.update()
+        
+    def paint(self, p, opt, widget):
+        UIGraphicsItem.paint(self, p, opt, widget)
+        rect = self.boundingRect()   ## Boundaries of visible area in scene coords.
+        unit = self.pixelSize()       ## Size of one view pixel in scene coords.
+        
+        ## determine max width of all labels
+        labelWidth = 0
+        labelHeight = 0
+        for k in self.labels:
+            b = p.boundingRect(QtCore.QRectF(0, 0, 0, 0), QtCore.Qt.AlignLeft | QtCore.Qt.AlignVCenter, str(k))
+            labelWidth = max(labelWidth, b.width())
+            labelHeight = max(labelHeight, b.height())
+            
+        labelWidth *= unit[0]
+        labelHeight *= unit[1]
+        
+        textPadding = 2  # in px
+        
+        if self.offset[0] < 0:
+            x3 = rect.right() + unit[0] * self.offset[0]
+            x2 = x3 - labelWidth - unit[0]*textPadding*2
+            x1 = x2 - unit[0] * self.size[0]
+        else:
+            x1 = rect.left() + unit[0] * self.offset[0]
+            x2 = x1 + unit[0] * self.size[0]
+            x3 = x2 + labelWidth + unit[0]*textPadding*2
+        if self.offset[1] < 0:
+            y2 = rect.top() - unit[1] * self.offset[1]
+            y1 = y2 + unit[1] * self.size[1]
+        else:
+            y1 = rect.bottom() - unit[1] * self.offset[1]
+            y2 = y1 - unit[1] * self.size[1]
+        self.b = [x1,x2,x3,y1,y2,labelWidth]
+            
+        ## Draw background
+        p.setPen(self.pen)
+        p.setBrush(QtGui.QBrush(QtGui.QColor(255,255,255,100)))
+        rect = QtCore.QRectF(
+            QtCore.QPointF(x1 - unit[0]*textPadding, y1 + labelHeight/2 + unit[1]*textPadding), 
+            QtCore.QPointF(x3, y2 - labelHeight/2 - unit[1]*textPadding)
+        )
+        p.drawRect(rect)
+        
+        
+        ## Have to scale painter so that text and gradients are correct size. Bleh.
+        p.scale(unit[0], unit[1])
+        
+        ## Draw color bar
+        self.gradient.setStart(0, y1/unit[1])
+        self.gradient.setFinalStop(0, y2/unit[1])
+        p.setBrush(self.gradient)
+        rect = QtCore.QRectF(
+            QtCore.QPointF(x1/unit[0], y1/unit[1]), 
+            QtCore.QPointF(x2/unit[0], y2/unit[1])
+        )
+        p.drawRect(rect)
+        
+        
+        ## draw labels
+        p.setPen(QtGui.QPen(QtGui.QColor(0,0,0)))
+        tx = x2 + unit[0]*textPadding
+        lh = labelHeight/unit[1]
+        for k in self.labels:
+            y = y1 + self.labels[k] * (y2-y1)
+            p.drawText(QtCore.QRectF(tx/unit[0], y/unit[1] - lh/2.0, 1000, lh), QtCore.Qt.AlignLeft | QtCore.Qt.AlignVCenter, str(k))
+        
+        
diff --git a/graphicsItems/GraphicsItemMethods.py b/graphicsItems/GraphicsItemMethods.py
new file mode 100644
index 0000000000000000000000000000000000000000..63e9547666067ae581dcea9a430524e928b1fe8c
--- /dev/null
+++ b/graphicsItems/GraphicsItemMethods.py
@@ -0,0 +1,256 @@
+from pyqtgraph.Qt import QtGui, QtCore  
+from pyqtgraph.GraphicsScene import GraphicsScene
+from pyqtgraph.Point import Point
+import weakref
+
+class GraphicsItemMethods:
+    """
+    Class providing useful methods to GraphicsObject and GraphicsWidget.
+    """
+    def __init__(self):
+        self._viewWidget = None
+        self._viewBox = None
+        GraphicsScene.registerObject(self)  ## workaround for pyqt bug in graphicsscene.items()
+    
+    def getViewWidget(self):
+        """
+        Return the view widget for this item. If the scene has multiple views, only the first view is returned.
+        The return value is cached; clear the cached value with forgetViewWidget()
+        """
+        if self._viewWidget is None:
+            scene = self.scene()
+            if scene is None:
+                return None
+            views = scene.views()
+            if len(views) < 1:
+                return None
+            self._viewWidget = weakref.ref(self.scene().views()[0])
+        return self._viewWidget()
+        
+    def forgetViewWidget(self):
+        self._viewWidget = None
+        
+    def getViewBox(self):
+        """
+        Return the first ViewBox or GraphicsView which bounds this item's visible space.
+        If this item is not contained within a ViewBox, then the GraphicsView is returned.
+        If the item is contained inside nested ViewBoxes, then the inner-most ViewBox is returned.
+        The result is cached; clear the cache with forgetViewBox()
+        """
+        if self._viewBox is None:
+            p = self
+            while True:
+                p = p.parentItem()
+                if p is None:
+                    vb = self.getViewWidget()
+                    if vb is None:
+                        return None
+                    else:
+                        self._viewBox = weakref.ref(vb)
+                        break
+                if hasattr(p, 'implements') and p.implements('ViewBox'):
+                    self._viewBox = weakref.ref(p)
+                    break
+                    
+        return self._viewBox()  ## If we made it this far, _viewBox is definitely not None
+
+    def forgetViewBox(self):
+        self._viewBox = None
+        
+        
+    def deviceTransform(self, viewportTransform=None):
+        """
+        Return the transform that converts local item coordinates to device coordinates (usually pixels).
+        Extends deviceTransform to automatically determine the viewportTransform.
+        """
+        if viewportTransform is None:
+            view = self.getViewWidget()
+            if view is None:
+                return None
+            viewportTransform = view.viewportTransform()
+        return QtGui.QGraphicsObject.deviceTransform(self, viewportTransform)
+        
+    def viewTransform(self):
+        """Return the transform that maps from local coordinates to the item's ViewBox coordinates
+        If there is no ViewBox, return the scene transform.
+        Returns None if the item does not have a view."""
+        view = self.getViewBox()
+        if view is None:
+            return None
+        if hasattr(view, 'implements') and view.implements('ViewBox'):
+            return self.itemTransform(view.innerSceneItem())[0]
+        else:
+            return self.sceneTransform()
+            #return self.deviceTransform(view.viewportTransform())
+
+
+
+    def getBoundingParents(self):
+        """Return a list of parents to this item that have child clipping enabled."""
+        p = self
+        parents = []
+        while True:
+            p = p.parentItem()
+            if p is None:
+                break
+            if p.flags() & self.ItemClipsChildrenToShape:
+                parents.append(p)
+        return parents
+    
+    def viewRect(self):
+        """Return the bounds (in item coordinates) of this item's ViewBox or GraphicsWidget"""
+        view = self.getViewBox()
+        if view is None:
+            return None
+        bounds = self.mapRectFromView(view.viewRect()).normalized()
+        
+        ## nah.
+        #for p in self.getBoundingParents():
+            #bounds &= self.mapRectFromScene(p.sceneBoundingRect())
+            
+        return bounds
+        
+        
+        
+    def pixelVectors(self):
+        """Return vectors in local coordinates representing the width and height of a view pixel."""
+        vt = self.deviceTransform()
+        if vt is None:
+            return None
+        vt = vt.inverted()[0]
+        orig = vt.map(QtCore.QPointF(0, 0))
+        return vt.map(QtCore.QPointF(1, 0))-orig, vt.map(QtCore.QPointF(0, 1))-orig
+        
+    def pixelLength(self, direction):
+        """Return the length of one pixel in the direction indicated (in local coordinates)"""
+        dt = self.deviceTransform()
+        if dt is None:
+            return None
+        viewDir = Point(dt.map(direction) - dt.map(Point(0,0)))
+        norm = viewDir.norm()
+        dti = dt.inverted()[0]
+        return Point(dti.map(norm)-dti.map(Point(0,0))).length()
+        
+
+    def pixelSize(self):
+        v = self.pixelVectors()
+        return (v[0].x()**2+v[0].y()**2)**0.5, (v[1].x()**2+v[1].y()**2)**0.5
+
+    def pixelWidth(self):
+        vt = self.deviceTransform()
+        if vt is None:
+            return 0
+        vt = vt.inverted()[0]
+        return Point(vt.map(QtCore.QPointF(1, 0))-vt.map(QtCore.QPointF(0, 0))).length()
+        
+    def pixelHeight(self):
+        vt = self.deviceTransform()
+        if vt is None:
+            return 0
+        vt = vt.inverted()[0]
+        return Point(vt.map(QtCore.QPointF(0, 1))-vt.map(QtCore.QPointF(0, 0))).length()
+        
+        
+    def mapToDevice(self, obj):
+        """
+        Return *obj* mapped from local coordinates to device coordinates (pixels).
+        """
+        vt = self.deviceTransform()
+        if vt is None:
+            return None
+        return vt.map(obj)
+        
+    def mapFromDevice(self, obj):
+        """
+        Return *obj* mapped from device coordinates (pixels) to local coordinates.
+        """
+        vt = self.deviceTransform()
+        if vt is None:
+            return None
+        vt = vt.inverted()[0]
+        return vt.map(obj)
+
+    def mapToView(self, obj):
+        vt = self.viewTransform()
+        if vt is None:
+            return None
+        return vt.map(obj)
+        
+    def mapRectToView(self, obj):
+        vt = self.viewTransform()
+        if vt is None:
+            return None
+        return vt.mapRect(obj)
+        
+    def mapFromView(self, obj):
+        vt = self.viewTransform()
+        if vt is None:
+            return None
+        vt = vt.inverted()[0]
+        return vt.map(obj)
+
+    def mapRectFromView(self, obj):
+        vt = self.viewTransform()
+        if vt is None:
+            return None
+        vt = vt.inverted()[0]
+        return vt.mapRect(obj)
+
+    def pos(self):
+        return Point(QtGui.QGraphicsObject.pos(self))
+    
+    def viewPos(self):
+        return self.mapToView(self.pos())
+    
+    #def itemChange(self, change, value):
+        #ret = QtGui.QGraphicsObject.itemChange(self, change, value)
+        #if change == self.ItemParentHasChanged or change == self.ItemSceneHasChanged:
+            #print "Item scene changed:", self
+            #self.setChildScene(self)  ## This is bizarre. 
+        #return ret
+    
+    #def setChildScene(self, ch):
+        #scene = self.scene()
+        #for ch2 in ch.childItems():
+            #if ch2.scene() is not scene:
+                #print "item", ch2, "has different scene:", ch2.scene(), scene
+                #scene.addItem(ch2)
+                #QtGui.QApplication.processEvents()
+                #print "   --> ", ch2.scene()
+            #self.setChildScene(ch2)
+            
+    def parentItem(self):
+        ## PyQt bug -- some items are returned incorrectly.
+        return GraphicsScene.translateGraphicsItem(QtGui.QGraphicsObject.parentItem(self))
+        
+    
+    def childItems(self):
+        ## PyQt bug -- some child items are returned incorrectly.
+        return map(GraphicsScene.translateGraphicsItem, QtGui.QGraphicsObject.childItems(self))
+
+
+    def sceneTransform(self):
+        ## Qt bug: do no allow access to sceneTransform() until 
+        ## the item has a scene.
+        
+        if self.scene() is None:
+            return self.transform()
+        else:
+            return QtGui.QGraphicsObject.sceneTransform(self)
+
+
+    def transformAngle(self, relativeItem=None):
+        """Return the rotation produced by this item's transform (this assumes there is no shear in the transform)
+        If relativeItem is given, then the angle is determined relative to that item.
+        """
+        if relativeItem is None:
+            relativeItem = self.parentItem()
+            
+        tr = self.itemTransform(relativeItem)[0]
+        vec = tr.map(Point(1,0)) - tr.map(Point(0,0))
+        return Point(vec).angle(Point(1,0))
+        
+        
+        
+        
+        
\ No newline at end of file
diff --git a/graphicsItems/GraphicsLayout.py b/graphicsItems/GraphicsLayout.py
new file mode 100644
index 0000000000000000000000000000000000000000..c1d28c28a24ea612d449dc467b590b327e1a33e9
--- /dev/null
+++ b/graphicsItems/GraphicsLayout.py
@@ -0,0 +1,97 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import pyqtgraph.functions as fn
+from GraphicsWidget import GraphicsWidget
+
+__all__ = ['GraphicsLayout']
+class GraphicsLayout(GraphicsWidget):
+    """
+    Used for laying out GraphicsWidgets in a grid.
+    """
+
+
+    def __init__(self, parent=None, border=None):
+        GraphicsWidget.__init__(self, parent)
+        if border is True:
+            border = (100,100,100)
+        self.border = border
+        self.layout = QtGui.QGraphicsGridLayout()
+        self.setLayout(self.layout)
+        self.items = {}
+        self.rows = {}
+        self.currentRow = 0
+        self.currentCol = 0
+    
+    def nextRow(self):
+        """Advance to next row for automatic item placement"""
+        self.currentRow += 1
+        self.currentCol = 0
+        
+    def nextCol(self, colspan=1):
+        """Advance to next column, while returning the current column number 
+        (generally only for internal use--called by addItem)"""
+        self.currentCol += colspan
+        return self.currentCol-colspan
+        
+    def addPlot(self, row=None, col=None, rowspan=1, colspan=1, **kargs):
+        from PlotItem import PlotItem
+        plot = PlotItem(**kargs)
+        self.addItem(plot, row, col, rowspan, colspan)
+        return plot
+        
+    def addViewBox(self, row=None, col=None, rowspan=1, colspan=1, **kargs):
+        vb = ViewBox(**kargs)
+        self.addItem(vb, row, col, rowspan, colspan)
+        return vb
+        
+
+    def addItem(self, item, row=None, col=None, rowspan=1, colspan=1):
+        if row is None:
+            row = self.currentRow
+        if col is None:
+            col = self.nextCol(colspan)
+            
+        if row not in self.rows:
+            self.rows[row] = {}
+        self.rows[row][col] = item
+        self.items[item] = (row, col)
+        
+        self.layout.addItem(item, row, col, rowspan, colspan)
+
+    def getItem(self, row, col):
+        return self.row[row][col]
+
+    def boundingRect(self):
+        return self.rect()
+        
+    def paint(self, p, *args):
+        if self.border is None:
+            return
+        p.setPen(fn.mkPen(self.border))
+        for i in self.items:
+            r = i.mapRectToParent(i.boundingRect())
+            p.drawRect(r)
+    
+    def itemIndex(self, item):
+        for i in range(self.layout.count()):
+            if self.layout.itemAt(i).graphicsItem() is item:
+                return i
+        raise Exception("Could not determine index of item " + str(item))
+    
+    def removeItem(self, item):
+        ind = self.itemIndex(item)
+        self.layout.removeAt(ind)
+        self.scene().removeItem(item)
+        r,c = self.items[item]
+        del self.items[item]
+        del self.rows[r][c]
+        self.update()
+    
+    def clear(self):
+        items = []
+        for i in self.items.keys():
+            self.removeItem(i)
+
+
+## Must be imported at the end to avoid cyclic-dependency hell:
+from ViewBox import ViewBox
+from PlotItem import PlotItem
diff --git a/graphicsItems/GraphicsObject.py b/graphicsItems/GraphicsObject.py
new file mode 100644
index 0000000000000000000000000000000000000000..af727315dd149dff036bbd56d54e608c29240d51
--- /dev/null
+++ b/graphicsItems/GraphicsObject.py
@@ -0,0 +1,19 @@
+from pyqtgraph.Qt import QtGui, QtCore  
+from GraphicsItemMethods import GraphicsItemMethods
+
+__all__ = ['GraphicsObject']
+class GraphicsObject(GraphicsItemMethods, QtGui.QGraphicsObject):
+    """Extends QGraphicsObject with a few important functions. 
+    (Most of these assume that the object is in a scene with a single view)
+    
+    This class also generates a cache of the Qt-internal addresses of each item
+    so that GraphicsScene.items() can return the correct objects (this is a PyQt bug)
+    
+    Note: most of the extended functionality is inherited from GraphicsItemMethods,
+    which is shared between GraphicsObject and GraphicsWidget.
+    """
+    def __init__(self, *args):
+        QtGui.QGraphicsObject.__init__(self, *args)
+        GraphicsItemMethods.__init__(self)
+        
+        
diff --git a/graphicsItems/GraphicsWidget.py b/graphicsItems/GraphicsWidget.py
new file mode 100644
index 0000000000000000000000000000000000000000..0181ea17daa221426962d3d7b2a47a95913d5975
--- /dev/null
+++ b/graphicsItems/GraphicsWidget.py
@@ -0,0 +1,44 @@
+from pyqtgraph.Qt import QtGui, QtCore  
+from pyqtgraph.GraphicsScene import GraphicsScene
+from GraphicsItemMethods import GraphicsItemMethods
+
+__all__ = ['GraphicsWidget']
+class GraphicsWidget(GraphicsItemMethods, QtGui.QGraphicsWidget):
+    def __init__(self, *args, **kargs):
+        """
+        Extends QGraphicsWidget with several helpful methods and workarounds for PyQt bugs. 
+        Most of the extra functionality is inherited from GraphicsObjectSuperclass.
+        """
+        QtGui.QGraphicsWidget.__init__(self, *args, **kargs)
+        GraphicsItemMethods.__init__(self)
+        GraphicsScene.registerObject(self)  ## workaround for pyqt bug in graphicsscene.items()
+
+    #def getMenu(self):
+        #pass
+        
+    def setFixedHeight(self, h):
+        self.setMaximumHeight(h)
+        self.setMinimumHeight(h)
+
+    def setFixedWidth(self, h):
+        self.setMaximumWidth(h)
+        self.setMinimumWidth(h)
+        
+    def height(self):
+        return self.geometry().height()
+    
+    def width(self):
+        return self.geometry().width()
+
+    def boundingRect(self):
+        br = self.mapRectFromParent(self.geometry()).normalized()
+        #print "bounds:", br
+        return br
+        
+    def shape(self):  ## No idea why this is necessary, but rotated items do not receive clicks otherwise.
+        p = QtGui.QPainterPath()
+        p.addRect(self.boundingRect())
+        #print "shape:", p.boundingRect()
+        return p
+
+
diff --git a/graphicsItems/GridItem.py b/graphicsItems/GridItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..e3a4f1a07e51381a14ec7132aed8b80e36ac5366
--- /dev/null
+++ b/graphicsItems/GridItem.py
@@ -0,0 +1,116 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from UIGraphicsItem import *
+import numpy as np
+from pyqtgraph.Point import Point
+
+__all__ = ['GridItem']
+class GridItem(UIGraphicsItem):
+    """
+    Displays a rectangular grid of lines indicating major divisions within a coordinate system.
+    Automatically determines what divisions to use.
+    """
+    
+    def __init__(self):
+        UIGraphicsItem.__init__(self)
+        #QtGui.QGraphicsItem.__init__(self, *args)
+        #self.setFlag(QtGui.QGraphicsItem.ItemClipsToShape)
+        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
+        
+        self.picture = None
+        
+        
+    def viewChangedEvent(self):
+        self.picture = None
+        #UIGraphicsItem.viewRangeChanged(self)
+        #self.update()
+        
+    def paint(self, p, opt, widget):
+        #p.setPen(QtGui.QPen(QtGui.QColor(100, 100, 100)))
+        #p.drawRect(self.boundingRect())
+        #UIGraphicsItem.paint(self, p, opt, widget)
+        ### draw picture
+        if self.picture is None:
+            #print "no pic, draw.."
+            self.generatePicture()
+        p.drawPicture(QtCore.QPointF(0, 0), self.picture)
+        #p.setPen(QtGui.QPen(QtGui.QColor(255,0,0)))
+        #p.drawLine(0, -100, 0, 100)
+        #p.drawLine(-100, 0, 100, 0)
+        #print "drawing Grid."
+        
+        
+    def generatePicture(self):
+        self.picture = QtGui.QPicture()
+        p = QtGui.QPainter()
+        p.begin(self.picture)
+        
+        dt = self.viewTransform().inverted()[0]
+        vr = self.getViewWidget().rect()
+        unit = self.pixelWidth(), self.pixelHeight()
+        dim = [vr.width(), vr.height()]
+        lvr = self.boundingRect()
+        ul = np.array([lvr.left(), lvr.top()])
+        br = np.array([lvr.right(), lvr.bottom()])
+        
+        texts = []
+        
+        if ul[1] > br[1]:
+            x = ul[1]
+            ul[1] = br[1]
+            br[1] = x
+        for i in [2,1,0]:   ## Draw three different scales of grid
+            dist = br-ul
+            nlTarget = 10.**i
+            d = 10. ** np.floor(np.log10(abs(dist/nlTarget))+0.5)
+            ul1 = np.floor(ul / d) * d
+            br1 = np.ceil(br / d) * d
+            dist = br1-ul1
+            nl = (dist / d) + 0.5
+            #print "level", i
+            #print "  dim", dim
+            #print "  dist", dist
+            #print "  d", d
+            #print "  nl", nl
+            for ax in range(0,2):  ## Draw grid for both axes
+                ppl = dim[ax] / nl[ax]
+                c = np.clip(3.*(ppl-3), 0., 30.)
+                linePen = QtGui.QPen(QtGui.QColor(255, 255, 255, c)) 
+                textPen = QtGui.QPen(QtGui.QColor(255, 255, 255, c*2)) 
+                #linePen.setCosmetic(True)
+                #linePen.setWidth(1)
+                bx = (ax+1) % 2
+                for x in range(0, int(nl[ax])):
+                    linePen.setCosmetic(False)
+                    if ax == 0:
+                        linePen.setWidthF(self.pixelWidth())
+                        #print "ax 0 height", self.pixelHeight()
+                    else:
+                        linePen.setWidthF(self.pixelHeight())
+                        #print "ax 1 width", self.pixelWidth()
+                    p.setPen(linePen)
+                    p1 = np.array([0.,0.])
+                    p2 = np.array([0.,0.])
+                    p1[ax] = ul1[ax] + x * d[ax]
+                    p2[ax] = p1[ax]
+                    p1[bx] = ul[bx]
+                    p2[bx] = br[bx]
+                    ## don't draw lines that are out of bounds.
+                    if p1[ax] < min(ul[ax], br[ax]) or p1[ax] > max(ul[ax], br[ax]):
+                        continue
+                    p.drawLine(QtCore.QPointF(p1[0], p1[1]), QtCore.QPointF(p2[0], p2[1]))
+                    if i < 2:
+                        p.setPen(textPen)
+                        if ax == 0:
+                            x = p1[0] + unit[0]
+                            y = ul[1] + unit[1] * 8.
+                        else:
+                            x = ul[0] + unit[0]*3
+                            y = p1[1] + unit[1]
+                        texts.append((QtCore.QPointF(x, y), "%g"%p1[ax]))
+        tr = self.deviceTransform()
+        #tr.scale(1.5, 1.5)
+        p.setWorldTransform(tr.inverted()[0])
+        for t in texts:
+            x = tr.map(t[0]) + Point(0.5, 0.5)
+            p.drawText(x, t[1])
+        p.end()
diff --git a/graphicsItems/HistogramLUTItem.py b/graphicsItems/HistogramLUTItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..195997205498dbd08721b2904216f7c325a58bf1
--- /dev/null
+++ b/graphicsItems/HistogramLUTItem.py
@@ -0,0 +1,178 @@
+"""
+GraphicsWidget displaying an image histogram along with gradient editor. Can be used to adjust the appearance of images.
+"""
+
+
+from pyqtgraph.Qt import QtGui, QtCore
+import pyqtgraph.functions as fn
+from GraphicsWidget import GraphicsWidget
+from ViewBox import *
+from GradientEditorItem import *
+from LinearRegionItem import *
+from PlotDataItem import *
+from AxisItem import *
+from GridItem import *
+from pyqtgraph.Point import Point
+import pyqtgraph.functions as fn
+import numpy as np
+
+
+__all__ = ['HistogramLUTItem']
+
+
+class HistogramLUTItem(GraphicsWidget):
+    sigLookupTableChanged = QtCore.Signal(object)
+    sigLevelsChanged = QtCore.Signal(object)
+    sigLevelChangeFinished = QtCore.Signal(object)
+    
+    def __init__(self, image=None):
+        GraphicsWidget.__init__(self)
+        self.lut = None
+        self.imageItem = None
+        
+        self.layout = QtGui.QGraphicsGridLayout()
+        self.setLayout(self.layout)
+        self.layout.setContentsMargins(1,1,1,1)
+        self.layout.setSpacing(0)
+        self.vb = ViewBox()
+        self.vb.setMaximumWidth(152)
+        self.vb.setMinimumWidth(52)
+        self.vb.setMouseEnabled(x=False, y=True)
+        self.gradient = GradientEditorItem()
+        self.gradient.setOrientation('right')
+        self.gradient.loadPreset('grey')
+        self.region = LinearRegionItem([0, 1], LinearRegionItem.Horizontal)
+        self.region.setZValue(1000)
+        self.vb.addItem(self.region)
+        self.axis = AxisItem('left', linkView=self.vb, maxTickLength=-10, showValues=False)
+        self.layout.addItem(self.axis, 0, 0)
+        self.layout.addItem(self.vb, 0, 1)
+        self.layout.addItem(self.gradient, 0, 2)
+        self.range = None
+        self.gradient.setFlag(self.gradient.ItemStacksBehindParent)
+        self.vb.setFlag(self.gradient.ItemStacksBehindParent)
+        
+        #self.grid = GridItem()
+        #self.vb.addItem(self.grid)
+        
+        self.gradient.sigGradientChanged.connect(self.gradientChanged)
+        self.region.sigRegionChanged.connect(self.regionChanging)
+        self.region.sigRegionChangeFinished.connect(self.regionChanged)
+        self.vb.sigRangeChanged.connect(self.viewRangeChanged)
+        self.plot = PlotDataItem()
+        self.plot.rotate(90)
+        self.vb.addItem(self.plot)
+        self.autoHistogramRange()
+        
+        if image is not None:
+            self.setImageItem(image)
+        #self.setSizePolicy(QtGui.QSizePolicy.Preferred, QtGui.QSizePolicy.Expanding)
+        
+
+    #def sizeHint(self, *args):
+        #return QtCore.QSizeF(115, 200)
+        
+    def paint(self, p, *args):
+        pen = self.region.lines[0].pen
+        rgn = self.getLevels()
+        p1 = self.vb.mapFromViewToItem(self, Point(self.vb.viewRect().center().x(), rgn[0]))
+        p2 = self.vb.mapFromViewToItem(self, Point(self.vb.viewRect().center().x(), rgn[1]))
+        gradRect = self.gradient.mapRectToParent(self.gradient.gradRect.rect())
+        for pen in [fn.mkPen('k', width=3), pen]:
+            p.setPen(pen)
+            p.drawLine(p1, gradRect.bottomLeft())
+            p.drawLine(p2, gradRect.topLeft())
+            p.drawLine(gradRect.topLeft(), gradRect.topRight())
+            p.drawLine(gradRect.bottomLeft(), gradRect.bottomRight())
+        #p.drawRect(self.boundingRect())
+        
+        
+    def setHistogramRange(self, mn, mx, padding=0.1):
+        """Set the Y range on the histogram plot. This disables auto-scaling."""
+        self.vb.enableAutoRange(self.vb.YAxis, False)
+        self.vb.setYRange(mn, mx, padding)
+        
+        #d = mx-mn
+        #mn -= d*padding
+        #mx += d*padding
+        #self.range = [mn,mx]
+        #self.updateRange()
+        #self.vb.setMouseEnabled(False, True)
+        #self.region.setBounds([mn,mx])
+        
+    def autoHistogramRange(self):
+        """Enable auto-scaling on the histogram plot."""
+        self.vb.enableAutoRange(self.vb.XYAxes)
+        #self.range = None
+        #self.updateRange()
+        #self.vb.setMouseEnabled(False, False)
+            
+    #def updateRange(self):
+        #self.vb.autoRange()
+        #if self.range is not None:
+            #self.vb.setYRange(*self.range)
+        #vr = self.vb.viewRect()
+        
+        #self.region.setBounds([vr.top(), vr.bottom()])
+
+    def setImageItem(self, img):
+        self.imageItem = img
+        img.sigImageChanged.connect(self.imageChanged)
+        img.setLookupTable(self.getLookupTable)  ## send function pointer, not the result
+        #self.gradientChanged()
+        self.regionChanged()
+        self.imageChanged(autoLevel=True)
+        #self.vb.autoRange()
+        
+    def viewRangeChanged(self):
+        self.update()
+    
+    def gradientChanged(self):
+        if self.imageItem is not None:
+            self.imageItem.setLookupTable(self.getLookupTable)  ## send function pointer, not the result
+            
+        self.lut = None
+        #if self.imageItem is not None:
+            #self.imageItem.setLookupTable(self.gradient.getLookupTable(512))
+        self.sigLookupTableChanged.emit(self)
+
+    def getLookupTable(self, img=None, n=None):
+        if n is None:
+            if img.dtype == np.uint8:
+                n = 256
+            else:
+                n = 512
+        if self.lut is None:
+            self.lut = self.gradient.getLookupTable(n)
+        return self.lut
+
+    def regionChanged(self):
+        #if self.imageItem is not None:
+            #self.imageItem.setLevels(self.region.getRegion())
+        self.sigLevelChangeFinished.emit(self)
+        #self.update()
+
+    def regionChanging(self):
+        if self.imageItem is not None:
+            self.imageItem.setLevels(self.region.getRegion())
+        self.sigLevelsChanged.emit(self)
+        self.update()
+
+    def imageChanged(self, autoLevel=False, autoRange=False):
+        h = self.imageItem.getHistogram()
+        if h[0] is None:
+            return
+        self.plot.setData(*h, fillLevel=0.0, brush=(100, 100, 200))
+        if autoLevel:
+            mn = h[0][0]
+            mx = h[0][-1]
+            self.region.setRegion([mn, mx])
+            #self.updateRange()
+        #if autoRange:
+            #self.updateRange()
+            
+    def getLevels(self):
+        return self.region.getRegion()
+        
+    def setLevels(self, mn, mx):
+        self.region.setRegion([mn, mx])
\ No newline at end of file
diff --git a/graphicsItems/ImageItem.old b/graphicsItems/ImageItem.old
new file mode 100644
index 0000000000000000000000000000000000000000..726814e0e87928f9cd5cd3573b9af19816ee4d61
--- /dev/null
+++ b/graphicsItems/ImageItem.old
@@ -0,0 +1,398 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import numpy as np
+try:
+    import scipy.weave as weave
+    from scipy.weave import converters
+except:
+    pass
+import pyqtgraph.functions as fn
+import pyqtgraph.debug as debug
+from GraphicsObject import GraphicsObject
+
+__all__ = ['ImageItem']
+class ImageItem(GraphicsObject):
+    """
+    GraphicsObject displaying an image. Optimized for rapid update (ie video display)
+    
+    """
+    
+    
+    sigImageChanged = QtCore.Signal()
+    
+    ## performance gains from this are marginal, and it's rather unreliable.
+    useWeave = False
+    
+    def __init__(self, image=None, copy=True, parent=None, border=None, mode=None, *args):
+        #QObjectWorkaround.__init__(self)
+        GraphicsObject.__init__(self)
+        #self.pixmapItem = QtGui.QGraphicsPixmapItem(self)
+        self.qimage = QtGui.QImage()
+        self.pixmap = None
+        self.paintMode = mode
+        #self.useWeave = True
+        self.blackLevel = None
+        self.whiteLevel = None
+        self.alpha = 1.0
+        self.image = None
+        self.clipLevel = None
+        self.drawKernel = None
+        if border is not None:
+            border = fn.mkPen(border)
+        self.border = border
+        
+        #QtGui.QGraphicsPixmapItem.__init__(self, parent, *args)
+        #self.pixmapItem = QtGui.QGraphicsPixmapItem(self)
+        if image is not None:
+            self.updateImage(image, copy, autoRange=True)
+        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
+        
+        #self.item = QtGui.QGraphicsPixmapItem(parent=self)
+
+    def setCompositionMode(self, mode):
+        self.paintMode = mode
+        self.update()
+
+    def setAlpha(self, alpha):
+        self.alpha = alpha
+        self.updateImage()
+        
+    #def boundingRect(self):
+        #return self.pixmapItem.boundingRect()
+        #return QtCore.QRectF(0, 0, self.qimage.width(), self.qimage.height())
+        
+    def width(self):
+        if self.pixmap is None:
+            return None
+        return self.pixmap.width()
+        
+    def height(self):
+        if self.pixmap is None:
+            return None
+        return self.pixmap.height()
+
+    def boundingRect(self):
+        if self.pixmap is None:
+            return QtCore.QRectF(0., 0., 0., 0.)
+        return QtCore.QRectF(0., 0., float(self.width()), float(self.height()))
+
+    def setClipLevel(self, level=None):
+        self.clipLevel = level
+        
+    #def paint(self, p, opt, widget):
+        #pass
+        #if self.pixmap is not None:
+            #p.drawPixmap(0, 0, self.pixmap)
+            #print "paint"
+
+    def setLevels(self, white=None, black=None):
+        if white is not None:
+            self.whiteLevel = white
+        if black is not None:
+            self.blackLevel = black  
+        self.updateImage()
+        
+    def getLevels(self):
+        return self.whiteLevel, self.blackLevel
+
+    def updateImage(self, *args, **kargs):
+        ## can we make any assumptions here that speed things up?
+        ## dtype, range, size are all the same?
+        defaults = {
+            'autoRange': False,
+        }
+        defaults.update(kargs)
+        return self.setImage(*args, **defaults)
+
+    def setImage(self, image=None, copy=True, autoRange=True, clipMask=None, white=None, black=None, axes=None):
+        prof = debug.Profiler('ImageItem.updateImage 0x%x' %id(self))
+        #debug.printTrace()
+        if axes is None:
+            axh = {'x': 0, 'y': 1, 'c': 2}
+        else:
+            axh = axes
+        #print "Update image", black, white
+        if white is not None:
+            self.whiteLevel = white
+        if black is not None:
+            self.blackLevel = black  
+        
+        gotNewData = False
+        if image is None:
+            if self.image is None:
+                return
+        else:
+            gotNewData = True
+            if self.image is None or image.shape != self.image.shape:
+                self.prepareGeometryChange()
+            if copy:
+                self.image = image.view(np.ndarray).copy()
+            else:
+                self.image = image.view(np.ndarray)
+        #print "  image max:", self.image.max(), "min:", self.image.min()
+        prof.mark('1')
+        
+        # Determine scale factors
+        if autoRange or self.blackLevel is None:
+            if self.image.dtype is np.ubyte:
+                self.blackLevel = 0
+                self.whiteLevel = 255
+            else:
+                self.blackLevel = self.image.min()
+                self.whiteLevel = self.image.max()
+        #print "Image item using", self.blackLevel, self.whiteLevel
+        
+        if self.blackLevel != self.whiteLevel:
+            scale = 255. / (self.whiteLevel - self.blackLevel)
+        else:
+            scale = 0.
+        
+        prof.mark('2')
+        
+        ## Recolor and convert to 8 bit per channel
+        # Try using weave, then fall back to python
+        shape = self.image.shape
+        black = float(self.blackLevel)
+        white = float(self.whiteLevel)
+        
+        if black == 0 and white == 255 and self.image.dtype == np.ubyte:
+            im = self.image
+        elif self.image.dtype in [np.ubyte, np.uint16]:
+            # use lookup table instead
+            npts = 2**(self.image.itemsize * 8)
+            lut = self.getLookupTable(npts, black, white)
+            im = lut[self.image]
+        else:
+            im = self.applyColorScaling(self.image, black, scale)
+            
+        prof.mark('3')
+
+        try:
+            im1 = np.empty((im.shape[axh['y']], im.shape[axh['x']], 4), dtype=np.ubyte)
+        except:
+            print im.shape, axh
+            raise
+        alpha = np.clip(int(255 * self.alpha), 0, 255)
+        prof.mark('4')
+        # Fill image 
+        if im.ndim == 2:
+            im2 = im.transpose(axh['y'], axh['x'])
+            im1[..., 0] = im2
+            im1[..., 1] = im2
+            im1[..., 2] = im2
+            im1[..., 3] = alpha
+        elif im.ndim == 3: #color image
+            im2 = im.transpose(axh['y'], axh['x'], axh['c'])
+            if im2.shape[2] > 4:
+                raise Exception("ImageItem got image with more than 4 color channels (shape is %s; axes are %s)" % (str(im.shape), str(axh)))
+            ##      [B G R A]    Reorder colors
+            order = [2,1,0,3] ## for some reason, the colors line up as BGR in the final image.
+            
+            for i in range(0, im.shape[axh['c']]):
+                im1[..., order[i]] = im2[..., i]    
+            
+            ## fill in unused channels with 0 or alpha
+            for i in range(im.shape[axh['c']], 3):
+                im1[..., i] = 0
+            if im.shape[axh['c']] < 4:
+                im1[..., 3] = alpha
+                
+        else:
+            raise Exception("Image must be 2 or 3 dimensions")
+        #self.im1 = im1
+        # Display image
+        prof.mark('5')
+        if self.clipLevel is not None or clipMask is not None:
+            if clipMask is not None:
+                mask = clipMask.transpose()
+            else:
+                mask = (self.image < self.clipLevel).transpose()
+            im1[..., 0][mask] *= 0.5
+            im1[..., 1][mask] *= 0.5
+            im1[..., 2][mask] = 255
+        prof.mark('6')
+        #print "Final image:", im1.dtype, im1.min(), im1.max(), im1.shape
+        self.ims = im1.tostring()  ## Must be held in memory here because qImage won't do it for us :(
+        prof.mark('7')
+        qimage = QtGui.QImage(buffer(self.ims), im1.shape[1], im1.shape[0], QtGui.QImage.Format_ARGB32)
+        prof.mark('8')
+        self.pixmap = QtGui.QPixmap.fromImage(qimage)
+        prof.mark('9')
+        ##del self.ims
+        #self.item.setPixmap(self.pixmap)
+        
+        self.update()
+        prof.mark('10')
+        
+        if gotNewData:
+            #self.emit(QtCore.SIGNAL('imageChanged'))
+            self.sigImageChanged.emit()
+            
+        prof.finish()
+        
+    def getLookupTable(self, num, black, white):
+        num = int(num)
+        black = int(black)
+        white = int(white)
+        if white < black:
+            b = black
+            black = white
+            white = b
+        key = (num, black, white)
+        lut = np.empty(num, dtype=np.ubyte)
+        lut[:black] = 0
+        rng = lut[black:white]
+        try:
+            rng[:] = np.linspace(0, 255, white-black)[:len(rng)]
+        except:
+            print key, rng.shape
+        lut[white:] = 255
+        return lut
+        
+        
+    def applyColorScaling(self, img, offset, scale):
+        try:
+            if not ImageItem.useWeave:
+                raise Exception('Skipping weave compile')
+            #sim = np.ascontiguousarray(self.image)  ## should not be needed
+            sim = img.reshape(img.size)
+            #sim.shape = sim.size
+            im = np.empty(sim.shape, dtype=np.ubyte)
+            n = im.size
+            
+            code = """
+            for( int i=0; i<n; i++ ) {
+                float a = (sim(i)-offset) * (float)scale;
+                if( a > 255.0 )
+                    a = 255.0;
+                else if( a < 0.0 )
+                    a = 0.0;
+                im(i) = a;
+            }
+            """
+            
+            weave.inline(code, ['sim', 'im', 'n', 'offset', 'scale'], type_converters=converters.blitz, compiler = 'gcc')
+            #sim.shape = shape
+            im.shape = img.shape
+        except:
+            if ImageItem.useWeave:
+                ImageItem.useWeave = False
+                #sys.excepthook(*sys.exc_info())
+                #print "=============================================================================="
+                #print "Weave compile failed, falling back to slower version."
+            #img.shape = shape
+            im = ((img - offset) * scale).clip(0.,255.).astype(np.ubyte)
+        return im
+        
+        
+    def getPixmap(self):
+        return self.pixmap.copy()
+
+    def getHistogram(self, bins=500, step=3):
+        """returns x and y arrays containing the histogram values for the current image.
+        The step argument causes pixels to be skipped when computing the histogram to save time."""
+        if self.image is None:
+            return None,None
+        stepData = self.image[::step, ::step]
+        hist = np.histogram(stepData, bins=bins)
+        return hist[1][:-1], hist[0]
+
+    def setPxMode(self, b):
+        """Set whether the item ignores transformations and draws directly to screen pixels."""
+        self.setFlag(self.ItemIgnoresTransformations, b)
+            
+    def setScaledMode(self):
+        self.setPxMode(False)
+
+    def mousePressEvent(self, ev):
+        if self.drawKernel is not None and ev.button() == QtCore.Qt.LeftButton:
+            self.drawAt(ev.pos(), ev)
+            ev.accept()
+        else:
+            ev.ignore()
+        
+    def mouseMoveEvent(self, ev):
+        #print "mouse move", ev.pos()
+        if self.drawKernel is not None:
+            self.drawAt(ev.pos(), ev)
+    
+    def mouseReleaseEvent(self, ev):
+        pass
+    
+    def tabletEvent(self, ev):
+        print ev.device()
+        print ev.pointerType()
+        print ev.pressure()
+    
+    def drawAt(self, pos, ev=None):
+        pos = [int(pos.x()), int(pos.y())]
+        dk = self.drawKernel
+        kc = self.drawKernelCenter
+        sx = [0,dk.shape[0]]
+        sy = [0,dk.shape[1]]
+        tx = [pos[0] - kc[0], pos[0] - kc[0]+ dk.shape[0]]
+        ty = [pos[1] - kc[1], pos[1] - kc[1]+ dk.shape[1]]
+        
+        for i in [0,1]:
+            dx1 = -min(0, tx[i])
+            dx2 = min(0, self.image.shape[0]-tx[i])
+            tx[i] += dx1+dx2
+            sx[i] += dx1+dx2
+
+            dy1 = -min(0, ty[i])
+            dy2 = min(0, self.image.shape[1]-ty[i])
+            ty[i] += dy1+dy2
+            sy[i] += dy1+dy2
+
+        #print sx
+        #print sy
+        #print tx
+        #print ty
+        #print self.image.shape
+        #print self.image[tx[0]:tx[1], ty[0]:ty[1]].shape
+        #print dk[sx[0]:sx[1], sy[0]:sy[1]].shape
+        ts = (slice(tx[0],tx[1]), slice(ty[0],ty[1]))
+        ss = (slice(sx[0],sx[1]), slice(sy[0],sy[1]))
+        #src = dk[sx[0]:sx[1], sy[0]:sy[1]]
+        #mask = self.drawMask[sx[0]:sx[1], sy[0]:sy[1]]
+        mask = self.drawMask
+        src = dk
+        #print self.image[ts].shape, src.shape
+        
+        if callable(self.drawMode):
+            self.drawMode(dk, self.image, mask, ss, ts, ev)
+        else:
+            src = src[ss]
+            if self.drawMode == 'set':
+                if mask is not None:
+                    mask = mask[ss]
+                    self.image[ts] = self.image[ts] * (1-mask) + src * mask
+                else:
+                    self.image[ts] = src
+            elif self.drawMode == 'add':
+                self.image[ts] += src
+            else:
+                raise Exception("Unknown draw mode '%s'" % self.drawMode)
+            self.updateImage()
+        
+    def setDrawKernel(self, kernel=None, mask=None, center=(0,0), mode='set'):
+        self.drawKernel = kernel
+        self.drawKernelCenter = center
+        self.drawMode = mode
+        self.drawMask = mask
+    
+    def paint(self, p, *args):
+        
+        #QtGui.QGraphicsPixmapItem.paint(self, p, *args)
+        if self.pixmap is None:
+            return
+        if self.paintMode is not None:
+            p.setCompositionMode(self.paintMode)
+        p.drawPixmap(self.boundingRect(), self.pixmap, QtCore.QRectF(0, 0, self.pixmap.width(), self.pixmap.height()))
+        if self.border is not None:
+            p.setPen(self.border)
+            p.drawRect(self.boundingRect())
+
+    def pixelSize(self):
+        """return size of a single pixel in the image"""
+        br = self.sceneBoundingRect()
+        return br.width()/self.pixmap.width(), br.height()/self.pixmap.height()
diff --git a/graphicsItems/ImageItem.py b/graphicsItems/ImageItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..088b589174e7b2ecda6e723bdf9a143b97d37c86
--- /dev/null
+++ b/graphicsItems/ImageItem.py
@@ -0,0 +1,537 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import numpy as np
+try:
+    import scipy.weave as weave
+    from scipy.weave import converters
+except:
+    pass
+import pyqtgraph.functions as fn
+import pyqtgraph.debug as debug
+from GraphicsObject import GraphicsObject
+
+__all__ = ['ImageItem']
+class ImageItem(GraphicsObject):
+    """
+    GraphicsObject displaying an image. Optimized for rapid update (ie video display)
+    
+    """
+    
+    
+    sigImageChanged = QtCore.Signal()
+    
+    ## performance gains from this are marginal, and it's rather unreliable.
+    useWeave = False
+    
+    def __init__(self, image=None, **kargs):
+        """
+        See setImage for all allowed arguments.
+        """
+        GraphicsObject.__init__(self)
+        #self.pixmapItem = QtGui.QGraphicsPixmapItem(self)
+        #self.qimage = QtGui.QImage()
+        #self._pixmap = None
+        
+        self.image = None   ## original image data
+        self.qimage = None  ## rendered image for display
+        #self.clipMask = None
+        
+        self.paintMode = None
+        #self.useWeave = True
+        
+        self.levels = None  ## [min, max] or [[redMin, redMax], ...]
+        self.lut = None
+        
+        #self.clipLevel = None
+        self.drawKernel = None
+        self.border = None
+        
+        if image is not None:
+            self.setImage(image, **kargs)
+        else:
+            self.setOpts(**kargs)
+
+    def setCompositionMode(self, mode):
+        self.paintMode = mode
+        self.update()
+
+    ## use setOpacity instead.
+    #def setAlpha(self, alpha):
+        #self.setOpacity(alpha)
+        #self.updateImage()
+        
+    def setBorder(self, b):
+        self.border = fn.mkPen(b)
+        self.update()
+        
+    def width(self):
+        if self.image is None:
+            return None
+        return self.image.shape[0]
+        
+    def height(self):
+        if self.image is None:
+            return None
+        return self.image.shape[1]
+
+    def boundingRect(self):
+        if self.image is None:
+            return QtCore.QRectF(0., 0., 0., 0.)
+        return QtCore.QRectF(0., 0., float(self.width()), float(self.height()))
+
+    #def setClipLevel(self, level=None):
+        #self.clipLevel = level
+        #self.updateImage()
+        
+    #def paint(self, p, opt, widget):
+        #pass
+        #if self.pixmap is not None:
+            #p.drawPixmap(0, 0, self.pixmap)
+            #print "paint"
+
+    def setLevels(self, levels, update=True):
+        """
+        Set image scaling levels. Can be one of: 
+            [blackLevel, whiteLevel]
+            [[minRed, maxRed], [minGreen, maxGreen], [minBlue, maxBlue]]
+        Only the first format is compatible with lookup tables.
+        """
+        self.levels = levels
+        if update:
+            self.updateImage()
+        
+    def getLevels(self):
+        return self.levels
+        #return self.whiteLevel, self.blackLevel
+
+    def setLookupTable(self, lut, update=True):
+        """
+        Set the lookup table to use for this image. (see functions.makeARGB for more information on how this is used)
+        Optionally, lut can be a callable that accepts the current image as an argument and returns the lookup table to use."""
+        self.lut = lut
+        if update:
+            self.updateImage()
+
+    def setOpts(self, update=True, **kargs):
+        if 'lut' in kargs:
+            self.setLookupTable(kargs['lut'], update=update)
+        if 'levels' in kargs:
+            self.setLevels(kargs['levels'], update=update)
+        #if 'clipLevel' in kargs:
+            #self.setClipLevel(kargs['clipLevel'])
+        if 'opacity' in kargs:
+            self.setOpacity(kargs['opacity'])
+        if 'compositionMode' in kargs:
+            self.setCompositionMode(kargs['compositionMode'])
+        if 'border' in kargs:
+            self.setBorder(kargs['border'])
+
+    def setRect(self, rect):
+        """Scale and translate the image to fit within rect."""
+        self.resetTransform()
+        self.scale(rect.width() / self.width(), rect.height() / self.height())
+        self.translate(rect.left(), rect.top())
+
+    def setImage(self, image=None, autoLevels=None, **kargs):
+        """
+        Update the image displayed by this item.
+        Arguments:
+            image
+            autoLevels
+            lut
+            levels
+            opacity
+            compositionMode
+            border
+        
+        """
+        prof = debug.Profiler('ImageItem.setImage', disabled=True)
+        
+        gotNewData = False
+        if image is None:
+            if self.image is None:
+                return
+        else:
+            gotNewData = True
+            if self.image is None or image.shape != self.image.shape:
+                self.prepareGeometryChange()
+            self.image = image.view(np.ndarray)
+            
+        prof.mark('1')
+            
+        if autoLevels is None:
+            if 'levels' in kargs:
+                autoLevels = False
+            else:
+                autoLevels = True
+        if autoLevels:
+            img = self.image
+            while img.size > 2**16:
+                img = img[::2, ::2]
+            mn, mx = img.min(), img.max()
+            if mn == mx:
+                mn = 0
+                mx = 255
+            kargs['levels'] = [mn,mx]
+        prof.mark('2')
+        
+        self.setOpts(update=False, **kargs)
+        prof.mark('3')
+        
+        self.qimage = None
+        self.update()
+        prof.mark('4')
+
+        if gotNewData:
+            self.sigImageChanged.emit()
+
+
+        prof.finish()
+
+
+
+    def updateImage(self, *args, **kargs):
+        ## used for re-rendering qimage from self.image.
+        
+        ## can we make any assumptions here that speed things up?
+        ## dtype, range, size are all the same?
+        defaults = {
+            'autoLevels': False,
+        }
+        defaults.update(kargs)
+        return self.setImage(*args, **defaults)
+        
+        
+
+
+    def render(self):
+        prof = debug.Profiler('ImageItem.render', disabled=True)
+        if self.image is None:
+            return
+        if callable(self.lut):
+            lut = self.lut(self.image)
+        else:
+            lut = self.lut
+            
+        argb, alpha = fn.makeARGB(self.image, lut=lut, levels=self.levels)
+        self.qimage = fn.makeQImage(argb, alpha)
+        #self.pixmap = QtGui.QPixmap.fromImage(self.qimage)
+        prof.finish()
+    
+
+    def paint(self, p, *args):
+        prof = debug.Profiler('ImageItem.paint', disabled=True)
+        if self.image is None:
+            return
+        if self.qimage is None:
+            self.render()
+        if self.paintMode is not None:
+            p.setCompositionMode(self.paintMode)
+        
+        p.drawImage(QtCore.QPointF(0,0), self.qimage)
+        if self.border is not None:
+            p.setPen(self.border)
+            p.drawRect(self.boundingRect())
+        prof.finish()
+
+
+    def getHistogram(self, bins=500, step=3):
+        """returns x and y arrays containing the histogram values for the current image.
+        The step argument causes pixels to be skipped when computing the histogram to save time."""
+        if self.image is None:
+            return None,None
+        stepData = self.image[::step, ::step]
+        hist = np.histogram(stepData, bins=bins)
+        return hist[1][:-1], hist[0]
+
+    def setPxMode(self, b):
+        """Set whether the item ignores transformations and draws directly to screen pixels."""
+        self.setFlag(self.ItemIgnoresTransformations, b)
+    
+    def setScaledMode(self):
+        self.setPxMode(False)
+
+    def getPixmap(self):
+        if self.qimage is None:
+            self.render()
+            if self.qimage is None:
+                return None
+        return QtGui.QPixmap.fromImage(self.qimage)
+    
+    def pixelSize(self):
+        """return scene-size of a single pixel in the image"""
+        br = self.sceneBoundingRect()
+        if self.image is None:
+            return 1,1
+        return br.width()/self.width(), br.height()/self.height()
+
+    def mousePressEvent(self, ev):
+        if self.drawKernel is not None and ev.button() == QtCore.Qt.LeftButton:
+            self.drawAt(ev.pos(), ev)
+            ev.accept()
+        else:
+            ev.ignore()
+        
+    def mouseMoveEvent(self, ev):
+        #print "mouse move", ev.pos()
+        if self.drawKernel is not None:
+            self.drawAt(ev.pos(), ev)
+    
+    def mouseReleaseEvent(self, ev):
+        pass
+    
+    def tabletEvent(self, ev):
+        print ev.device()
+        print ev.pointerType()
+        print ev.pressure()
+    
+    def drawAt(self, pos, ev=None):
+        pos = [int(pos.x()), int(pos.y())]
+        dk = self.drawKernel
+        kc = self.drawKernelCenter
+        sx = [0,dk.shape[0]]
+        sy = [0,dk.shape[1]]
+        tx = [pos[0] - kc[0], pos[0] - kc[0]+ dk.shape[0]]
+        ty = [pos[1] - kc[1], pos[1] - kc[1]+ dk.shape[1]]
+        
+        for i in [0,1]:
+            dx1 = -min(0, tx[i])
+            dx2 = min(0, self.image.shape[0]-tx[i])
+            tx[i] += dx1+dx2
+            sx[i] += dx1+dx2
+
+            dy1 = -min(0, ty[i])
+            dy2 = min(0, self.image.shape[1]-ty[i])
+            ty[i] += dy1+dy2
+            sy[i] += dy1+dy2
+
+        #print sx
+        #print sy
+        #print tx
+        #print ty
+        #print self.image.shape
+        #print self.image[tx[0]:tx[1], ty[0]:ty[1]].shape
+        #print dk[sx[0]:sx[1], sy[0]:sy[1]].shape
+        ts = (slice(tx[0],tx[1]), slice(ty[0],ty[1]))
+        ss = (slice(sx[0],sx[1]), slice(sy[0],sy[1]))
+        #src = dk[sx[0]:sx[1], sy[0]:sy[1]]
+        #mask = self.drawMask[sx[0]:sx[1], sy[0]:sy[1]]
+        mask = self.drawMask
+        src = dk
+        #print self.image[ts].shape, src.shape
+        
+        if callable(self.drawMode):
+            self.drawMode(dk, self.image, mask, ss, ts, ev)
+        else:
+            src = src[ss]
+            if self.drawMode == 'set':
+                if mask is not None:
+                    mask = mask[ss]
+                    self.image[ts] = self.image[ts] * (1-mask) + src * mask
+                else:
+                    self.image[ts] = src
+            elif self.drawMode == 'add':
+                self.image[ts] += src
+            else:
+                raise Exception("Unknown draw mode '%s'" % self.drawMode)
+            self.updateImage()
+        
+    def setDrawKernel(self, kernel=None, mask=None, center=(0,0), mode='set'):
+        self.drawKernel = kernel
+        self.drawKernelCenter = center
+        self.drawMode = mode
+        self.drawMask = mask
+
+
+
+
+
+    #def setImage(self, image=None, copy=True, autoRange=True, clipMask=None, white=None, black=None, axes=None):
+        #prof = debug.Profiler('ImageItem.updateImage 0x%x' %id(self), disabled=True)
+        ##debug.printTrace()
+        #if axes is None:
+            #axh = {'x': 0, 'y': 1, 'c': 2}
+        #else:
+            #axh = axes
+        ##print "Update image", black, white
+        #if white is not None:
+            #self.whiteLevel = white
+        #if black is not None:
+            #self.blackLevel = black  
+        
+        #gotNewData = False
+        #if image is None:
+            #if self.image is None:
+                #return
+        #else:
+            #gotNewData = True
+            #if self.image is None or image.shape != self.image.shape:
+                #self.prepareGeometryChange()
+            #if copy:
+                #self.image = image.view(np.ndarray).copy()
+            #else:
+                #self.image = image.view(np.ndarray)
+        ##print "  image max:", self.image.max(), "min:", self.image.min()
+        #prof.mark('1')
+        
+        ## Determine scale factors
+        #if autoRange or self.blackLevel is None:
+            #if self.image.dtype is np.ubyte:
+                #self.blackLevel = 0
+                #self.whiteLevel = 255
+            #else:
+                #self.blackLevel = self.image.min()
+                #self.whiteLevel = self.image.max()
+        ##print "Image item using", self.blackLevel, self.whiteLevel
+        
+        #if self.blackLevel != self.whiteLevel:
+            #scale = 255. / (self.whiteLevel - self.blackLevel)
+        #else:
+            #scale = 0.
+        
+        #prof.mark('2')
+        
+        ### Recolor and convert to 8 bit per channel
+        ## Try using weave, then fall back to python
+        #shape = self.image.shape
+        #black = float(self.blackLevel)
+        #white = float(self.whiteLevel)
+        
+        #if black == 0 and white == 255 and self.image.dtype == np.ubyte:
+            #im = self.image
+        #elif self.image.dtype in [np.ubyte, np.uint16]:
+            ## use lookup table instead
+            #npts = 2**(self.image.itemsize * 8)
+            #lut = self.getLookupTable(npts, black, white)
+            #im = lut[self.image]
+        #else:
+            #im = self.applyColorScaling(self.image, black, scale)
+            
+        #prof.mark('3')
+
+        #try:
+            #im1 = np.empty((im.shape[axh['y']], im.shape[axh['x']], 4), dtype=np.ubyte)
+        #except:
+            #print im.shape, axh
+            #raise
+        #alpha = np.clip(int(255 * self.alpha), 0, 255)
+        #prof.mark('4')
+        ## Fill image 
+        #if im.ndim == 2:
+            #im2 = im.transpose(axh['y'], axh['x'])
+            #im1[..., 0] = im2
+            #im1[..., 1] = im2
+            #im1[..., 2] = im2
+            #im1[..., 3] = alpha
+        #elif im.ndim == 3: #color image
+            #im2 = im.transpose(axh['y'], axh['x'], axh['c'])
+            #if im2.shape[2] > 4:
+                #raise Exception("ImageItem got image with more than 4 color channels (shape is %s; axes are %s)" % (str(im.shape), str(axh)))
+            ###      [B G R A]    Reorder colors
+            #order = [2,1,0,3] ## for some reason, the colors line up as BGR in the final image.
+            
+            #for i in range(0, im.shape[axh['c']]):
+                #im1[..., order[i]] = im2[..., i]    
+            
+            ### fill in unused channels with 0 or alpha
+            #for i in range(im.shape[axh['c']], 3):
+                #im1[..., i] = 0
+            #if im.shape[axh['c']] < 4:
+                #im1[..., 3] = alpha
+                
+        #else:
+            #raise Exception("Image must be 2 or 3 dimensions")
+        ##self.im1 = im1
+        ## Display image
+        #prof.mark('5')
+        #if self.clipLevel is not None or clipMask is not None:
+            #if clipMask is not None:
+                #mask = clipMask.transpose()
+            #else:
+                #mask = (self.image < self.clipLevel).transpose()
+            #im1[..., 0][mask] *= 0.5
+            #im1[..., 1][mask] *= 0.5
+            #im1[..., 2][mask] = 255
+        #prof.mark('6')
+        ##print "Final image:", im1.dtype, im1.min(), im1.max(), im1.shape
+        ##self.ims = im1.tostring()  ## Must be held in memory here because qImage won't do it for us :(
+        #prof.mark('7')
+        #try:
+            #buf = im1.data
+        #except AttributeError:
+            #im1 = np.ascontiguousarray(im1)
+            #buf = im1.data
+        
+        #qimage = QtGui.QImage(buf, im1.shape[1], im1.shape[0], QtGui.QImage.Format_ARGB32)
+        #self.qimage = qimage
+        #self.qimage.data = im1
+        #self._pixmap = None
+        #prof.mark('8')
+        
+        ##self.pixmap = QtGui.QPixmap.fromImage(qimage)
+        #prof.mark('9')
+        ###del self.ims
+        ##self.item.setPixmap(self.pixmap)
+        
+        #self.update()
+        #prof.mark('10')
+        
+        #if gotNewData:
+            ##self.emit(QtCore.SIGNAL('imageChanged'))
+            #self.sigImageChanged.emit()
+            
+        #prof.finish()
+        
+    #def getLookupTable(self, num, black, white):
+        #num = int(num)
+        #black = int(black)
+        #white = int(white)
+        #if white < black:
+            #b = black
+            #black = white
+            #white = b
+        #key = (num, black, white)
+        #lut = np.empty(num, dtype=np.ubyte)
+        #lut[:black] = 0
+        #rng = lut[black:white]
+        #try:
+            #rng[:] = np.linspace(0, 255, white-black)[:len(rng)]
+        #except:
+            #print key, rng.shape
+        #lut[white:] = 255
+        #return lut
+        
+        
+    #def applyColorScaling(self, img, offset, scale):
+        #try:
+            #if not ImageItem.useWeave:
+                #raise Exception('Skipping weave compile')
+            ##sim = np.ascontiguousarray(self.image)  ## should not be needed
+            #sim = img.reshape(img.size)
+            ##sim.shape = sim.size
+            #im = np.empty(sim.shape, dtype=np.ubyte)
+            #n = im.size
+            
+            #code = """
+            #for( int i=0; i<n; i++ ) {
+                #float a = (sim(i)-offset) * (float)scale;
+                #if( a > 255.0 )
+                    #a = 255.0;
+                #else if( a < 0.0 )
+                    #a = 0.0;
+                #im(i) = a;
+            #}
+            #"""
+            
+            #weave.inline(code, ['sim', 'im', 'n', 'offset', 'scale'], type_converters=converters.blitz, compiler = 'gcc')
+            ##sim.shape = shape
+            #im.shape = img.shape
+        #except:
+            #if ImageItem.useWeave:
+                #ImageItem.useWeave = False
+                ##sys.excepthook(*sys.exc_info())
+                ##print "=============================================================================="
+                ##print "Weave compile failed, falling back to slower version."
+            ##img.shape = shape
+            #im = ((img - offset) * scale).clip(0.,255.).astype(np.ubyte)
+        #return im
+        
diff --git a/graphicsItems/InfiniteLine.py b/graphicsItems/InfiniteLine.py
new file mode 100644
index 0000000000000000000000000000000000000000..ebf24502568a47ae3358ae9d43c7fc3a3b20d4ce
--- /dev/null
+++ b/graphicsItems/InfiniteLine.py
@@ -0,0 +1,255 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from pyqtgraph.Point import Point
+from UIGraphicsItem import UIGraphicsItem
+import pyqtgraph.functions as fn
+import numpy as np
+import weakref
+
+
+__all__ = ['InfiniteLine']
+class InfiniteLine(UIGraphicsItem):
+    """
+    Displays a line of infinite length.
+    This line may be dragged to indicate a position in data coordinates.
+    """
+    
+    sigDragged = QtCore.Signal(object)
+    sigPositionChangeFinished = QtCore.Signal(object)
+    sigPositionChanged = QtCore.Signal(object)
+    
+    def __init__(self, pos=None, angle=90, pen=None, movable=False, bounds=None):
+        """
+        Initialization options:
+            pos      - Position of the line. This can be a QPointF or a single value for vertical/horizontal lines.
+            angle    - Angle of line in degrees. 0 is horizontal, 90 is vertical.
+            pen      - Pen to use when drawing line
+            movable  - If True, the line can be dragged to a new position by the user
+            bounds   - Optional [min, max] bounding values. Bounds are only valid if the line is vertical or horizontal.
+        """
+        
+        UIGraphicsItem.__init__(self)
+        
+        if bounds is None:              ## allowed value boundaries for orthogonal lines
+            self.maxRange = [None, None]
+        else:
+            self.maxRange = bounds
+        self.moving = False
+        self.setMovable(movable)
+        self.p = [0, 0]
+        self.setAngle(angle)
+        if pos is None:
+            pos = Point(0,0)
+        self.setPos(pos)
+
+        if pen is None:
+            pen = (200, 200, 100)
+        self.setPen(pen)
+        self.currentPen = self.pen
+        #self.setFlag(self.ItemSendsScenePositionChanges)
+      
+    def setMovable(self, m):
+        self.movable = m
+        self.setAcceptHoverEvents(m)
+      
+    def setBounds(self, bounds):
+        """Set the (minimum, maximum) allowable values when dragging."""
+        self.maxRange = bounds
+        self.setValue(self.value())
+        
+    def setPen(self, pen):
+        self.pen = fn.mkPen(pen)
+        self.currentPen = self.pen
+        self.update()
+        
+    def setAngle(self, angle):
+        """
+        Takes angle argument in degrees.
+        0 is horizontal; 90 is vertical.
+        
+        Note that the use of value() and setValue() changes if the line is 
+        not vertical or horizontal.
+        """
+        self.angle = ((angle+45) % 180) - 45   ##  -45 <= angle < 135
+        self.resetTransform()
+        self.rotate(self.angle)
+        self.update()
+        
+    def setPos(self, pos):
+        if type(pos) in [list, tuple]:
+            newPos = pos
+        elif isinstance(pos, QtCore.QPointF):
+            newPos = [pos.x(), pos.y()]
+        else:
+            if self.angle == 90:
+                newPos = [pos, 0]
+            elif self.angle == 0:
+                newPos = [0, pos]
+            else:
+                raise Exception("Must specify 2D coordinate for non-orthogonal lines.")
+            
+        ## check bounds (only works for orthogonal lines)
+        if self.angle == 90:
+            if self.maxRange[0] is not None:    
+                newPos[0] = max(newPos[0], self.maxRange[0])
+            if self.maxRange[1] is not None:
+                newPos[0] = min(newPos[0], self.maxRange[1])
+        elif self.angle == 0:
+            if self.maxRange[0] is not None:
+                newPos[1] = max(newPos[1], self.maxRange[0])
+            if self.maxRange[1] is not None:
+                newPos[1] = min(newPos[1], self.maxRange[1])
+            
+        if self.p != newPos:
+            self.p = newPos
+            UIGraphicsItem.setPos(self, Point(self.p))
+            self.update()
+            self.sigPositionChanged.emit(self)
+
+    def getXPos(self):
+        return self.p[0]
+        
+    def getYPos(self):
+        return self.p[1]
+        
+    def getPos(self):
+        return self.p
+
+    def value(self):
+        if self.angle%180 == 0:
+            return self.getYPos()
+        elif self.angle%180 == 90:
+            return self.getXPos()
+        else:
+            return self.getPos()
+                
+    def setValue(self, v):
+        self.setPos(v)
+
+    ## broken in 4.7
+    #def itemChange(self, change, val):
+        #if change in [self.ItemScenePositionHasChanged, self.ItemSceneHasChanged]:
+            #self.updateLine()
+            #print "update", change
+            #print self.getBoundingParents()
+        #else:
+            #print "ignore", change
+        #return GraphicsObject.itemChange(self, change, val)
+                
+    def boundingRect(self):
+        br = UIGraphicsItem.boundingRect(self)
+        
+        ## add a 4-pixel radius around the line for mouse interaction.
+        
+        #print "line bounds:", self, br
+        dt = self.deviceTransform()
+        if dt is None:
+            return QtCore.QRectF()
+        lineDir = Point(dt.map(Point(1, 0)) - dt.map(Point(0,0)))  ## direction of line in pixel-space
+        orthoDir = Point(lineDir[1], -lineDir[0])  ## orthogonal to line in pixel-space
+        try:
+            norm = orthoDir.norm()  ## direction of one pixel orthogonal to line
+        except ZeroDivisionError:
+            return br
+        
+        dti = dt.inverted()[0]
+        px = Point(dti.map(norm)-dti.map(Point(0,0)))  ## orthogonal pixel mapped back to item coords
+        px = px[1]  ## project to y-direction
+        
+        br.setBottom(-px*4)
+        br.setTop(px*4)
+        return br.normalized()
+    
+    def paint(self, p, *args):
+        UIGraphicsItem.paint(self, p, *args)
+        br = self.boundingRect()
+        p.setPen(self.currentPen)
+        p.drawLine(Point(br.right(), 0), Point(br.left(), 0))
+        #p.drawRect(self.boundingRect())
+        
+    def dataBounds(self, axis, frac=1.0):
+        if axis == 0:
+            return None   ## x axis should never be auto-scaled
+        else:
+            return (0,0)
+        
+    #def mousePressEvent(self, ev):
+        #if self.movable and ev.button() == QtCore.Qt.LeftButton:
+            #ev.accept()
+            #self.pressDelta = self.mapToParent(ev.pos()) - QtCore.QPointF(*self.p)
+        #else:
+            #ev.ignore()
+            
+    #def mouseMoveEvent(self, ev):
+        #self.setPos(self.mapToParent(ev.pos()) - self.pressDelta)
+        ##self.emit(QtCore.SIGNAL('dragged'), self)
+        #self.sigDragged.emit(self)
+        #self.hasMoved = True
+
+    #def mouseReleaseEvent(self, ev):
+        #if self.hasMoved and ev.button() == QtCore.Qt.LeftButton:
+            #self.hasMoved = False
+            ##self.emit(QtCore.SIGNAL('positionChangeFinished'), self)
+            #self.sigPositionChangeFinished.emit(self)
+
+    def mouseDragEvent(self, ev):
+        if self.movable and ev.button() == QtCore.Qt.LeftButton:
+            if ev.isStart():
+                self.moving = True
+                self.cursorOffset = self.pos() - self.mapToParent(ev.buttonDownPos())
+                self.startPosition = self.pos()
+            ev.accept()
+            
+            if not self.moving:
+                return
+                
+            #pressDelta = self.mapToParent(ev.buttonDownPos()) - Point(self.p)
+            self.setPos(self.cursorOffset + self.mapToParent(ev.pos()))
+            self.sigDragged.emit(self)
+            if ev.isFinish():
+                self.moving = False
+                self.sigPositionChangeFinished.emit(self)
+        #else:
+            #print ev
+
+            
+    def mouseClickEvent(self, ev):
+        if self.moving and ev.button() == QtCore.Qt.RightButton:
+            ev.accept()
+            self.setPos(self.startPosition)
+            self.moving = False
+            self.sigDragged.emit(self)
+            self.sigPositionChangeFinished.emit(self)
+
+    def hoverEvent(self, ev):
+        if (not ev.isExit()) and ev.acceptDrags(QtCore.Qt.LeftButton):
+            self.currentPen = fn.mkPen(255, 0,0)
+        else:
+            self.currentPen = self.pen
+        self.update()
+        
+    #def hoverEnterEvent(self, ev):
+        #print "line hover enter"
+        #ev.ignore()
+        #self.updateHoverPen()
+
+    #def hoverMoveEvent(self, ev):
+        #print "line hover move"
+        #ev.ignore()
+        #self.updateHoverPen()
+
+    #def hoverLeaveEvent(self, ev):
+        #print "line hover leave"
+        #ev.ignore()
+        #self.updateHoverPen(False)
+        
+    #def updateHoverPen(self, hover=None):
+        #if hover is None:
+            #scene = self.scene()
+            #hover = scene.claimEvent(self, QtCore.Qt.LeftButton, scene.Drag)
+        
+        #if hover:
+            #self.currentPen = fn.mkPen(255, 0,0)
+        #else:
+            #self.currentPen = self.pen
+        #self.update()
+
diff --git a/graphicsItems/ItemGroup.py b/graphicsItems/ItemGroup.py
new file mode 100644
index 0000000000000000000000000000000000000000..a328a645827629a164b9e06e3739975ecb4fb558
--- /dev/null
+++ b/graphicsItems/ItemGroup.py
@@ -0,0 +1,23 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from GraphicsObject import GraphicsObject
+
+__all__ = ['ItemGroup']
+class ItemGroup(GraphicsObject):
+    """
+    Replacement for QGraphicsItemGroup
+    """
+    
+    def __init__(self, *args):
+        GraphicsObject.__init__(self, *args)
+        if hasattr(self, "ItemHasNoContents"):
+            self.setFlag(self.ItemHasNoContents)
+    
+    def boundingRect(self):
+        return QtCore.QRectF()
+        
+    def paint(self, *args):
+        pass
+    
+    def addItem(self, item):
+        item.setParentItem(self)
+
diff --git a/graphicsItems/LabelItem.py b/graphicsItems/LabelItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..c9d88dd6885f39e24a197b84804be2f8eccb273f
--- /dev/null
+++ b/graphicsItems/LabelItem.py
@@ -0,0 +1,91 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import pyqtgraph.functions as fn
+from GraphicsWidget import GraphicsWidget
+
+
+__all__ = ['LabelItem']
+
+class LabelItem(GraphicsWidget):
+    """
+    GraphicsWidget displaying text.
+    Used mainly as axis labels, titles, etc.
+    
+    Note: To display text inside a scaled view (ViewBox, PlotWidget, etc) use QGraphicsTextItem
+          with the flag ItemIgnoresTransformations set.
+    """
+    
+    
+    def __init__(self, text, parent=None, **args):
+        GraphicsWidget.__init__(self, parent)
+        self.item = QtGui.QGraphicsTextItem(self)
+        self.opts = args
+        if 'color' not in args:
+            self.opts['color'] = 'CCC'
+        else:
+            if isinstance(args['color'], QtGui.QColor):
+                self.opts['color'] = fn.colorStr(args['color'])[:6]
+        self.sizeHint = {}
+        self.setText(text)
+        
+            
+    def setAttr(self, attr, value):
+        """Set default text properties. See setText() for accepted parameters."""
+        self.opts[attr] = value
+        
+    def setText(self, text, **args):
+        """Set the text and text properties in the label. Accepts optional arguments for auto-generating
+        a CSS style string:
+           color:   string (example: 'CCFF00')
+           size:    string (example: '8pt')
+           bold:    boolean
+           italic:  boolean
+           """
+        self.text = text
+        opts = self.opts.copy()
+        for k in args:
+            opts[k] = args[k]
+        
+        optlist = []
+        if 'color' in opts:
+            optlist.append('color: #' + opts['color'])
+        if 'size' in opts:
+            optlist.append('font-size: ' + opts['size'])
+        if 'bold' in opts and opts['bold'] in [True, False]:
+            optlist.append('font-weight: ' + {True:'bold', False:'normal'}[opts['bold']])
+        if 'italic' in opts and opts['italic'] in [True, False]:
+            optlist.append('font-style: ' + {True:'italic', False:'normal'}[opts['italic']])
+        full = "<span style='%s'>%s</span>" % ('; '.join(optlist), text)
+        #print full
+        self.item.setHtml(full)
+        self.updateMin()
+        
+    def resizeEvent(self, ev):
+        c1 = self.boundingRect().center()
+        c2 = self.item.mapToParent(self.item.boundingRect().center()) # + self.item.pos()
+        dif = c1 - c2
+        self.item.moveBy(dif.x(), dif.y())
+        #print c1, c2, dif, self.item.pos()
+        
+    def setAngle(self, angle):
+        self.angle = angle
+        self.item.resetTransform()
+        self.item.rotate(angle)
+        self.updateMin()
+        
+    def updateMin(self):
+        bounds = self.item.mapRectToParent(self.item.boundingRect())
+        self.setMinimumWidth(bounds.width())
+        self.setMinimumHeight(bounds.height())
+        #print self.text, bounds.width(), bounds.height()
+        
+        #self.sizeHint = {
+            #QtCore.Qt.MinimumSize: (bounds.width(), bounds.height()),
+            #QtCore.Qt.PreferredSize: (bounds.width(), bounds.height()),
+            #QtCore.Qt.MaximumSize: (bounds.width()*2, bounds.height()*2),
+            #QtCore.Qt.MinimumDescent: (0, 0)  ##?? what is this?
+        #}
+            
+        
+    #def sizeHint(self, hint, constraint):
+        #return self.sizeHint[hint]
+        
diff --git a/graphicsItems/LinearRegionItem.py b/graphicsItems/LinearRegionItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..1b546cb7e1cdcc7667939fd02f86ae30e48f1c16
--- /dev/null
+++ b/graphicsItems/LinearRegionItem.py
@@ -0,0 +1,232 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from UIGraphicsItem import UIGraphicsItem
+from InfiniteLine import InfiniteLine
+import pyqtgraph.functions as fn
+
+__all__ = ['LinearRegionItem']
+
+class LinearRegionItem(UIGraphicsItem):
+    """
+    Used for marking a horizontal or vertical region in plots.
+    The region can be dragged and is bounded by lines which can be dragged individually.
+    """
+    
+    sigRegionChangeFinished = QtCore.Signal(object)
+    sigRegionChanged = QtCore.Signal(object)
+    Vertical = 0
+    Horizontal = 1
+    
+    def __init__(self, values=[0,1], orientation=None, brush=None, movable=True, bounds=None):
+        UIGraphicsItem.__init__(self)
+        if orientation is None:
+            orientation = LinearRegionItem.Vertical
+        self.orientation = orientation
+        self.bounds = QtCore.QRectF()
+        self.blockLineSignal = False
+        self.moving = False
+        
+        if orientation == LinearRegionItem.Horizontal:
+            self.lines = [
+                InfiniteLine(QtCore.QPointF(0, values[0]), 0, movable=movable, bounds=bounds), 
+                InfiniteLine(QtCore.QPointF(0, values[1]), 0, movable=movable, bounds=bounds)]
+        elif orientation == LinearRegionItem.Vertical:
+            self.lines = [
+                InfiniteLine(QtCore.QPointF(values[1], 0), 90, movable=movable, bounds=bounds), 
+                InfiniteLine(QtCore.QPointF(values[0], 0), 90, movable=movable, bounds=bounds)]
+        else:
+            raise Exception('Orientation must be one of LinearRegionItem.Vertical or LinearRegionItem.Horizontal')
+        
+        
+        for l in self.lines:
+            l.setParentItem(self)
+            l.sigPositionChangeFinished.connect(self.lineMoveFinished)
+            l.sigPositionChanged.connect(self.lineMoved)
+            
+        if brush is None:
+            brush = QtGui.QBrush(QtGui.QColor(0, 0, 255, 50))
+        self.setBrush(brush)
+        
+        self.setMovable(movable)
+        
+    def getRegion(self):
+        """Return the values at the edges of the region."""
+        #if self.orientation[0] == 'h':
+            #r = (self.bounds.top(), self.bounds.bottom())
+        #else:
+            #r = (self.bounds.left(), self.bounds.right())
+        r = [self.lines[0].value(), self.lines[1].value()]
+        return (min(r), max(r))
+
+    def setRegion(self, rgn):
+        if self.lines[0].value() == rgn[0] and self.lines[1].value() == rgn[1]:
+            return
+        self.blockLineSignal = True
+        self.lines[0].setValue(rgn[0])
+        self.blockLineSignal = False
+        self.lines[1].setValue(rgn[1])
+        #self.blockLineSignal = False
+        self.lineMoved()
+        self.lineMoveFinished()
+
+    def setBrush(self, br):
+        self.brush = fn.mkBrush(br)
+        self.currentBrush = self.brush
+
+    def setBounds(self, bounds):
+        for l in self.lines:
+            l.setBounds(bounds)
+        
+    def setMovable(self, m):
+        for l in self.lines:
+            l.setMovable(m)
+        self.movable = m
+        self.setAcceptHoverEvents(m)
+
+    def boundingRect(self):
+        br = UIGraphicsItem.boundingRect(self)
+        rng = self.getRegion()
+        if self.orientation == LinearRegionItem.Vertical:
+            br.setLeft(rng[0])
+            br.setRight(rng[1])
+        else:
+            br.setTop(rng[0])
+            br.setBottom(rng[1])
+        return br.normalized()
+        
+    def paint(self, p, *args):
+        UIGraphicsItem.paint(self, p, *args)
+        p.setBrush(self.currentBrush)
+        p.drawRect(self.boundingRect())
+
+    def dataBounds(self, axis, frac=1.0):
+        if axis == self.orientation:
+            return self.getRegion()
+        else:
+            return None
+
+    def lineMoved(self):
+        if self.blockLineSignal:
+            return
+        self.prepareGeometryChange()
+        #self.emit(QtCore.SIGNAL('regionChanged'), self)
+        self.sigRegionChanged.emit(self)
+            
+    def lineMoveFinished(self):
+        #self.emit(QtCore.SIGNAL('regionChangeFinished'), self)
+        self.sigRegionChangeFinished.emit(self)
+        
+            
+    #def updateBounds(self):
+        #vb = self.view().viewRect()
+        #vals = [self.lines[0].value(), self.lines[1].value()]
+        #if self.orientation[0] == 'h':
+            #vb.setTop(min(vals))
+            #vb.setBottom(max(vals))
+        #else:
+            #vb.setLeft(min(vals))
+            #vb.setRight(max(vals))
+        #if vb != self.bounds:
+            #self.bounds = vb
+            #self.rect.setRect(vb)
+        
+    #def mousePressEvent(self, ev):
+        #if not self.movable:
+            #ev.ignore()
+            #return
+        #for l in self.lines:
+            #l.mousePressEvent(ev)  ## pass event to both lines so they move together
+        ##if self.movable and ev.button() == QtCore.Qt.LeftButton:
+            ##ev.accept()
+            ##self.pressDelta = self.mapToParent(ev.pos()) - QtCore.QPointF(*self.p)
+        ##else:
+            ##ev.ignore()
+            
+    #def mouseReleaseEvent(self, ev):
+        #for l in self.lines:
+            #l.mouseReleaseEvent(ev)
+            
+    #def mouseMoveEvent(self, ev):
+        ##print "move", ev.pos()
+        #if not self.movable:
+            #return
+        #self.lines[0].blockSignals(True)  # only want to update once
+        #for l in self.lines:
+            #l.mouseMoveEvent(ev)
+        #self.lines[0].blockSignals(False)
+        ##self.setPos(self.mapToParent(ev.pos()) - self.pressDelta)
+        ##self.emit(QtCore.SIGNAL('dragged'), self)
+
+    def mouseDragEvent(self, ev):
+        if not self.movable or int(ev.button() & QtCore.Qt.LeftButton) == 0:
+            return
+        ev.accept()
+        
+        if ev.isStart():
+            bdp = ev.buttonDownPos()
+            self.cursorOffsets = [l.pos() - bdp for l in self.lines]
+            self.startPositions = [l.pos() for l in self.lines]
+            self.moving = True
+            
+        if not self.moving:
+            return
+            
+        #delta = ev.pos() - ev.lastPos()
+        self.lines[0].blockSignals(True)  # only want to update once
+        for i, l in enumerate(self.lines):
+            l.setPos(self.cursorOffsets[i] + ev.pos())
+            #l.setPos(l.pos()+delta)
+            #l.mouseDragEvent(ev)
+        self.lines[0].blockSignals(False)
+        self.prepareGeometryChange()
+        
+        if ev.isFinish():
+            self.moving = False
+            self.sigRegionChangeFinished.emit(self)
+        else:
+            self.sigRegionChanged.emit(self)
+            
+    def mouseClickEvent(self, ev):
+        if self.moving and ev.button() == QtCore.Qt.RightButton:
+            ev.accept()
+            for i, l in enumerate(self.lines):
+                l.setPos(self.startPositions[i])
+            self.moving = False
+            self.sigRegionChanged.emit(self)
+            self.sigRegionChangeFinished.emit(self)
+
+
+    def hoverEvent(self, ev):
+        if (not ev.isExit()) and ev.acceptDrags(QtCore.Qt.LeftButton):
+            c = self.brush.color()
+            c.setAlpha(c.alpha() * 2)
+            self.currentBrush = fn.mkBrush(c)
+        else:
+            self.currentBrush = self.brush
+        self.update()
+            
+    #def hoverEnterEvent(self, ev):
+        #print "rgn hover enter"
+        #ev.ignore()
+        #self.updateHoverBrush()
+
+    #def hoverMoveEvent(self, ev):
+        #print "rgn hover move"
+        #ev.ignore()
+        #self.updateHoverBrush()
+
+    #def hoverLeaveEvent(self, ev):
+        #print "rgn hover leave"
+        #ev.ignore()
+        #self.updateHoverBrush(False)
+        
+    #def updateHoverBrush(self, hover=None):
+        #if hover is None:
+            #scene = self.scene()
+            #hover = scene.claimEvent(self, QtCore.Qt.LeftButton, scene.Drag)
+        
+        #if hover:
+            #self.currentBrush = fn.mkBrush(255, 0,0,100)
+        #else:
+            #self.currentBrush = self.brush
+        #self.update()
+
diff --git a/MultiPlotItem.py b/graphicsItems/MultiPlotItem.py
similarity index 74%
rename from MultiPlotItem.py
rename to graphicsItems/MultiPlotItem.py
index 2f73c9e5e10cac18fa7a0c5ccbce05a11570850e..aa10c5253b2a08c046b53bac8fd47a212bd17993 100644
--- a/MultiPlotItem.py
+++ b/graphicsItems/MultiPlotItem.py
@@ -6,8 +6,7 @@ Distributed under MIT/X11 license. See license.txt for more infomation.
 """
 
 from numpy import ndarray
-from graphicsItems import *
-from PlotItem import *
+import GraphicsLayout
 
 try:
     from metaarray import *
@@ -16,17 +15,13 @@ except:
     #raise
     HAVE_METAARRAY = False
     
-    
-class MultiPlotItem(QtGui.QGraphicsWidget):
-    def __init__(self, parent=None):
-        QtGui.QGraphicsWidget.__init__(self, parent)
-        self.layout = QtGui.QGraphicsGridLayout()
-        self.layout.setContentsMargins(1,1,1,1)
-        self.setLayout(self.layout)
-        self.layout.setHorizontalSpacing(0)
-        self.layout.setVerticalSpacing(4)
-        self.plots = []
 
+__all__ = ['MultiPlotItem']
+class MultiPlotItem(GraphicsLayout.GraphicsLayout):
+    """
+    Automaticaly generates a grid of plots from a multi-dimensional array
+    """
+    
     def plot(self, data):
         #self.layout.clear()
         self.plots = []
@@ -42,11 +37,12 @@ class MultiPlotItem(QtGui.QGraphicsWidget):
                     break
             #print "Plotting using axis %d as columns (%d plots)" % (ax, data.shape[ax])
             for i in range(data.shape[ax]):
-                pi = PlotItem()
+                pi = self.addPlot()
+                self.nextRow()
                 sl = [slice(None)] * 2
                 sl[ax] = i
                 pi.plot(data[tuple(sl)])
-                self.layout.addItem(pi, i, 0)
+                #self.layout.addItem(pi, i, 0)
                 self.plots.append((pi, i, 0))
                 title = None
                 units = None
@@ -67,5 +63,7 @@ class MultiPlotItem(QtGui.QGraphicsWidget):
         for p in self.plots:
             p[0].close()
         self.plots = None
-        for i in range(self.layout.count()):
-            self.layout.removeAt(i)
\ No newline at end of file
+        self.clear()
+
+
+
diff --git a/graphicsItems/PlotCurveItem.py b/graphicsItems/PlotCurveItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..91fb8661cfd8cd9525d2fda1ed7ecb30f5a62b56
--- /dev/null
+++ b/graphicsItems/PlotCurveItem.py
@@ -0,0 +1,444 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from scipy.fftpack import fft
+import numpy as np
+import scipy.stats
+from GraphicsObject import GraphicsObject
+import pyqtgraph.functions as fn
+from pyqtgraph import debug
+from pyqtgraph.Point import Point
+import struct
+
+__all__ = ['PlotCurveItem']
+class PlotCurveItem(GraphicsObject):
+    
+    
+    """Class representing a single plot curve. Provides:
+        - Fast data update
+        - FFT display mode
+        - shadow pen
+        - mouse interaction
+    """
+    
+    sigPlotChanged = QtCore.Signal(object)
+    sigClicked = QtCore.Signal(object)
+    
+    def __init__(self, y=None, x=None, fillLevel=None, copy=False, pen=None, shadowPen=None, brush=None, parent=None, color=None, clickable=False):
+        GraphicsObject.__init__(self, parent)
+        self.clear()
+        self.path = None
+        self.fillPath = None
+        if pen is None:
+            if color is None:
+                self.setPen((200,200,200))
+            else:
+                self.setPen(color)
+        else:
+            self.setPen(pen)
+        
+        self.shadowPen = shadowPen
+        if y is not None:
+            self.updateData(y, x, copy)
+            
+        ## this is disastrous for performance.
+        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
+        
+        self.fillLevel = fillLevel
+        self.brush = brush
+        
+        self.metaData = {}
+        self.opts = {
+            'spectrumMode': False,
+            'logMode': [False, False],
+            'pointMode': False,
+            'pointStyle': None,
+            'downsample': False,
+            'alphaHint': 1.0,
+            'alphaMode': False
+        }
+            
+        self.setClickable(clickable)
+        #self.fps = None
+        
+    def implements(self, interface=None):
+        ints = ['plotData']
+        if interface is None:
+            return ints
+        return interface in ints
+    
+    def setClickable(self, s):
+        self.clickable = s
+        
+        
+    def getData(self):
+        if self.xData is None:
+            return (None, None)
+        if self.xDisp is None:
+            nanMask = np.isnan(self.xData) | np.isnan(self.yData)
+            if any(nanMask):
+                x = self.xData[~nanMask]
+                y = self.yData[~nanMask]
+            else:
+                x = self.xData
+                y = self.yData
+            ds = self.opts['downsample']
+            if ds > 1:
+                x = x[::ds]
+                #y = resample(y[:len(x)*ds], len(x))  ## scipy.signal.resample causes nasty ringing
+                y = y[::ds]
+            if self.opts['spectrumMode']:
+                f = fft(y) / len(y)
+                y = abs(f[1:len(f)/2])
+                dt = x[-1] - x[0]
+                x = np.linspace(0, 0.5*len(x)/dt, len(y))
+            if self.opts['logMode'][0]:
+                x = np.log10(x)
+            if self.opts['logMode'][1]:
+                y = np.log10(y)
+            self.xDisp = x
+            self.yDisp = y
+        #print self.yDisp.shape, self.yDisp.min(), self.yDisp.max()
+        #print self.xDisp.shape, self.xDisp.min(), self.xDisp.max()
+        return self.xDisp, self.yDisp
+            
+    #def generateSpecData(self):
+        #f = fft(self.yData) / len(self.yData)
+        #self.ySpec = abs(f[1:len(f)/2])
+        #dt = self.xData[-1] - self.xData[0]
+        #self.xSpec = linspace(0, 0.5*len(self.xData)/dt, len(self.ySpec))
+        
+    def dataBounds(self, ax, frac=1.0):
+        (x, y) = self.getData()
+        if x is None or len(x) == 0:
+            return (0, 0)
+            
+        if ax == 0:
+            d = x
+        elif ax == 1:
+            d = y
+            
+        if frac >= 1.0:
+            return (d.min(), d.max())
+        elif frac <= 0.0:
+            raise Exception("Value for parameter 'frac' must be > 0. (got %s)" % str(frac))
+        else:
+            return (scipy.stats.scoreatpercentile(d, 50 - (frac * 50)), scipy.stats.scoreatpercentile(d, 50 + (frac * 50)))
+            
+    def setMeta(self, data):
+        self.metaData = data
+        
+    def meta(self):
+        return self.metaData
+        
+    def setPen(self, pen):
+        self.pen = fn.mkPen(pen)
+        self.update()
+        
+    def setColor(self, color):
+        self.pen.setColor(color)
+        self.update()
+        
+    def setAlpha(self, alpha, auto):
+        self.opts['alphaHint'] = alpha
+        self.opts['alphaMode'] = auto
+        self.update()
+        
+    def setSpectrumMode(self, mode):
+        self.opts['spectrumMode'] = mode
+        self.xDisp = self.yDisp = None
+        self.path = None
+        self.update()
+    
+    def setLogMode(self, mode):
+        self.opts['logMode'] = mode
+        self.xDisp = self.yDisp = None
+        self.path = None
+        self.update()
+    
+    def setPointMode(self, mode):
+        self.opts['pointMode'] = mode
+        self.update()
+        
+    def setShadowPen(self, pen):
+        self.shadowPen = pen
+        self.update()
+
+    def setDownsampling(self, ds):
+        if self.opts['downsample'] != ds:
+            self.opts['downsample'] = ds
+            self.xDisp = self.yDisp = None
+            self.path = None
+            self.update()
+
+    def setData(self, x, y, copy=False):
+        """For Qwt compatibility"""
+        self.updateData(y, x, copy)
+        
+    def updateData(self, data, x=None, copy=False):
+        prof = debug.Profiler('PlotCurveItem.updateData', disabled=True)
+        if isinstance(data, list):
+            data = np.array(data)
+        if isinstance(x, list):
+            x = np.array(x)
+        if not isinstance(data, np.ndarray) or data.ndim > 2:
+            raise Exception("Plot data must be 1 or 2D ndarray (data shape is %s)" % str(data.shape))
+        if x == None:
+            if 'complex' in str(data.dtype):
+                raise Exception("Can not plot complex data types.")
+        else:
+            if 'complex' in str(data.dtype)+str(x.dtype):
+                raise Exception("Can not plot complex data types.")
+        
+        if data.ndim == 2:  ### If data is 2D array, then assume x and y values are in first two columns or rows.
+            if x is not None:
+                raise Exception("Plot data may be 2D only if no x argument is supplied.")
+            ax = 0
+            if data.shape[0] > 2 and data.shape[1] == 2:
+                ax = 1
+            ind = [slice(None), slice(None)]
+            ind[ax] = 0
+            y = data[tuple(ind)]
+            ind[ax] = 1
+            x = data[tuple(ind)]
+        elif data.ndim == 1:
+            y = data
+        prof.mark("data checks")
+        
+        self.setCacheMode(QtGui.QGraphicsItem.NoCache)  ## Disabling and re-enabling the cache works around a bug in Qt 4.6 causing the cached results to display incorrectly
+                                                        ##    Test this bug with test_PlotWidget and zoom in on the animated plot
+        
+        self.prepareGeometryChange()
+        if copy:
+            self.yData = y.view(np.ndarray).copy()
+        else:
+            self.yData = y.view(np.ndarray)
+            
+        if x is None:
+            self.xData = np.arange(0, self.yData.shape[0])
+        else:
+            if copy:
+                self.xData = x.view(np.ndarray).copy()
+            else:
+                self.xData = x.view(np.ndarray)
+        prof.mark('copy')
+        
+
+        if self.xData.shape != self.yData.shape:
+            raise Exception("X and Y arrays must be the same shape--got %s and %s." % (str(x.shape), str(y.shape)))
+        
+        self.path = None
+        self.xDisp = self.yDisp = None
+        
+        prof.mark('set')
+        self.update()
+        prof.mark('update')
+        #self.emit(QtCore.SIGNAL('plotChanged'), self)
+        self.sigPlotChanged.emit(self)
+        prof.mark('emit')
+        #prof.finish()
+        #self.setCacheMode(QtGui.QGraphicsItem.DeviceCoordinateCache)
+        prof.mark('set cache mode')
+        prof.finish()
+        
+    def generatePath(self, x, y):
+        prof = debug.Profiler('PlotCurveItem.generatePath', disabled=True)
+        path = QtGui.QPainterPath()
+        
+        ## Create all vertices in path. The method used below creates a binary format so that all 
+        ## vertices can be read in at once. This binary format may change in future versions of Qt, 
+        ## so the original (slower) method is left here for emergencies:
+        #path.moveTo(x[0], y[0])
+        #for i in range(1, y.shape[0]):
+        #    path.lineTo(x[i], y[i])
+            
+        ## Speed this up using >> operator
+        ## Format is:
+        ##    numVerts(i4)   0(i4)
+        ##    x(f8)   y(f8)   0(i4)    <-- 0 means this vertex does not connect
+        ##    x(f8)   y(f8)   1(i4)    <-- 1 means this vertex connects to the previous vertex
+        ##    ...
+        ##    0(i4)
+        ##
+        ## All values are big endian--pack using struct.pack('>d') or struct.pack('>i')
+        
+        n = x.shape[0]
+        # create empty array, pad with extra space on either end
+        arr = np.empty(n+2, dtype=[('x', '>f8'), ('y', '>f8'), ('c', '>i4')])
+        # write first two integers
+        prof.mark('allocate empty')
+        arr.data[12:20] = struct.pack('>ii', n, 0)
+        prof.mark('pack header')
+        # Fill array with vertex values
+        arr[1:-1]['x'] = x
+        arr[1:-1]['y'] = y
+        arr[1:-1]['c'] = 1
+        prof.mark('fill array')
+        # write last 0
+        lastInd = 20*(n+1) 
+        arr.data[lastInd:lastInd+4] = struct.pack('>i', 0)
+        prof.mark('footer')
+        # create datastream object and stream into path
+        buf = QtCore.QByteArray(arr.data[12:lastInd+4])  # I think one unnecessary copy happens here
+        prof.mark('create buffer')
+        ds = QtCore.QDataStream(buf)
+        prof.mark('create datastream')
+        ds >> path
+        prof.mark('load')
+        
+        prof.finish()
+        return path
+
+
+    def shape(self):
+        if self.path is None:
+            try:
+                self.path = self.generatePath(*self.getData())
+            except:
+                return QtGui.QPainterPath()
+        return self.path
+
+    def boundingRect(self):
+        (x, y) = self.getData()
+        if x is None or y is None or len(x) == 0 or len(y) == 0:
+            return QtCore.QRectF()
+            
+            
+        if self.shadowPen is not None:
+            lineWidth = (max(self.pen.width(), self.shadowPen.width()) + 1)
+        else:
+            lineWidth = (self.pen.width()+1)
+            
+        
+        pixels = self.pixelVectors()
+        if pixels is None:
+            pixels = [Point(0,0), Point(0,0)]
+        xmin = x.min() - pixels[0].x() * lineWidth
+        xmax = x.max() + pixels[0].x() * lineWidth
+        ymin = y.min() - abs(pixels[1].y()) * lineWidth
+        ymax = y.max() + abs(pixels[1].y()) * lineWidth
+        
+            
+        return QtCore.QRectF(xmin, ymin, xmax-xmin, ymax-ymin)
+
+    def paint(self, p, opt, widget):
+        prof = debug.Profiler('PlotCurveItem.paint '+str(id(self)), disabled=True)
+        if self.xData is None:
+            return
+        #if self.opts['spectrumMode']:
+            #if self.specPath is None:
+                
+                #self.specPath = self.generatePath(*self.getData())
+            #path = self.specPath
+        #else:
+        x = None
+        y = None
+        if self.path is None:
+            x,y = self.getData()
+            if x is None or len(x) == 0 or y is None or len(y) == 0:
+                return
+            self.path = self.generatePath(x,y)
+            self.fillPath = None
+            
+            
+        path = self.path
+        prof.mark('generate path')
+            
+        if self.brush is not None:
+            if self.fillPath is None:
+                if x is None:
+                    x,y = self.getData()
+                p2 = QtGui.QPainterPath(self.path)
+                p2.lineTo(x[-1], self.fillLevel)
+                p2.lineTo(x[0], self.fillLevel)
+                p2.closeSubpath()
+                self.fillPath = p2
+                
+            p.fillPath(self.fillPath, fn.mkBrush(self.brush))
+            
+        if self.shadowPen is not None:
+            sp = QtGui.QPen(self.shadowPen)
+        else:
+            sp = None
+
+        ## Copy pens and apply alpha adjustment
+        cp = QtGui.QPen(self.pen)
+        for pen in [sp, cp]:
+            if pen is None:
+                continue
+            c = pen.color()
+            c.setAlpha(c.alpha() * self.opts['alphaHint'])
+            pen.setColor(c)
+            #pen.setCosmetic(True)
+            
+        if self.shadowPen is not None:
+            p.setPen(sp)
+            p.drawPath(path)
+        p.setPen(cp)
+        p.drawPath(path)
+        prof.mark('drawPath')
+        
+        #print "Render hints:", int(p.renderHints())
+        prof.finish()
+        #p.setPen(QtGui.QPen(QtGui.QColor(255,0,0)))
+        #p.drawRect(self.boundingRect())
+        
+        
+    def clear(self):
+        self.xData = None  ## raw values
+        self.yData = None
+        self.xDisp = None  ## display values (after log / fft)
+        self.yDisp = None
+        self.path = None
+        #del self.xData, self.yData, self.xDisp, self.yDisp, self.path
+        
+    #def mousePressEvent(self, ev):
+        ##GraphicsObject.mousePressEvent(self, ev)
+        #if not self.clickable:
+            #ev.ignore()
+        #if ev.button() != QtCore.Qt.LeftButton:
+            #ev.ignore()
+        #self.mousePressPos = ev.pos()
+        #self.mouseMoved = False
+        
+    #def mouseMoveEvent(self, ev):
+        ##GraphicsObject.mouseMoveEvent(self, ev)
+        #self.mouseMoved = True
+        ##print "move"
+        
+    #def mouseReleaseEvent(self, ev):
+        ##GraphicsObject.mouseReleaseEvent(self, ev)
+        #if not self.mouseMoved:
+            #self.sigClicked.emit(self)
+
+    def mouseClickEvent(self, ev):
+        if not self.clickable or ev.button() != QtCore.Qt.LeftButton:
+            return
+        ev.accept()
+        self.sigClicked.emit(self)
+
+
+
+class ROIPlotItem(PlotCurveItem):
+    """Plot curve that monitors an ROI and image for changes to automatically replot."""
+    def __init__(self, roi, data, img, axes=(0,1), xVals=None, color=None):
+        self.roi = roi
+        self.roiData = data
+        self.roiImg = img
+        self.axes = axes
+        self.xVals = xVals
+        PlotCurveItem.__init__(self, self.getRoiData(), x=self.xVals, color=color)
+        #roi.connect(roi, QtCore.SIGNAL('regionChanged'), self.roiChangedEvent)
+        roi.sigRegionChanged.connect(self.roiChangedEvent)
+        #self.roiChangedEvent()
+        
+    def getRoiData(self):
+        d = self.roi.getArrayRegion(self.roiData, self.roiImg, axes=self.axes)
+        if d is None:
+            return
+        while d.ndim > 1:
+            d = d.mean(axis=1)
+        return d
+        
+    def roiChangedEvent(self):
+        d = self.getRoiData()
+        self.updateData(d, self.xVals)
+
diff --git a/graphicsItems/PlotDataItem.py b/graphicsItems/PlotDataItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..91ea77a79956be5376e0a404855df8bf0556e587
--- /dev/null
+++ b/graphicsItems/PlotDataItem.py
@@ -0,0 +1,534 @@
+try: 
+    import metaarray
+    HAVE_METAARRAY = True
+except:
+    HAVE_METAARRAY = False
+
+from pyqtgraph.Qt import QtCore
+from GraphicsObject import GraphicsObject
+from PlotCurveItem import PlotCurveItem
+from ScatterPlotItem import ScatterPlotItem
+import numpy as np
+import scipy
+import pyqtgraph.functions as fn
+
+class PlotDataItem(GraphicsObject):
+    """GraphicsItem for displaying plot curves, scatter plots, or both."""
+    
+    sigPlotChanged = QtCore.Signal(object)
+    sigClicked = QtCore.Signal(object)
+    
+    def __init__(self, *args, **kargs):
+        """
+        There are many different ways to create a PlotDataItem:
+        
+        Data initialization: (x,y data only)
+        
+            =================================== ======================================
+            PlotDataItem(xValues, yValues)      x and y values may be any sequence (including ndarray) of real numbers
+            PlotDataItem(yValues)               y values only -- x will be automatically set to range(len(y))
+            PlotDataItem(x=xValues, y=yValues)  x and y given by keyword arguments
+            PlotDataItem(ndarray(Nx2))          numpy array with shape (N, 2) where x=data[:,0] and y=data[:,1]
+            =================================== ======================================
+        
+        Data initialization: (x,y data AND may include spot style)
+        
+            ===========================   =========================================
+            PlotDataItem(recarray)        numpy array with dtype=[('x', float), ('y', float), ...]
+            PlotDataItem(list-of-dicts)   [{'x': x, 'y': y, ...},   ...] 
+            PlotDataItem(dict-of-lists)   {'x': [...], 'y': [...],  ...}           
+            PlotDataItem(MetaArray)       1D array of Y values with X sepecified as axis values 
+                                          OR 2D array with a column 'y' and extra columns as needed.
+            ===========================   =========================================
+        
+        Line style keyword         
+            ==========   ================================================
+            pen          pen to use for drawing line between points. Default is solid grey, 1px width. Use None to disable line drawing.
+            shadowPen    pen for secondary line to draw behind the primary line. disabled by default.
+            fillLevel    fill the area between the curve and fillLevel
+            fillBrush    fill to use when fillLevel is specified
+            ==========   ================================================
+        
+        Point style keyword arguments:
+        
+            ============   ================================================
+            symbol         symbol to use for drawing points OR list of symbols, one per point. Default is no symbol.
+                           options are o, s, t, d, +
+            symbolPen      outline pen for drawing points OR list of pens, one per point
+            symbolBrush    brush for filling points OR list of brushes, one per point
+            symbolSize     diameter of symbols OR list of diameters
+            pxMode         (bool) If True, then symbolSize is specified in pixels. If False, then symbolSize is 
+                           specified in data coordinates.
+            ============   ================================================
+        
+        Optimization keyword arguments:
+        
+            ==========   ================================================
+            identical    spots are all identical. The spot image will be rendered only once and repeated for every point
+            decimate     (int) decimate data
+            ==========   ================================================
+        
+        Meta-info keyword arguments:
+        
+            ==========   ================================================
+            name         name of dataset. This would appear in a legend
+            ==========   ================================================
+        """
+        GraphicsObject.__init__(self)
+        self.setFlag(self.ItemHasNoContents)
+        self.xData = None
+        self.yData = None
+        self.curves = []
+        self.scatters = []
+        self.clear()
+        self.opts = {
+            'fftMode': False,
+            'logMode': [False, False],
+            'downsample': False,
+            'alphaHint': 1.0,
+            'alphaMode': False,
+            
+            'pen': (200,200,200),
+            'shadowPen': None,
+            'fillLevel': None,
+            'brush': None,
+            
+            'symbol': None,
+            'symbolSize': 10,
+            'symbolPen': (200,200,200),
+            'symbolBrush': (50, 50, 150),
+            'identical': False,
+        }
+        self.setData(*args, **kargs)
+    
+    def implements(self, interface=None):
+        ints = ['plotData']
+        if interface is None:
+            return ints
+        return interface in ints
+    
+    def boundingRect(self):
+        return QtCore.QRectF()  ## let child items handle this
+
+    def setAlpha(self, alpha, auto):
+        self.opts['alphaHint'] = alpha
+        self.opts['alphaMode'] = auto
+        self.setOpacity(alpha)
+        #self.update()
+        
+    def setFftMode(self, mode):
+        self.opts['fftMode'] = mode
+        self.xDisp = self.yDisp = None
+        self.updateItems()
+    
+    def setLogMode(self, mode):
+        self.opts['logMode'] = mode
+        self.xDisp = self.yDisp = None
+        self.updateItems()
+    
+    def setPointMode(self, mode):
+        self.opts['pointMode'] = mode
+        self.update()
+        
+    def setPen(self, pen):
+        """
+        | Sets the pen used to draw lines between points.
+        | *pen* can be a QPen or any argument accepted by :func:`pyqtgraph.mkPen() <pyqtgraph.mkPen>`
+        """
+        self.opts['pen'] = fn.mkPen(pen)
+        for c in self.curves:
+            c.setPen(pen)
+        self.update()
+        
+    def setShadowPen(self, pen):
+        """
+        | Sets the shadow pen used to draw lines between points (this is for enhancing contrast or 
+          emphacizing data). 
+        | This line is drawn behind the primary pen (see :func:`setPen() <pyqtgraph.PlotDataItem.setPen>`)
+          and should generally be assigned greater width than the primary pen.
+        | *pen* can be a QPen or any argument accepted by :func:`pyqtgraph.mkPen() <pyqtgraph.mkPen>`
+        """
+        self.opts['shadowPen'] = pen
+        for c in self.curves:
+            c.setPen(pen)
+        self.update()
+
+    def setDownsampling(self, ds):
+        if self.opts['downsample'] != ds:
+            self.opts['downsample'] = ds
+            self.xDisp = self.yDisp = None
+            self.updateItems()
+        
+    def setData(self, *args, **kargs):
+        """
+        Clear any data displayed by this item and display new data.
+        See :func:`__init__() <pyqtgraph.PlotDataItem.__init__>` for details; it accepts the same arguments.
+        """
+        
+        self.clear()
+        
+        y = None
+        x = None
+        if len(args) == 1:
+            data = args[0]
+            dt = dataType(data)
+            if dt == 'empty':
+                return
+            elif dt == 'listOfValues':
+                y = np.array(data)
+            elif dt == 'Nx2array':
+                x = data[:,0]
+                y = data[:,1]
+            elif dt == 'recarray' or dt == 'dictOfLists':
+                if 'x' in data:
+                    x = np.array(data['x'])
+                if 'y' in data:
+                    y = np.array(data['y'])
+            elif dt ==  'listOfDicts':
+                if 'x' in data[0]:
+                    x = np.array([d.get('x',None) for d in data])
+                if 'y' in data[0]:
+                    y = np.array([d.get('y',None) for d in data])
+            elif dt == 'MetaArray':
+                y = data.view(np.ndarray)
+                x = data.xvals(0).view(np.ndarray)
+            else:
+                raise Exception('Invalid data type %s' % type(data))
+            
+        elif len(args) == 2:
+            seq = ('listOfValues', 'MetaArray')
+            if dataType(args[0]) not in seq or  dataType(args[1]) not in seq:
+                raise Exception('When passing two unnamed arguments, both must be a list or array of values. (got %s, %s)' % (str(type(args[0])), str(type(args[1]))))
+            if not isinstance(args[0], np.ndarray):
+                x = np.array(args[0])
+            else:
+                x = args[0].view(np.ndarray)
+            if not isinstance(args[1], np.ndarray):
+                y = np.array(args[1])
+            else:
+                y = args[1].view(np.ndarray)
+            
+        if 'x' in kargs:
+            x = kargs['x']
+        if 'y' in kargs:
+            y = kargs['y']
+
+
+        ## pull in all style arguments. 
+        ## Use self.opts to fill in anything not present in kargs.
+        
+
+        ## if symbol pen/brush are given with no symbol, then assume symbol is 'o'
+        if 'symbol' not in kargs and ('symbolPen' in kargs or 'symbolBrush' in kargs):
+            kargs['symbol'] = 'o'
+            
+        for k in self.opts.keys():
+            if k in kargs:
+                self.opts[k] = kargs[k]
+                
+        #curveArgs = {}
+        #for k in ['pen', 'shadowPen', 'fillLevel', 'brush']:
+            #if k in kargs:
+                #self.opts[k] = kargs[k]
+            #curveArgs[k] = self.opts[k]
+            
+        #scatterArgs = {}
+        #for k,v in [('symbolPen','pen'), ('symbolBrush','brush'), ('symbol','symbol')]:
+            #if k in kargs:
+                #self.opts[k] = kargs[k]
+            #scatterArgs[v] = self.opts[k]
+        
+
+        if y is None:
+            return
+        if y is not None and x is None:
+            x = np.arange(len(y))
+        
+        if isinstance(x, list):
+            x = np.array(x)
+        if isinstance(y, list):
+            y = np.array(y)
+        
+        self.xData = x.view(np.ndarray)  ## one last check to make sure there are no MetaArrays getting by
+        self.yData = y.view(np.ndarray)
+        
+        self.updateItems()
+        view = self.getViewBox()
+        if view is not None:
+            view.itemBoundsChanged(self)  ## inform view so it can update its range if it wants
+        self.sigPlotChanged.emit(self)
+
+
+    def updateItems(self):
+        for c in self.curves+self.scatters:
+            if c.scene() is not None:
+                c.scene().removeItem(c)
+            
+        curveArgs = {}
+        for k in ['pen', 'shadowPen', 'fillLevel', 'brush']:
+            curveArgs[k] = self.opts[k]
+        
+        scatterArgs = {}
+        for k,v in [('symbolPen','pen'), ('symbolBrush','brush'), ('symbol','symbol')]:
+            scatterArgs[v] = self.opts[k]
+        
+        x,y = self.getData()
+        
+        if curveArgs['pen'] is not None or curveArgs['brush'] is not None:
+            curve = PlotCurveItem(x=x, y=y, **curveArgs)
+            curve.setParentItem(self)
+            self.curves.append(curve)
+        
+        if scatterArgs['symbol'] is not None:
+            sp = ScatterPlotItem(x=x, y=y, **scatterArgs)
+            sp.setParentItem(self)
+            self.scatters.append(sp)
+
+
+    def getData(self):
+        if self.xData is None:
+            return (None, None)
+        if self.xDisp is None:
+            nanMask = np.isnan(self.xData) | np.isnan(self.yData)
+            if any(nanMask):
+                x = self.xData[~nanMask]
+                y = self.yData[~nanMask]
+            else:
+                x = self.xData
+                y = self.yData
+            ds = self.opts['downsample']
+            if ds > 1:
+                x = x[::ds]
+                #y = resample(y[:len(x)*ds], len(x))  ## scipy.signal.resample causes nasty ringing
+                y = y[::ds]
+            if self.opts['fftMode']:
+                f = np.fft.fft(y) / len(y)
+                y = abs(f[1:len(f)/2])
+                dt = x[-1] - x[0]
+                x = np.linspace(0, 0.5*len(x)/dt, len(y))
+            if self.opts['logMode'][0]:
+                x = np.log10(x)
+            if self.opts['logMode'][1]:
+                y = np.log10(y)
+            self.xDisp = x
+            self.yDisp = y
+        #print self.yDisp.shape, self.yDisp.min(), self.yDisp.max()
+        #print self.xDisp.shape, self.xDisp.min(), self.xDisp.max()
+        return self.xDisp, self.yDisp
+
+    def dataBounds(self, ax, frac=1.0):
+        (x, y) = self.getData()
+        if x is None or len(x) == 0:
+            return (0, 0)
+            
+        if ax == 0:
+            d = x
+        elif ax == 1:
+            d = y
+            
+        if frac >= 1.0:
+            return (np.min(d), np.max(d))
+        elif frac <= 0.0:
+            raise Exception("Value for parameter 'frac' must be > 0. (got %s)" % str(frac))
+        else:
+            return (scipy.stats.scoreatpercentile(d, 50 - (frac * 50)), scipy.stats.scoreatpercentile(d, 50 + (frac * 50)))
+
+
+    def clear(self):
+        for i in self.curves+self.scatters:
+            if i.scene() is not None:
+                i.scene().removeItem(i)
+        self.curves = []
+        self.scatters = []
+        self.xData = None
+        self.yData = None
+        self.xDisp = None
+        self.yDisp = None
+            
+    def appendData(self, *args, **kargs):
+        pass
+    
+    
+def dataType(obj):
+    if hasattr(obj, '__len__') and len(obj) == 0:
+        return 'empty'
+    if isSequence(obj):
+        first = obj[0]
+        if isinstance(obj, np.ndarray):
+            if HAVE_METAARRAY and isinstance(obj, metaarray.MetaArray):
+                return 'MetaArray'
+            if obj.ndim == 1:
+                if obj.dtype.names is None:
+                    return 'listOfValues'
+                else:
+                    return 'recarray'
+            elif obj.ndim == 2 and obj.dtype.names is None and obj.shape[1] == 2:
+                return 'Nx2array'
+            else:
+                raise Exception('array shape must be (N,) or (N,2); got %s instead' % str(obj.shape))
+        elif isinstance(first, dict):
+            return 'listOfDict'
+        else:
+            return 'listOfValues'
+    elif isinstance(obj, dict):
+        return 'dict'
+        
+        
+def isSequence(obj):
+    return isinstance(obj, list) or isinstance(obj, np.ndarray)
+    
+            
+            
+#class TableData:
+    #"""
+    #Class for presenting multiple forms of tabular data through a consistent interface.
+    #May contain:
+        #- numpy record array
+        #- list-of-dicts (all dicts are _not_ required to have the same keys)
+        #- dict-of-lists
+        #- dict (single record)
+               #Note: if all the values in this record are lists, it will be interpreted as multiple records
+        
+    #Data can be accessed and modified by column, by row, or by value
+        #data[columnName]
+        #data[rowId]
+        #data[columnName, rowId] = value
+        #data[columnName] = [value, value, ...]
+        #data[rowId] = {columnName: value, ...}
+    #"""
+    
+    #def __init__(self, data):
+        #self.data = data
+        #if isinstance(data, np.ndarray):
+            #self.mode = 'array'
+        #elif isinstance(data, list):
+            #self.mode = 'list'
+        #elif isinstance(data, dict):
+            #types = set(map(type, data.values()))
+            ### dict may be a dict-of-lists or a single record
+            #types -= set([list, np.ndarray]) ## if dict contains any non-sequence values, it is probably a single record.
+            #if len(types) != 0:
+                #self.data = [self.data]
+                #self.mode = 'list'
+            #else:
+                #self.mode = 'dict'
+        #elif isinstance(data, TableData):
+            #self.data = data.data
+            #self.mode = data.mode
+        #else:
+            #raise TypeError(type(data))
+        
+        #for fn in ['__getitem__', '__setitem__']:
+            #setattr(self, fn, getattr(self, '_TableData'+fn+self.mode))
+        
+    #def originalData(self):
+        #return self.data
+    
+    #def toArray(self):
+        #if self.mode == 'array':
+            #return self.data
+        #if len(self) < 1:
+            ##return np.array([])  ## need to return empty array *with correct columns*, but this is very difficult, so just return None
+            #return None
+        #rec1 = self[0]
+        #dtype = functions.suggestRecordDType(rec1)
+        ##print rec1, dtype
+        #arr = np.empty(len(self), dtype=dtype)
+        #arr[0] = tuple(rec1.values())
+        #for i in xrange(1, len(self)):
+            #arr[i] = tuple(self[i].values())
+        #return arr
+            
+    #def __getitem__array(self, arg):
+        #if isinstance(arg, tuple):
+            #return self.data[arg[0]][arg[1]]
+        #else:
+            #return self.data[arg]
+            
+    #def __getitem__list(self, arg):
+        #if isinstance(arg, basestring):
+            #return [d.get(arg, None) for d in self.data]
+        #elif isinstance(arg, int):
+            #return self.data[arg]
+        #elif isinstance(arg, tuple):
+            #arg = self._orderArgs(arg)
+            #return self.data[arg[0]][arg[1]]
+        #else:
+            #raise TypeError(type(arg))
+        
+    #def __getitem__dict(self, arg):
+        #if isinstance(arg, basestring):
+            #return self.data[arg]
+        #elif isinstance(arg, int):
+            #return dict([(k, v[arg]) for k, v in self.data.iteritems()])
+        #elif isinstance(arg, tuple):
+            #arg = self._orderArgs(arg)
+            #return self.data[arg[1]][arg[0]]
+        #else:
+            #raise TypeError(type(arg))
+
+    #def __setitem__array(self, arg, val):
+        #if isinstance(arg, tuple):
+            #self.data[arg[0]][arg[1]] = val
+        #else:
+            #self.data[arg] = val
+
+    #def __setitem__list(self, arg, val):
+        #if isinstance(arg, basestring):
+            #if len(val) != len(self.data):
+                #raise Exception("Values (%d) and data set (%d) are not the same length." % (len(val), len(self.data)))
+            #for i, rec in enumerate(self.data):
+                #rec[arg] = val[i]
+        #elif isinstance(arg, int):
+            #self.data[arg] = val
+        #elif isinstance(arg, tuple):
+            #arg = self._orderArgs(arg)
+            #self.data[arg[0]][arg[1]] = val
+        #else:
+            #raise TypeError(type(arg))
+        
+    #def __setitem__dict(self, arg, val):
+        #if isinstance(arg, basestring):
+            #if len(val) != len(self.data[arg]):
+                #raise Exception("Values (%d) and data set (%d) are not the same length." % (len(val), len(self.data[arg])))
+            #self.data[arg] = val
+        #elif isinstance(arg, int):
+            #for k in self.data:
+                #self.data[k][arg] = val[k]
+        #elif isinstance(arg, tuple):
+            #arg = self._orderArgs(arg)
+            #self.data[arg[1]][arg[0]] = val
+        #else:
+            #raise TypeError(type(arg))
+
+    #def _orderArgs(self, args):
+        ### return args in (int, str) order
+        #if isinstance(args[0], basestring):
+            #return (args[1], args[0])
+        #else:
+            #return args
+        
+    #def __iter__(self):
+        #for i in xrange(len(self)):
+            #yield self[i]
+
+    #def __len__(self):
+        #if self.mode == 'array' or self.mode == 'list':
+            #return len(self.data)
+        #else:
+            #return max(map(len, self.data.values()))
+
+    #def columnNames(self):
+        #"""returns column names in no particular order"""
+        #if self.mode == 'array':
+            #return self.data.dtype.names
+        #elif self.mode == 'list':
+            #names = set()
+            #for row in self.data:
+                #names.update(row.keys())
+            #return list(names)
+        #elif self.mode == 'dict':
+            #return self.data.keys()
+            
+    #def keys(self):
+        #return self.columnNames()
\ No newline at end of file
diff --git a/graphicsItems/PlotItem/PlotItem.py b/graphicsItems/PlotItem/PlotItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..2e15f0166f9d7d07b50bf481853df146d9247f28
--- /dev/null
+++ b/graphicsItems/PlotItem/PlotItem.py
@@ -0,0 +1,1389 @@
+# -*- coding: utf-8 -*-
+"""
+PlotItem.py -  Graphics item implementing a scalable ViewBox with plotting powers.
+Copyright 2010  Luke Campagnola
+Distributed under MIT/X11 license. See license.txt for more infomation.
+
+This class is one of the workhorses of pyqtgraph. It implements a graphics item with 
+plots, labels, and scales which can be viewed inside a QGraphicsScene. If you want
+a widget that can be added to your GUI, see PlotWidget instead.
+
+This class is very heavily featured:
+  - Automatically creates and manages PlotCurveItems
+  - Fast display and update of plots
+  - Manages zoom/pan ViewBox, scale, and label elements
+  - Automatic scaling when data changes
+  - Control panel with a huge feature set including averaging, decimation,
+    display, power spectrum, svg/png export, plot linking, and more.
+"""
+#from graphicsItems import *
+from plotConfigTemplate import *
+from pyqtgraph.Qt import QtGui, QtCore, QtSvg
+import pyqtgraph.functions as fn
+from pyqtgraph.widgets.FileDialog import FileDialog
+import weakref
+#from types import *
+import numpy as np
+#from .. PlotCurveItem import PlotCurveItem
+#from .. ScatterPlotItem import ScatterPlotItem
+from .. PlotDataItem import PlotDataItem
+from .. ViewBox import ViewBox
+from .. AxisItem import AxisItem
+from .. LabelItem import LabelItem
+from .. GraphicsWidget import GraphicsWidget
+from .. ButtonItem import ButtonItem
+from pyqtgraph.WidgetGroup import WidgetGroup
+import collections
+
+__all__ = ['PlotItem']
+
+#try:
+    #from WidgetGroup import *
+    #HAVE_WIDGETGROUP = True
+#except:
+    #HAVE_WIDGETGROUP = False
+    
+try:
+    from metaarray import *
+    HAVE_METAARRAY = True
+except:
+    HAVE_METAARRAY = False
+
+
+
+
+class PlotItem(GraphicsWidget):
+    
+    sigYRangeChanged = QtCore.Signal(object, object)
+    sigXRangeChanged = QtCore.Signal(object, object)
+    sigRangeChanged = QtCore.Signal(object, object)
+    
+    """Plot graphics item that can be added to any graphics scene. Implements axis titles, scales, interactive viewbox."""
+    lastFileDir = None
+    managers = {}
+    
+    def __init__(self, parent=None, name=None, labels=None, title=None, **kargs):
+        GraphicsWidget.__init__(self, parent)
+        
+        self.setSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Expanding)
+        
+        ## Set up control buttons
+        path = os.path.dirname(__file__)
+        #self.ctrlBtn = ButtonItem(os.path.join(path, 'ctrl.png'), 14, self)
+        #self.ctrlBtn.clicked.connect(self.ctrlBtnClicked)
+        self.autoImageFile = os.path.join(path, 'auto.png')
+        self.lockImageFile = os.path.join(path, 'lock.png')
+        self.autoBtn = ButtonItem(self.autoImageFile, 14, self)
+        self.autoBtn.mode = 'auto'
+        self.autoBtn.clicked.connect(self.autoBtnClicked)
+        
+        self.layout = QtGui.QGraphicsGridLayout()
+        self.layout.setContentsMargins(1,1,1,1)
+        self.setLayout(self.layout)
+        self.layout.setHorizontalSpacing(0)
+        self.layout.setVerticalSpacing(0)
+        
+        self.vb = ViewBox(name=name)
+        #self.vb.sigXRangeChanged.connect(self.xRangeChanged)
+        #self.vb.sigYRangeChanged.connect(self.yRangeChanged)
+        #self.vb.sigRangeChangedManually.connect(self.enableManualScale)
+        #self.vb.sigRangeChanged.connect(self.viewRangeChanged)
+        
+        self.layout.addItem(self.vb, 2, 1)
+        self.alpha = 1.0
+        self.autoAlpha = True
+        self.spectrumMode = False
+        
+        #self.autoScale = [True, True]
+        
+        ## Create and place scale items
+        self.scales = {
+            'top':    {'item': AxisItem(orientation='top',    linkView=self.vb), 'pos': (1, 1)}, 
+            'bottom': {'item': AxisItem(orientation='bottom', linkView=self.vb), 'pos': (3, 1)}, 
+            'left':   {'item': AxisItem(orientation='left',   linkView=self.vb), 'pos': (2, 0)}, 
+            'right':  {'item': AxisItem(orientation='right',  linkView=self.vb), 'pos': (2, 2)}
+        }
+        for k in self.scales:
+            item = self.scales[k]['item']
+            self.layout.addItem(item, *self.scales[k]['pos'])
+            item.setZValue(-1000)
+            item.setFlag(item.ItemNegativeZStacksBehindParent)
+        
+        self.titleLabel = LabelItem('', size='11pt')
+        self.layout.addItem(self.titleLabel, 0, 1)
+        self.setTitle(None)  ## hide
+        
+        
+        for i in range(4):
+            self.layout.setRowPreferredHeight(i, 0)
+            self.layout.setRowMinimumHeight(i, 0)
+            self.layout.setRowSpacing(i, 0)
+            self.layout.setRowStretchFactor(i, 1)
+            
+        for i in range(3):
+            self.layout.setColumnPreferredWidth(i, 0)
+            self.layout.setColumnMinimumWidth(i, 0)
+            self.layout.setColumnSpacing(i, 0)
+            self.layout.setColumnStretchFactor(i, 1)
+        self.layout.setRowStretchFactor(2, 100)
+        self.layout.setColumnStretchFactor(1, 100)
+        
+
+        ## Wrap a few methods from viewBox
+        for m in [
+            'setXRange', 'setYRange', 'setXLink', 'setYLink', 
+            'setRange', 'autoRange', 'viewRect', 'setMouseEnabled',
+            'enableAutoRange', 'disableAutoRange']:
+            setattr(self, m, getattr(self.vb, m))
+            
+        self.items = []
+        self.curves = []
+        self.itemMeta = weakref.WeakKeyDictionary()
+        self.dataItems = []
+        self.paramList = {}
+        self.avgCurves = {}
+        
+        ### Set up context menu
+        
+        w = QtGui.QWidget()
+        self.ctrl = c = Ui_Form()
+        c.setupUi(w)
+        dv = QtGui.QDoubleValidator(self)
+        
+        menuItems = [
+            ('Fourier Transform', c.powerSpectrumGroup),
+            ('Downsample', c.decimateGroup),
+            ('Average', c.averageGroup),
+            ('Alpha', c.alphaGroup),
+            ('Grid', c.gridGroup),
+            ('Points', c.pointsGroup),
+        ]
+        
+        
+        self.ctrlMenu = QtGui.QMenu()
+        
+        self.ctrlMenu.setTitle('Plot Options')
+        self.subMenus = []
+        for name, grp in menuItems:
+            sm = QtGui.QMenu(name)
+            act = QtGui.QWidgetAction(self)
+            act.setDefaultWidget(grp)
+            sm.addAction(act)
+            self.subMenus.append(sm)
+            self.ctrlMenu.addMenu(sm)
+        
+        
+        exportOpts = collections.OrderedDict([
+            ('SVG - Full Plot', self.saveSvgClicked),
+            ('SVG - Curves Only', self.saveSvgCurvesClicked),
+            ('Image', self.saveImgClicked),
+            ('CSV', self.saveCsvClicked),
+        ])
+        
+        self.vb.menu.setExportMethods(exportOpts)
+        
+        #self.menuAction = QtGui.QWidgetAction(self)
+        #self.menuAction.setDefaultWidget(w)
+        #self.ctrlMenu.addAction(self.menuAction)
+        
+        #if HAVE_WIDGETGROUP:
+        self.stateGroup = WidgetGroup()
+        for name, w in menuItems:
+            self.stateGroup.autoAdd(w)
+        
+        self.fileDialog = None
+        
+        #self.xLinkPlot = None
+        #self.yLinkPlot = None
+        #self.linksBlocked = False
+
+        #self.setAcceptHoverEvents(True)
+        
+        ## Connect control widgets
+        #c.xMinText.editingFinished.connect(self.setManualXScale)
+        #c.xMaxText.editingFinished.connect(self.setManualXScale)
+        #c.yMinText.editingFinished.connect(self.setManualYScale)
+        #c.yMaxText.editingFinished.connect(self.setManualYScale)
+        
+        #c.xManualRadio.clicked.connect(lambda: self.updateXScale())
+        #c.yManualRadio.clicked.connect(lambda: self.updateYScale())
+        
+        #c.xAutoRadio.clicked.connect(self.updateXScale)
+        #c.yAutoRadio.clicked.connect(self.updateYScale)
+
+        #c.xAutoPercentSpin.valueChanged.connect(self.replot)
+        #c.yAutoPercentSpin.valueChanged.connect(self.replot)
+        
+        c.alphaGroup.toggled.connect(self.updateAlpha)
+        c.alphaSlider.valueChanged.connect(self.updateAlpha)
+        c.autoAlphaCheck.toggled.connect(self.updateAlpha)
+
+        c.gridGroup.toggled.connect(self.updateGrid)
+        c.gridAlphaSlider.valueChanged.connect(self.updateGrid)
+
+        c.powerSpectrumGroup.toggled.connect(self.updateSpectrumMode)
+        #c.saveSvgBtn.clicked.connect(self.saveSvgClicked)
+        #c.saveSvgCurvesBtn.clicked.connect(self.saveSvgCurvesClicked)
+        #c.saveImgBtn.clicked.connect(self.saveImgClicked)
+        #c.saveCsvBtn.clicked.connect(self.saveCsvClicked)
+        
+        #self.ctrl.xLinkCombo.currentIndexChanged.connect(self.xLinkComboChanged)
+        #self.ctrl.yLinkCombo.currentIndexChanged.connect(self.yLinkComboChanged)
+
+        c.downsampleSpin.valueChanged.connect(self.updateDownsampling)
+
+        self.ctrl.avgParamList.itemClicked.connect(self.avgParamListClicked)
+        self.ctrl.averageGroup.toggled.connect(self.avgToggled)
+        
+        self.ctrl.maxTracesCheck.toggled.connect(self.updateDecimation)
+        self.ctrl.maxTracesSpin.valueChanged.connect(self.updateDecimation)
+        #c.xMouseCheck.toggled.connect(self.mouseCheckChanged)
+        #c.yMouseCheck.toggled.connect(self.mouseCheckChanged)
+
+        #self.xLinkPlot = None
+        #self.yLinkPlot = None
+        #self.linksBlocked = False
+        self.manager = None
+        
+        self.hideAxis('right')
+        self.hideAxis('top')
+        self.showAxis('left')
+        self.showAxis('bottom')
+        
+        #if name is not None:
+            #self.registerPlot(name)
+        
+        if labels is not None:
+            for k in labels:
+                if isinstance(labels[k], basestring):
+                    labels[k] = (labels[k],)
+                self.setLabel(k, *labels[k])
+                
+        if title is not None:
+            self.setTitle(title)
+        
+        if len(kargs) > 0:
+            self.plot(**kargs)
+        
+        self.enableAutoRange()
+        
+    def implements(self, interface=None):
+        return interface in ['ViewBoxWrapper']
+
+    def getViewBox(self):
+        return self.vb
+    
+        
+    #def paint(self, *args):
+        #prof = debug.Profiler('PlotItem.paint', disabled=True)
+        #QtGui.QGraphicsWidget.paint(self, *args)
+        #prof.finish()
+        
+        
+    def close(self):
+        #print "delete", self
+        ## Most of this crap is needed to avoid PySide trouble. 
+        ## The problem seems to be whenever scene.clear() leads to deletion of widgets (either through proxies or qgraphicswidgets)
+        ## the solution is to manually remove all widgets before scene.clear() is called
+        if self.ctrlMenu is None: ## already shut down
+            return
+        self.ctrlMenu.setParent(None)
+        self.ctrlMenu = None
+        
+        #self.ctrlBtn.setParent(None)
+        #self.ctrlBtn = None
+        #self.autoBtn.setParent(None)
+        #self.autoBtn = None
+        
+        for k in self.scales:
+            i = self.scales[k]['item']
+            i.close()
+            
+        self.scales = None
+        self.scene().removeItem(self.vb)
+        self.vb = None
+        
+        ## causes invalid index errors:
+        #for i in range(self.layout.count()):
+            #self.layout.removeAt(i)
+            
+        #for p in self.proxies:
+            #try:
+                #p.setWidget(None)
+            #except RuntimeError:
+                #break
+            #self.scene().removeItem(p)
+        #self.proxies = []
+        
+        #self.menuAction.releaseWidget(self.menuAction.defaultWidget())
+        #self.menuAction.setParent(None)
+        #self.menuAction = None
+        
+        #if self.manager is not None:
+            #self.manager.sigWidgetListChanged.disconnect(self.updatePlotList)
+            #self.manager.removeWidget(self.name)
+        #else:
+            #print "no manager"
+
+    def registerPlot(self, name):
+        self.vb.register(name)
+        #self.name = name
+        #win = str(self.window())
+        ##print "register", name, win
+        #if win not in PlotItem.managers:
+            #PlotItem.managers[win] = PlotWidgetManager()
+        #self.manager = PlotItem.managers[win]
+        #self.manager.addWidget(self, name)
+        ##QtCore.QObject.connect(self.manager, QtCore.SIGNAL('widgetListChanged'), self.updatePlotList)
+        #self.manager.sigWidgetListChanged.connect(self.updatePlotList)
+        #self.updatePlotList()
+
+    #def updatePlotList(self):
+        #"""Update the list of all plotWidgets in the "link" combos"""
+        ##print "update plot list", self
+        #try:
+            #for sc in [self.ctrl.xLinkCombo, self.ctrl.yLinkCombo]:
+                #current = unicode(sc.currentText())
+                #sc.blockSignals(True)
+                #try:
+                    #sc.clear()
+                    #sc.addItem("")
+                    #if self.manager is not None:
+                        #for w in self.manager.listWidgets():
+                            ##print w
+                            #if w == self.name:
+                                #continue
+                            #sc.addItem(w)
+                            #if w == current:
+                                #sc.setCurrentIndex(sc.count()-1)
+                #finally:
+                    #sc.blockSignals(False)
+                    #if unicode(sc.currentText()) != current:
+                        #sc.currentItemChanged.emit()
+        #except:
+            #import gc
+            #refs= gc.get_referrers(self)
+            #print "  error during update of", self
+            #print "  Referrers are:", refs
+            #raise
+        
+    def updateGrid(self, *args):
+        g = self.ctrl.gridGroup.isChecked()
+        if g:
+            g = self.ctrl.gridAlphaSlider.value()
+        for k in self.scales:
+            self.scales[k]['item'].setGrid(g)
+
+    def viewGeometry(self):
+        """return the screen geometry of the viewbox"""
+        v = self.scene().views()[0]
+        b = self.vb.mapRectToScene(self.vb.boundingRect())
+        wr = v.mapFromScene(b).boundingRect()
+        pos = v.mapToGlobal(v.pos())
+        wr.adjust(pos.x(), pos.y(), pos.x(), pos.y())
+        return wr
+
+
+
+
+
+    #def viewRangeChanged(self, vb, range):
+        ##self.emit(QtCore.SIGNAL('viewChanged'), *args)
+        #self.sigRangeChanged.emit(self, range)
+
+    #def blockLink(self, b):
+        #self.linksBlocked = b
+
+    #def xLinkComboChanged(self):
+        #self.setXLink(str(self.ctrl.xLinkCombo.currentText()))
+
+    #def yLinkComboChanged(self):
+        #self.setYLink(str(self.ctrl.yLinkCombo.currentText()))
+
+    #def setXLink(self, plot=None):
+        #"""Link this plot's X axis to another plot (pass either the PlotItem/PlotWidget or the registered name of the plot)"""
+        #if isinstance(plot, basestring):
+            #if self.manager is None:
+                #return
+            #if self.xLinkPlot is not None:
+                #self.manager.unlinkX(self, self.xLinkPlot)
+            #plot = self.manager.getWidget(plot)
+        #if not isinstance(plot, PlotItem) and hasattr(plot, 'getPlotItem'):
+            #plot = plot.getPlotItem()
+        #self.xLinkPlot = plot
+        #if plot is not None:
+            #self.setManualXScale()
+            #self.manager.linkX(self, plot)
+
+            
+
+    #def setYLink(self, plot=None):
+        #"""Link this plot's Y axis to another plot (pass either the PlotItem/PlotWidget or the registered name of the plot)"""
+        #if isinstance(plot, basestring):
+            #if self.manager is None:
+                #return
+            #if self.yLinkPlot is not None:
+                #self.manager.unlinkY(self, self.yLinkPlot)
+            #plot = self.manager.getWidget(plot)
+        #if not isinstance(plot, PlotItem) and hasattr(plot, 'getPlotItem'):
+            #plot = plot.getPlotItem()
+        #self.yLinkPlot = plot
+        #if plot is not None:
+            #self.setManualYScale()
+            #self.manager.linkY(self, plot)
+        
+    #def linkXChanged(self, plot):
+        #"""Called when a linked plot has changed its X scale"""
+        ##print "update from", plot
+        #if self.linksBlocked:
+            #return
+        #pr = plot.vb.viewRect()
+        #pg = plot.viewGeometry()
+        #if pg is None:
+            ##print "   return early"
+            #return
+        #sg = self.viewGeometry()
+        #upp = float(pr.width()) / pg.width()
+        #x1 = pr.left() + (sg.x()-pg.x()) * upp
+        #x2 = x1 + sg.width() * upp
+        #plot.blockLink(True)
+        #self.setManualXScale()
+        #self.setXRange(x1, x2, padding=0)
+        #plot.blockLink(False)
+        #self.replot()
+        
+    #def linkYChanged(self, plot):
+        #"""Called when a linked plot has changed its Y scale"""
+        #if self.linksBlocked:
+            #return
+        #pr = plot.vb.viewRect()
+        #pg = plot.vb.boundingRect()
+        #sg = self.vb.boundingRect()
+        #upp = float(pr.height()) / pg.height()
+        #y1 = pr.bottom() + (sg.y()-pg.y()) * upp
+        #y2 = y1 + sg.height() * upp
+        #plot.blockLink(True)
+        #self.setManualYScale()
+        #self.setYRange(y1, y2, padding=0)
+        #plot.blockLink(False)
+        #self.replot()
+
+
+    def avgToggled(self, b):
+        if b:
+            self.recomputeAverages()
+        for k in self.avgCurves:
+            self.avgCurves[k][1].setVisible(b)
+        
+    def avgParamListClicked(self, item):
+        name = str(item.text())
+        self.paramList[name] = (item.checkState() == QtCore.Qt.Checked)
+        self.recomputeAverages()
+        
+    def recomputeAverages(self):
+        if not self.ctrl.averageGroup.isChecked():
+            return
+        for k in self.avgCurves:
+            self.removeItem(self.avgCurves[k][1])
+        self.avgCurves = {}
+        for c in self.curves:
+            self.addAvgCurve(c)
+        self.replot()
+        
+    def addAvgCurve(self, curve):
+        """Add a single curve into the pool of curves averaged together"""
+        
+        ## If there are plot parameters, then we need to determine which to average together.
+        remKeys = []
+        addKeys = []
+        if self.ctrl.avgParamList.count() > 0:
+        
+            ### First determine the key of the curve to which this new data should be averaged
+            for i in range(self.ctrl.avgParamList.count()):
+                item = self.ctrl.avgParamList.item(i)
+                if item.checkState() == QtCore.Qt.Checked:
+                    remKeys.append(str(item.text()))
+                else:
+                    addKeys.append(str(item.text()))
+                    
+            if len(remKeys) < 1:  ## In this case, there would be 1 average plot for each data plot; not useful.
+                return
+                
+        p = self.itemMeta.get(curve,{}).copy()
+        for k in p:
+            if type(k) is tuple:
+                p['.'.join(k)] = p[k]
+                del p[k]
+        for rk in remKeys:
+            if rk in p:
+                del p[rk]
+        for ak in addKeys:
+            if ak not in p:
+                p[ak] = None
+        key = tuple(p.items())
+        
+        ### Create a new curve if needed
+        if key not in self.avgCurves:
+            plot = PlotDataItem()
+            plot.setPen(fn.mkPen([0, 200, 0]))
+            plot.setShadowPen(fn.mkPen([0, 0, 0, 100], width=3))
+            plot.setAlpha(1.0, False)
+            plot.setZValue(100)
+            self.addItem(plot, skipAverage=True)
+            self.avgCurves[key] = [0, plot]
+        self.avgCurves[key][0] += 1
+        (n, plot) = self.avgCurves[key]
+        
+        ### Average data together
+        (x, y) = curve.getData()
+        if plot.yData is not None:
+            newData = plot.yData * (n-1) / float(n) + y * 1.0 / float(n)
+            plot.setData(plot.xData, newData)
+        else:
+            plot.setData(x, y)
+        
+
+    #def mouseCheckChanged(self):
+        #state = [self.ctrl.xMouseCheck.isChecked(), self.ctrl.yMouseCheck.isChecked()]
+        #self.vb.setMouseEnabled(*state)
+        
+    #def xRangeChanged(self, _, range):
+        #if any(np.isnan(range)) or any(np.isinf(range)):
+            #raise Exception("yRange invalid: %s. Signal came from %s" % (str(range), str(self.sender())))
+        #self.ctrl.xMinText.setText('%0.5g' % range[0])
+        #self.ctrl.xMaxText.setText('%0.5g' % range[1])
+        
+        ### automatically change unit scale
+        #maxVal = max(abs(range[0]), abs(range[1]))
+        #(scale, prefix) = fn.siScale(maxVal)
+        ##for l in ['top', 'bottom']:
+            ##if self.getLabel(l).isVisible():
+                ##self.setLabel(l, unitPrefix=prefix)
+                ##self.getScale(l).setScale(scale)
+            ##else:
+                ##self.setLabel(l, unitPrefix='')
+                ##self.getScale(l).setScale(1.0)
+        
+        ##self.emit(QtCore.SIGNAL('xRangeChanged'), self, range)
+        #self.sigXRangeChanged.emit(self, range)
+
+    #def yRangeChanged(self, _, range):
+        #if any(np.isnan(range)) or any(np.isinf(range)):
+            #raise Exception("yRange invalid: %s. Signal came from %s" % (str(range), str(self.sender())))
+        #self.ctrl.yMinText.setText('%0.5g' % range[0])
+        #self.ctrl.yMaxText.setText('%0.5g' % range[1])
+        
+        ### automatically change unit scale
+        #maxVal = max(abs(range[0]), abs(range[1]))
+        #(scale, prefix) = fn.siScale(maxVal)
+        ##for l in ['left', 'right']:
+            ##if self.getLabel(l).isVisible():
+                ##self.setLabel(l, unitPrefix=prefix)
+                ##self.getScale(l).setScale(scale)
+            ##else:
+                ##self.setLabel(l, unitPrefix='')
+                ##self.getScale(l).setScale(1.0)
+        ##self.emit(QtCore.SIGNAL('yRangeChanged'), self, range)
+        #self.sigYRangeChanged.emit(self, range)
+
+    def autoBtnClicked(self):
+        if self.autoBtn.mode == 'auto':
+            self.enableAutoRange()
+        else:
+            self.disableAutoRange()
+            
+    def enableAutoScale(self):
+        """
+        Enable auto-scaling. The plot will continuously scale to fit the boundaries of its data.
+        """
+        print "Warning: enableAutoScale is deprecated. Use enableAutoRange(axis, enable) instead."
+        self.vb.enableAutoRange(self.vb.XYAxes)
+        #self.ctrl.xAutoRadio.setChecked(True)
+        #self.ctrl.yAutoRadio.setChecked(True)
+        
+        #self.autoBtn.setImageFile(self.lockImageFile)
+        #self.autoBtn.mode = 'lock'
+        #self.updateXScale()
+        #self.updateYScale()
+        #self.replot()
+      
+    #def updateXScale(self):
+        #"""Set plot to autoscale or not depending on state of radio buttons"""
+        #if self.ctrl.xManualRadio.isChecked():
+            #self.setManualXScale()
+        #else:
+            #self.setAutoXScale()
+        #self.replot()
+        
+    #def updateYScale(self, b=False):
+        #"""Set plot to autoscale or not depending on state of radio buttons"""
+        #if self.ctrl.yManualRadio.isChecked():
+            #self.setManualYScale()
+        #else:
+            #self.setAutoYScale()
+        #self.replot()
+
+    #def enableManualScale(self, v=[True, True]):
+        #if v[0]:
+            #self.autoScale[0] = False
+            #self.ctrl.xManualRadio.setChecked(True)
+            ##self.setManualXScale()
+        #if v[1]:
+            #self.autoScale[1] = False
+            #self.ctrl.yManualRadio.setChecked(True)
+            ##self.setManualYScale()
+        ##self.autoBtn.enable()
+        #self.autoBtn.setImageFile(self.autoImageFile)
+        #self.autoBtn.mode = 'auto'
+        ##self.replot()
+        
+    #def setManualXScale(self):
+        #self.autoScale[0] = False
+        #x1 = float(self.ctrl.xMinText.text())
+        #x2 = float(self.ctrl.xMaxText.text())
+        #self.ctrl.xManualRadio.setChecked(True)
+        #self.setXRange(x1, x2, padding=0)
+        #self.autoBtn.show()
+        ##self.replot()
+        
+    #def setManualYScale(self):
+        #self.autoScale[1] = False
+        #y1 = float(self.ctrl.yMinText.text())
+        #y2 = float(self.ctrl.yMaxText.text())
+        #self.ctrl.yManualRadio.setChecked(True)
+        #self.setYRange(y1, y2, padding=0)
+        #self.autoBtn.show()
+        ##self.replot()
+
+    #def setAutoXScale(self):
+        #self.autoScale[0] = True
+        #self.ctrl.xAutoRadio.setChecked(True)
+        ##self.replot()
+        
+    #def setAutoYScale(self):
+        #self.autoScale[1] = True
+        #self.ctrl.yAutoRadio.setChecked(True)
+        ##self.replot()
+
+    def addItem(self, item, *args, **kargs):
+        self.items.append(item)
+        self.vb.addItem(item, *args)
+        if hasattr(item, 'implements') and item.implements('plotData'):
+            self.dataItems.append(item)
+            #self.plotChanged()
+            
+            params = kargs.get('params', {})
+            self.itemMeta[item] = params
+            #item.setMeta(params)
+            self.curves.append(item)
+            #self.addItem(c)
+            
+        if isinstance(item, PlotDataItem):
+            ## configure curve for this plot
+            (alpha, auto) = self.alphaState()
+            item.setAlpha(alpha, auto)
+            item.setFftMode(self.ctrl.powerSpectrumGroup.isChecked())
+            item.setDownsampling(self.downsampleMode())
+            item.setPointMode(self.pointMode())
+            
+            ## Hide older plots if needed
+            self.updateDecimation()
+            
+            ## Add to average if needed
+            self.updateParamList()
+            if self.ctrl.averageGroup.isChecked() and 'skipAverage' not in kargs:
+                self.addAvgCurve(item)
+                
+            #c.connect(c, QtCore.SIGNAL('plotChanged'), self.plotChanged)
+            #item.sigPlotChanged.connect(self.plotChanged)
+            #self.plotChanged()
+
+    def addDataItem(self, item, *args):
+        print "PlotItem.addDataItem is deprecated. Use addItem instead."
+        self.addItem(item, *args)
+        
+    def addCurve(self, c, params=None):
+        print "PlotItem.addCurve is deprecated. Use addItem instead."
+        self.addItem(item, params)
+
+
+    def removeItem(self, item):
+        if not item in self.items:
+            return
+        self.items.remove(item)
+        if item in self.dataItems:
+            self.dataItems.remove(item)
+            
+        if item.scene() is not None:
+            self.vb.removeItem(item)
+        if item in self.curves:
+            self.curves.remove(item)
+            self.updateDecimation()
+            self.updateParamList()
+            #item.connect(item, QtCore.SIGNAL('plotChanged'), self.plotChanged)
+            #item.sigPlotChanged.connect(self.plotChanged)
+
+    def clear(self):
+        for i in self.items[:]:
+            self.removeItem(i)
+        self.avgCurves = {}
+    
+    def clearPlots(self):
+        for i in self.curves[:]:
+            self.removeItem(i)
+        self.avgCurves = {}
+        
+    
+    def plot(self, *args, **kargs):
+        """
+        Add and return a new plot.
+        See PlotDataItem.__init__ for data arguments
+        
+        Extra allowed arguments are:
+            clear    - clear all plots before displaying new data
+            params   - meta-parameters to associate with this data
+        """
+        
+        
+        
+        #if y is not None:
+            #data = y
+        #if data2 is not None:
+            #x = data
+            #data = data2
+        #if decimate is not None and decimate > 1:
+            #data = data[::decimate]
+            #if x is not None:
+                #x = x[::decimate]
+          ##  print 'plot with decimate = %d' % (decimate)
+        clear = kargs.get('clear', False)
+        params = kargs.get('params', None)
+          
+        if clear:
+            self.clear()
+            
+        item = PlotDataItem(*args, **kargs)
+            
+        if params is None:
+            params = {}
+        #if HAVE_METAARRAY and isinstance(data, MetaArray):
+            #curve = self._plotMetaArray(data, x=x, **kargs)
+        #elif isinstance(data, np.ndarray):
+            #curve = self._plotArray(data, x=x, **kargs)
+        #elif isinstance(data, list):
+            #if x is not None:
+                #x = np.array(x)
+            #curve = self._plotArray(np.array(data), x=x, **kargs)
+        #elif data is None:
+            #curve = PlotCurveItem(**kargs)
+        #else:
+            #raise Exception('Not sure how to plot object of type %s' % type(data))
+            
+        #print data, curve
+        self.addItem(item, params=params)
+        #if pen is not None:
+            #curve.setPen(fn.mkPen(pen))
+        
+        return item
+
+    def scatterPlot(self, *args, **kargs):
+        print "PlotItem.scatterPlot is deprecated. Use PlotItem.plot instead."
+        return self.plot(*args, **kargs)
+        #sp = ScatterPlotItem(*args, **kargs)
+        #self.addItem(sp)
+        #return sp
+
+    
+
+    #def plotChanged(self, curve=None):
+        ## Recompute auto range if needed
+        #args = {}
+        #for ax in [0, 1]:
+            #print "range", ax
+            #if self.autoScale[ax]:
+                #percentScale = [self.ctrl.xAutoPercentSpin.value(), self.ctrl.yAutoPercentSpin.value()][ax] * 0.01
+                #mn = None
+                #mx = None
+                #for c in self.curves + [c[1] for c in self.avgCurves.values()] + self.dataItems:
+                    #if not c.isVisible():
+                        #continue
+                    #cmn, cmx = c.getRange(ax, percentScale)
+                    ##print "   ", c, cmn, cmx
+                    #if mn is None or cmn < mn:
+                        #mn = cmn
+                    #if mx is None or cmx > mx:
+                        #mx = cmx
+                #if mn is None or mx is None or any(np.isnan([mn, mx])) or any(np.isinf([mn, mx])):
+                    #continue
+                #if mn == mx:
+                    #mn -= 1
+                    #mx += 1
+                #if ax == 0:
+                    #args['xRange'] = [mn, mx]
+                #else:
+                    #args['yRange'] = [mn, mx]
+                    
+        #if len(args) > 0:
+            ##print args
+            #self.setRange(**args)
+                
+    def replot(self):
+        #self.plotChanged()
+        self.update()
+
+    def updateParamList(self):
+        self.ctrl.avgParamList.clear()
+        ## Check to see that each parameter for each curve is present in the list
+        #print "\nUpdate param list", self
+        #print "paramList:", self.paramList
+        for c in self.curves:
+            #print "  curve:", c
+            for p in self.itemMeta.get(c, {}).keys():
+                #print "    param:", p
+                if type(p) is tuple:
+                    p = '.'.join(p)
+                    
+                ## If the parameter is not in the list, add it.
+                matches = self.ctrl.avgParamList.findItems(p, QtCore.Qt.MatchExactly)
+                #print "      matches:", matches
+                if len(matches) == 0:
+                    i = QtGui.QListWidgetItem(p)
+                    if p in self.paramList and self.paramList[p] is True:
+                        #print "      set checked"
+                        i.setCheckState(QtCore.Qt.Checked)
+                    else:
+                        #print "      set unchecked"
+                        i.setCheckState(QtCore.Qt.Unchecked)
+                    self.ctrl.avgParamList.addItem(i)
+                else:
+                    i = matches[0]
+                    
+                self.paramList[p] = (i.checkState() == QtCore.Qt.Checked)
+        #print "paramList:", self.paramList
+
+
+    ## This is bullshit.
+    def writeSvgCurves(self, fileName=None):
+        if fileName is None:
+            self.fileDialog = FileDialog()
+            if PlotItem.lastFileDir is not None:
+                self.fileDialog.setDirectory(PlotItem.lastFileDir)
+            self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
+            self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave) 
+            self.fileDialog.show()
+            self.fileDialog.fileSelected.connect(self.writeSvg)
+            return
+        #if fileName is None:
+            #fileName = QtGui.QFileDialog.getSaveFileName()
+        if isinstance(fileName, tuple):
+            raise Exception("Not implemented yet..")
+        fileName = str(fileName)
+        PlotItem.lastFileDir = os.path.dirname(fileName)
+        
+        rect = self.vb.viewRect()
+        xRange = rect.left(), rect.right() 
+        
+        svg = ""
+        fh = open(fileName, 'w')
+
+        dx = max(rect.right(),0) - min(rect.left(),0)
+        ymn = min(rect.top(), rect.bottom())
+        ymx = max(rect.top(), rect.bottom())
+        dy = max(ymx,0) - min(ymn,0)
+        sx = 1.
+        sy = 1.
+        while dx*sx < 10:
+            sx *= 1000
+        while dy*sy < 10:
+            sy *= 1000
+        sy *= -1
+
+        #fh.write('<svg viewBox="%f %f %f %f">\n' % (rect.left()*sx, rect.top()*sx, rect.width()*sy, rect.height()*sy))
+        fh.write('<svg>\n')
+        fh.write('<path fill="none" stroke="#000000" stroke-opacity="0.5" stroke-width="1" d="M%f,0 L%f,0"/>\n' % (rect.left()*sx, rect.right()*sx))
+        fh.write('<path fill="none" stroke="#000000" stroke-opacity="0.5" stroke-width="1" d="M0,%f L0,%f"/>\n' % (rect.top()*sy, rect.bottom()*sy))
+
+
+        for item in self.curves:
+            if isinstance(item, PlotCurveItem):
+                color = fn.colorStr(item.pen.color())
+                opacity = item.pen.color().alpha() / 255.
+                color = color[:6]
+                x, y = item.getData()
+                mask = (x > xRange[0]) * (x < xRange[1])
+                mask[:-1] += mask[1:]
+                m2 = mask.copy()
+                mask[1:] += m2[:-1]
+                x = x[mask]
+                y = y[mask]
+                
+                x *= sx
+                y *= sy
+                
+                #fh.write('<g fill="none" stroke="#%s" stroke-opacity="1" stroke-width="1">\n' % color)
+                fh.write('<path fill="none" stroke="#%s" stroke-opacity="%f" stroke-width="1" d="M%f,%f ' % (color, opacity, x[0], y[0]))
+                for i in xrange(1, len(x)):
+                    fh.write('L%f,%f ' % (x[i], y[i]))
+                
+                fh.write('"/>')
+                #fh.write("</g>")
+        for item in self.dataItems:
+            if isinstance(item, ScatterPlotItem):
+                
+                pRect = item.boundingRect()
+                vRect = pRect.intersected(rect)
+                
+                for point in item.points():
+                    pos = point.pos()
+                    if not rect.contains(pos):
+                        continue
+                    color = fn.colorStr(point.brush.color())
+                    opacity = point.brush.color().alpha() / 255.
+                    color = color[:6]
+                    x = pos.x() * sx
+                    y = pos.y() * sy
+                    
+                    fh.write('<circle cx="%f" cy="%f" r="1" fill="#%s" stroke="none" fill-opacity="%f"/>\n' % (x, y, color, opacity))
+                    #fh.write('<path fill="none" stroke="#%s" stroke-opacity="%f" stroke-width="1" d="M%f,%f ' % (color, opacity, x[0], y[0]))
+                    #for i in xrange(1, len(x)):
+                        #fh.write('L%f,%f ' % (x[i], y[i]))
+                    
+                    #fh.write('"/>')
+            
+        ## get list of curves, scatter plots
+        
+        
+        fh.write("</svg>\n")
+        
+        
+    
+    def writeSvg(self, fileName=None):
+        if fileName is None:
+            fileName = QtGui.QFileDialog.getSaveFileName()
+        fileName = str(fileName)
+        PlotItem.lastFileDir = os.path.dirname(fileName)
+        
+        self.svg = QtSvg.QSvgGenerator()
+        self.svg.setFileName(fileName)
+        res = 120.
+        view = self.scene().views()[0]
+        bounds = view.viewport().rect()
+        bounds = QtCore.QRectF(0, 0, bounds.width(), bounds.height())
+        
+        self.svg.setResolution(res)
+        self.svg.setViewBox(bounds)
+        
+        self.svg.setSize(QtCore.QSize(bounds.width(), bounds.height()))
+        
+        painter = QtGui.QPainter(self.svg)
+        view.render(painter, bounds)
+        
+        painter.end()
+        
+        ## Workaround to set pen widths correctly
+        import re
+        data = open(fileName).readlines()
+        for i in range(len(data)):
+            line = data[i]
+            m = re.match(r'(<g .*)stroke-width="1"(.*transform="matrix\(([^\)]+)\)".*)', line)
+            if m is not None:
+                #print "Matched group:", line
+                g = m.groups()
+                matrix = map(float, g[2].split(','))
+                #print "matrix:", matrix
+                scale = max(abs(matrix[0]), abs(matrix[3]))
+                if scale == 0 or scale == 1.0:
+                    continue
+                data[i] = g[0] + ' stroke-width="%0.2g" ' % (1.0/scale) + g[1] + '\n'
+                #print "old line:", line
+                #print "new line:", data[i]
+        open(fileName, 'w').write(''.join(data))
+        
+        
+    def writeImage(self, fileName=None):
+        if fileName is None:
+            self.fileDialog = FileDialog()
+            if PlotItem.lastFileDir is not None:
+                self.fileDialog.setDirectory(PlotItem.lastFileDir)
+            self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
+            self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave) 
+            self.fileDialog.show()
+            self.fileDialog.fileSelected.connect(self.writeImage)
+            return
+        #if fileName is None:
+            #fileName = QtGui.QFileDialog.getSaveFileName()
+        if isinstance(fileName, tuple):
+            raise Exception("Not implemented yet..")
+        fileName = str(fileName)
+        PlotItem.lastFileDir = os.path.dirname(fileName)
+        self.png = QtGui.QImage(int(self.size().width()), int(self.size().height()), QtGui.QImage.Format_ARGB32)
+        painter = QtGui.QPainter(self.png)
+        painter.setRenderHints(painter.Antialiasing | painter.TextAntialiasing)
+        self.scene().render(painter, QtCore.QRectF(), self.mapRectToScene(self.boundingRect()))
+        painter.end()
+        self.png.save(fileName)
+        
+    def writeCsv(self, fileName=None):
+        if fileName is None:
+            self.fileDialog = FileDialog()
+            if PlotItem.lastFileDir is not None:
+                self.fileDialog.setDirectory(PlotItem.lastFileDir)
+            self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
+            self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave) 
+            self.fileDialog.show()
+            self.fileDialog.fileSelected.connect(self.writeCsv)
+            return
+        #if fileName is None:
+            #fileName = QtGui.QFileDialog.getSaveFileName()
+        fileName = str(fileName)
+        PlotItem.lastFileDir = os.path.dirname(fileName)
+        
+        fd = open(fileName, 'w')
+        data = [c.getData() for c in self.curves]
+        i = 0
+        while True:
+            done = True
+            for d in data:
+                if i < len(d[0]):
+                    fd.write('%g,%g,'%(d[0][i], d[1][i]))
+                    done = False
+                else:
+                    fd.write(' , ,')
+            fd.write('\n')
+            if done:
+                break
+            i += 1
+        fd.close()
+
+
+    def saveState(self):
+        #if not HAVE_WIDGETGROUP:
+            #raise Exception("State save/restore requires WidgetGroup class.")
+        state = self.stateGroup.state()
+        state['paramList'] = self.paramList.copy()
+        state['view'] = self.vb.getState()
+        #print "\nSAVE %s:\n" % str(self.name), state
+        #print "Saving state. averageGroup.isChecked(): %s  state: %s" % (str(self.ctrl.averageGroup.isChecked()), str(state['averageGroup']))
+        return state
+        
+    def restoreState(self, state):
+        #if not HAVE_WIDGETGROUP:
+            #raise Exception("State save/restore requires WidgetGroup class.")
+        if 'paramList' in state:
+            self.paramList = state['paramList'].copy()
+            
+        self.stateGroup.setState(state)
+        self.updateSpectrumMode()
+        self.updateDownsampling()
+        self.updateAlpha()
+        self.updateDecimation()
+        
+        self.stateGroup.setState(state)
+        #self.updateXScale()
+        #self.updateYScale()
+        self.updateParamList()
+        
+        if 'view' not in state:
+            r = [[float(state['xMinText']), float(state['xMaxText'])], [float(state['yMinText']), float(state['yMaxText'])]]
+            state['view'] = {
+                'autoRange': [state['xAutoRadio'], state['yAutoRadio']],
+                'linkedViews': [state['xLinkCombo'], state['yLinkCombo']],
+                'targetRange': r,
+                'viewRange': r,
+            }
+        self.vb.setState(state['view'])
+        
+        
+        #print "\nRESTORE %s:\n" % str(self.name), state
+        #print "Restoring state. averageGroup.isChecked(): %s  state: %s" % (str(self.ctrl.averageGroup.isChecked()), str(state['averageGroup']))
+        #avg = self.ctrl.averageGroup.isChecked()
+        #if avg != state['averageGroup']:
+            #print "  WARNING: avgGroup is %s, should be %s" % (str(avg), str(state['averageGroup']))
+
+
+    def widgetGroupInterface(self):
+        return (None, PlotItem.saveState, PlotItem.restoreState)
+      
+    def updateSpectrumMode(self, b=None):
+        if b is None:
+            b = self.ctrl.powerSpectrumGroup.isChecked()
+        for c in self.curves:
+            c.setFftMode(b)
+        self.enableAutoRange()
+        self.recomputeAverages()
+            
+        
+    def updateDownsampling(self):
+        ds = self.downsampleMode()
+        for c in self.curves:
+            c.setDownsampling(ds)
+        self.recomputeAverages()
+        #for c in self.avgCurves.values():
+            #c[1].setDownsampling(ds)
+        
+        
+    def downsampleMode(self):
+        if self.ctrl.decimateGroup.isChecked():
+            if self.ctrl.manualDecimateRadio.isChecked():
+                ds = self.ctrl.downsampleSpin.value()
+            else:
+                ds = True
+        else:
+            ds = False
+        return ds
+        
+    def updateDecimation(self):
+        if self.ctrl.maxTracesCheck.isChecked():
+            numCurves = self.ctrl.maxTracesSpin.value()
+        else:
+            numCurves = -1
+            
+        curves = self.curves[:]
+        split = len(curves) - numCurves
+        for i in range(len(curves)):
+            if numCurves == -1 or i >= split:
+                curves[i].show()
+            else:
+                if self.ctrl.forgetTracesCheck.isChecked():
+                    curves[i].clear()
+                    self.removeItem(curves[i])
+                else:
+                    curves[i].hide()
+        
+      
+    def updateAlpha(self, *args):
+        (alpha, auto) = self.alphaState()
+        for c in self.curves:
+            c.setAlpha(alpha**2, auto)
+                
+        #self.replot(autoRange=False)
+     
+    def alphaState(self):
+        enabled = self.ctrl.alphaGroup.isChecked()
+        auto = self.ctrl.autoAlphaCheck.isChecked()
+        alpha = float(self.ctrl.alphaSlider.value()) / self.ctrl.alphaSlider.maximum()
+        if auto:
+            alpha = 1.0  ## should be 1/number of overlapping plots
+        if not enabled:
+            auto = False
+            alpha = 1.0
+        return (alpha, auto)
+
+    def pointMode(self):
+        if self.ctrl.pointsGroup.isChecked():
+            if self.ctrl.autoPointsCheck.isChecked():
+                mode = None
+            else:
+                mode = True
+        else:
+            mode = False
+        return mode
+        
+    def wheelEvent(self, ev):
+        # disables default panning the whole scene by mousewheel
+        ev.accept()
+
+    def resizeEvent(self, ev):
+        if self.autoBtn is None:  ## already closed down
+            return
+        btnRect = self.mapRectFromItem(self.autoBtn, self.autoBtn.boundingRect())
+        y = self.size().height() - btnRect.height()
+        self.autoBtn.setPos(0, y)
+        
+    #def hoverMoveEvent(self, ev):
+        #self.mousePos = ev.pos()
+        #self.mouseScreenPos = ev.screenPos()
+        
+        
+    #def ctrlBtnClicked(self):
+        #self.ctrlMenu.popup(self.mouseScreenPos)
+        
+    def getMenu(self):
+        return self.ctrlMenu
+    
+    def getContextMenus(self, event):
+        ## called when another item is displaying its context menu; we get to add extras to the end of the menu.
+        return self.ctrlMenu
+        
+
+    def getLabel(self, key):
+        pass
+        
+    def _checkScaleKey(self, key):
+        if key not in self.scales:
+            raise Exception("Scale '%s' not found. Scales are: %s" % (key, str(self.scales.keys())))
+        
+    def getScale(self, key):
+        self._checkScaleKey(key)
+        return self.scales[key]['item']
+        
+    def setLabel(self, axis, text=None, units=None, unitPrefix=None, **args):
+        """
+        Set the label for an axis. Basic HTML formatting is allowed.
+        Arguments:
+            axis  - must be one of 'left', 'bottom', 'right', or 'top'
+            text  - text to display along the axis. HTML allowed.
+            units - units to display after the title. If units are given, 
+                    then an SI prefix will be automatically appended
+                    and the axis values will be scaled accordingly.
+                    (ie, use 'V' instead of 'mV'; 'm' will be added automatically)
+        """
+        self.getScale(axis).setLabel(text=text, units=units, **args)
+        
+    def showLabel(self, axis, show=True):
+        """
+        Show or hide one of the plot's axis labels (the axis itself will be unaffected).
+        axis must be one of 'left', 'bottom', 'right', or 'top'
+        """
+        self.getScale(axis).showLabel(show)
+
+    def setTitle(self, title=None, **args):
+        """
+        Set the title of the plot. Basic HTML formatting is allowed.
+        If title is None, then the title will be hidden.
+        """
+        if title is None:
+            self.titleLabel.setVisible(False)
+            self.layout.setRowFixedHeight(0, 0)
+            self.titleLabel.setMaximumHeight(0)
+        else:
+            self.titleLabel.setMaximumHeight(30)
+            self.layout.setRowFixedHeight(0, 30)
+            self.titleLabel.setVisible(True)
+            self.titleLabel.setText(title, **args)
+
+    def showAxis(self, axis, show=True):
+        """
+        Show or hide one of the plot's axes.
+        axis must be one of 'left', 'bottom', 'right', or 'top'
+        """
+        s = self.getScale(axis)
+        p = self.scales[axis]['pos']
+        if show:
+            s.show()
+        else:
+            s.hide()
+            
+    def hideAxis(self, axis):
+        self.showAxis(axis, False)
+            
+    def showScale(self, *args, **kargs):
+        print "Deprecated. use showAxis() instead"
+        return self.showAxis(*args, **kargs)
+            
+    def hideButtons(self):
+        #self.ctrlBtn.hide()
+        self.autoBtn.hide()
+        
+            
+    def _plotArray(self, arr, x=None, **kargs):
+        if arr.ndim != 1:
+            raise Exception("Array must be 1D to plot (shape is %s)" % arr.shape)
+        if x is None:
+            x = np.arange(arr.shape[0])
+        if x.ndim != 1:
+            raise Exception("X array must be 1D to plot (shape is %s)" % x.shape)
+        c = PlotCurveItem(arr, x=x, **kargs)
+        return c
+            
+        
+        
+    def _plotMetaArray(self, arr, x=None, autoLabel=True, **kargs):
+        inf = arr.infoCopy()
+        if arr.ndim != 1:
+            raise Exception('can only automatically plot 1 dimensional arrays.')
+        ## create curve
+        try:
+            xv = arr.xvals(0)
+            #print 'xvals:', xv
+        except:
+            if x is None:
+                xv = np.arange(arr.shape[0])
+            else:
+                xv = x
+        c = PlotCurveItem(**kargs)
+        c.setData(x=xv, y=arr.view(np.ndarray))
+        
+        if autoLabel:
+            name = arr._info[0].get('name', None)
+            units = arr._info[0].get('units', None)
+            self.setLabel('bottom', text=name, units=units)
+            
+            name = arr._info[1].get('name', None)
+            units = arr._info[1].get('units', None)
+            self.setLabel('left', text=name, units=units)
+            
+        return c
+
+    def saveSvgClicked(self):
+        self.writeSvg()
+        
+    def saveSvgCurvesClicked(self):
+        self.writeSvgCurves()
+        
+    def saveImgClicked(self):
+        self.writeImage()
+            
+    def saveCsvClicked(self):
+        self.writeCsv()
+      
+
+#class PlotWidgetManager(QtCore.QObject):
+    
+    #sigWidgetListChanged = QtCore.Signal(object)
+    
+    #"""Used for managing communication between PlotWidgets"""
+    #def __init__(self):
+        #QtCore.QObject.__init__(self)
+        #self.widgets = weakref.WeakValueDictionary() # Don't keep PlotWidgets around just because they are listed here
+    
+    #def addWidget(self, w, name):
+        #self.widgets[name] = w
+        ##self.emit(QtCore.SIGNAL('widgetListChanged'), self.widgets.keys())
+        #self.sigWidgetListChanged.emit(self.widgets.keys())
+        
+    #def removeWidget(self, name):
+        #if name in self.widgets:
+            #del self.widgets[name]
+            ##self.emit(QtCore.SIGNAL('widgetListChanged'), self.widgets.keys())
+            #self.sigWidgetListChanged.emit(self.widgets.keys())
+        #else:
+            #print "plot %s not managed" % name
+        
+        
+    #def listWidgets(self):
+        #return self.widgets.keys()
+        
+    #def getWidget(self, name):
+        #if name not in self.widgets:
+            #return None
+        #else:
+            #return self.widgets[name]
+            
+    #def linkX(self, p1, p2):
+        ##QtCore.QObject.connect(p1, QtCore.SIGNAL('xRangeChanged'), p2.linkXChanged)
+        #p1.sigXRangeChanged.connect(p2.linkXChanged)
+        ##QtCore.QObject.connect(p2, QtCore.SIGNAL('xRangeChanged'), p1.linkXChanged)
+        #p2.sigXRangeChanged.connect(p1.linkXChanged)
+        #p1.linkXChanged(p2)
+        ##p2.setManualXScale()
+
+    #def unlinkX(self, p1, p2):
+        ##QtCore.QObject.disconnect(p1, QtCore.SIGNAL('xRangeChanged'), p2.linkXChanged)
+        #p1.sigXRangeChanged.disconnect(p2.linkXChanged)
+        ##QtCore.QObject.disconnect(p2, QtCore.SIGNAL('xRangeChanged'), p1.linkXChanged)
+        #p2.sigXRangeChanged.disconnect(p1.linkXChanged)
+        
+    #def linkY(self, p1, p2):
+        ##QtCore.QObject.connect(p1, QtCore.SIGNAL('yRangeChanged'), p2.linkYChanged)
+        #p1.sigYRangeChanged.connect(p2.linkYChanged)
+        ##QtCore.QObject.connect(p2, QtCore.SIGNAL('yRangeChanged'), p1.linkYChanged)
+        #p2.sigYRangeChanged.connect(p1.linkYChanged)
+        #p1.linkYChanged(p2)
+        ##p2.setManualYScale()
+
+    #def unlinkY(self, p1, p2):
+        ##QtCore.QObject.disconnect(p1, QtCore.SIGNAL('yRangeChanged'), p2.linkYChanged)
+        #p1.sigYRangeChanged.disconnect(p2.linkYChanged)
+        ##QtCore.QObject.disconnect(p2, QtCore.SIGNAL('yRangeChanged'), p1.linkYChanged)
+        #p2.sigYRangeChanged.disconnect(p1.linkYChanged)
diff --git a/graphicsItems/PlotItem/__init__.py b/graphicsItems/PlotItem/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..e0db43af9ab00d0d7b9a1197dfbea753acc0a045
--- /dev/null
+++ b/graphicsItems/PlotItem/__init__.py
@@ -0,0 +1 @@
+from PlotItem import PlotItem
diff --git a/graphicsItems/PlotItem/auto.png b/graphicsItems/PlotItem/auto.png
new file mode 100644
index 0000000000000000000000000000000000000000..a27ff4f82b6e31f2819061a53ba72d4b322dc26d
Binary files /dev/null and b/graphicsItems/PlotItem/auto.png differ
diff --git a/graphicsItems/PlotItem/ctrl.png b/graphicsItems/PlotItem/ctrl.png
new file mode 100644
index 0000000000000000000000000000000000000000..c8dc96e439da8ef33abf292bd9b808633646c26b
Binary files /dev/null and b/graphicsItems/PlotItem/ctrl.png differ
diff --git a/graphicsItems/PlotItem/icons.svg b/graphicsItems/PlotItem/icons.svg
new file mode 100644
index 0000000000000000000000000000000000000000..cfdfeba4b6b0e9deeb455ca5a542357016cce23a
--- /dev/null
+++ b/graphicsItems/PlotItem/icons.svg
@@ -0,0 +1,135 @@
+<?xml version="1.0" encoding="UTF-8" standalone="no"?>
+<!-- Created with Inkscape (http://www.inkscape.org/) -->
+
+<svg
+   xmlns:dc="http://purl.org/dc/elements/1.1/"
+   xmlns:cc="http://creativecommons.org/ns#"
+   xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
+   xmlns:svg="http://www.w3.org/2000/svg"
+   xmlns="http://www.w3.org/2000/svg"
+   xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
+   xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
+   width="744.09448819"
+   height="1052.3622047"
+   id="svg2"
+   version="1.1"
+   inkscape:version="0.48.1 r9760"
+   sodipodi:docname="icons.svg">
+  <defs
+     id="defs4" />
+  <sodipodi:namedview
+     id="base"
+     pagecolor="#ffffff"
+     bordercolor="#666666"
+     borderopacity="1.0"
+     inkscape:pageopacity="0.0"
+     inkscape:pageshadow="2"
+     inkscape:zoom="1.4"
+     inkscape:cx="290.39972"
+     inkscape:cy="606.05972"
+     inkscape:document-units="px"
+     inkscape:current-layer="layer3"
+     showgrid="false"
+     inkscape:window-width="1400"
+     inkscape:window-height="1030"
+     inkscape:window-x="-3"
+     inkscape:window-y="-3"
+     inkscape:window-maximized="1" />
+  <metadata
+     id="metadata7">
+    <rdf:RDF>
+      <cc:Work
+         rdf:about="">
+        <dc:format>image/svg+xml</dc:format>
+        <dc:type
+           rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
+        <dc:title></dc:title>
+      </cc:Work>
+    </rdf:RDF>
+  </metadata>
+  <g
+     inkscape:label="Layer 1"
+     inkscape:groupmode="layer"
+     id="layer1"
+     style="display:inline" />
+  <g
+     inkscape:groupmode="layer"
+     id="layer2"
+     inkscape:label="Layer"
+     style="display:inline" />
+  <g
+     inkscape:groupmode="layer"
+     id="layer3"
+     inkscape:label="Layer#1">
+    <g
+       style="display:inline"
+       id="g3764"
+       inkscape:export-filename="/home/luke/work/manis_lab/code/acq4/lib/util/pyqtgraph/graphicsItems/PlotItem/auto.png"
+       inkscape:export-xdpi="26.181818"
+       inkscape:export-ydpi="26.181818">
+      <rect
+         ry="18.687822"
+         y="400.81378"
+         x="108.08632"
+         height="100"
+         width="100"
+         id="rect2985"
+         style="fill:#000000;fill-opacity:1;stroke:#a9a9a9;stroke-width:10;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+      <text
+         transform="scale(1.0048002,0.99522278)"
+         sodipodi:linespacing="125%"
+         id="text3757"
+         y="490.5354"
+         x="118.68684"
+         style="font-size:108.36511993px;font-style:normal;font-variant:normal;font-weight:bold;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#e7e7e7;fill-opacity:1;stroke:none;font-family:Arial;-inkscape-font-specification:Arial Bold"
+         xml:space="preserve"><tspan
+           style="font-style:normal;font-variant:normal;font-weight:bold;font-stretch:normal;font-family:Arial;-inkscape-font-specification:Arial Bold"
+           y="490.5354"
+           x="118.68684"
+           id="tspan3759"
+           sodipodi:role="line">A</tspan></text>
+    </g>
+    <g
+       id="g3777"
+       style="display:inline"
+       transform="translate(140,0)"
+       inkscape:export-filename="/home/luke/work/manis_lab/code/acq4/lib/util/pyqtgraph/graphicsItems/PlotItem/ctrl.png"
+       inkscape:export-xdpi="26.181818"
+       inkscape:export-ydpi="26.181818">
+      <rect
+         style="fill:#000000;fill-opacity:1;stroke:#a9a9a9;stroke-width:10;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0"
+         id="rect3779"
+         width="100"
+         height="100"
+         x="108.08632"
+         y="400.81378"
+         ry="18.687822" />
+      <path
+         style="fill:#e3e3e3;fill-opacity:1;stroke:none"
+         d="m 192.1403,484.47301 c 3.45636,-3.45635 3.45636,-9.02124 0,-12.47759 l -36.39994,-36.39995 c 1.29616,-5.58299 -0.2288,-11.68397 -4.57999,-16.03517 -3.03048,-3.03048 -6.90883,-4.69498 -10.87095,-4.98687 l -2.98378,2.98378 9.49382,9.49382 -2.62905,9.80681 -9.79638,2.61862 -9.49382,-9.49382 -2.97334,2.97334 c 0.29168,3.96216 1.94541,7.85036 4.97644,10.88138 4.35119,4.3512 10.45218,5.87615 16.03517,4.57999 l 36.39995,36.39995 c 3.45635,3.45635 9.02124,3.45635 12.47759,0 l 0.34428,-0.34429 z m -3.38021,-3.04636 c -2.09533,2.09533 -5.4893,2.10575 -7.58463,0.0104 -2.09533,-2.09532 -2.09533,-5.49972 -10e-6,-7.59505 2.09534,-2.09534 5.48931,-2.0849 7.58464,0.0104 2.09532,2.09532 2.09533,5.47887 0,7.5742 z"
+         id="path3793"
+         inkscape:connector-curvature="0" />
+    </g>
+    <g
+       transform="translate(280,0)"
+       style="display:inline"
+       id="g3785"
+       inkscape:export-filename="/home/luke/work/manis_lab/code/acq4/lib/util/pyqtgraph/graphicsItems/PlotItem/lock.png"
+       inkscape:export-xdpi="26.181818"
+       inkscape:export-ydpi="26.181818">
+      <rect
+         ry="18.687822"
+         y="400.81378"
+         x="108.08632"
+         height="100"
+         width="100"
+         id="rect3787"
+         style="fill:#000000;fill-opacity:1;stroke:#a9a9a9;stroke-width:10;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:0" />
+      <path
+         style="font-size:medium;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-indent:0;text-align:start;text-decoration:none;line-height:normal;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;text-anchor:start;baseline-shift:baseline;color:#000000;fill:#e6e6e6;fill-opacity:1;stroke:none;stroke-width:20;marker:none;visibility:visible;display:inline;overflow:visible;enable-background:accumulate;font-family:Sans;-inkscape-font-specification:Sans"
+         d="m 158.08632,412.60531 c -13.62786,0 -24.7172,11.19602 -24.7172,24.87236 l 0,10.65958 -0.8689,0 c -3.12596,0 -5.63236,2.52191 -5.63236,5.64787 l 0,29.58927 c 0,3.12596 2.5064,5.64787 5.63236,5.64787 l 51.15669,0 c 3.12596,0 5.64787,-2.52191 5.64787,-5.64787 l 0,-29.58927 c 0,-3.12596 -2.52191,-5.64787 -5.64787,-5.64787 l -0.85339,0 0,-10.65958 c 0,-13.67634 -11.08933,-24.87236 -24.7172,-24.87236 z m 0,9.93032 c 8.25237,0 14.78688,6.54986 14.78688,14.94204 l 0,10.65958 -29.57376,0 0,-10.65958 c 0,-8.39218 6.53451,-14.94204 14.78688,-14.94204 z"
+         id="rect3830"
+         inkscape:connector-curvature="0" />
+    </g>
+  </g>
+</svg>
diff --git a/graphicsItems/PlotItem/lock.png b/graphicsItems/PlotItem/lock.png
new file mode 100644
index 0000000000000000000000000000000000000000..3f85dde05d29a80e9cba8d9d339f88d7f2a960e8
Binary files /dev/null and b/graphicsItems/PlotItem/lock.png differ
diff --git a/graphicsItems/PlotItem/plotConfigTemplate.py b/graphicsItems/PlotItem/plotConfigTemplate.py
new file mode 100644
index 0000000000000000000000000000000000000000..e8b28bb16124986fb283d072f3e621751fa354be
--- /dev/null
+++ b/graphicsItems/PlotItem/plotConfigTemplate.py
@@ -0,0 +1,130 @@
+# -*- coding: utf-8 -*-
+
+# Form implementation generated from reading ui file 'plotConfigTemplate.ui'
+#
+# Created: Fri Jan 20 11:24:44 2012
+#      by: PyQt4 UI code generator 4.8.3
+#
+# WARNING! All changes made in this file will be lost!
+
+from PyQt4 import QtCore, QtGui
+
+try:
+    _fromUtf8 = QtCore.QString.fromUtf8
+except AttributeError:
+    _fromUtf8 = lambda s: s
+
+class Ui_Form(object):
+    def setupUi(self, Form):
+        Form.setObjectName(_fromUtf8("Form"))
+        Form.resize(258, 605)
+        self.averageGroup = QtGui.QGroupBox(Form)
+        self.averageGroup.setGeometry(QtCore.QRect(10, 200, 242, 182))
+        self.averageGroup.setCheckable(True)
+        self.averageGroup.setChecked(False)
+        self.averageGroup.setObjectName(_fromUtf8("averageGroup"))
+        self.gridLayout_5 = QtGui.QGridLayout(self.averageGroup)
+        self.gridLayout_5.setMargin(0)
+        self.gridLayout_5.setSpacing(0)
+        self.gridLayout_5.setObjectName(_fromUtf8("gridLayout_5"))
+        self.avgParamList = QtGui.QListWidget(self.averageGroup)
+        self.avgParamList.setObjectName(_fromUtf8("avgParamList"))
+        self.gridLayout_5.addWidget(self.avgParamList, 0, 0, 1, 1)
+        self.decimateGroup = QtGui.QGroupBox(Form)
+        self.decimateGroup.setGeometry(QtCore.QRect(0, 30, 242, 160))
+        self.decimateGroup.setCheckable(True)
+        self.decimateGroup.setObjectName(_fromUtf8("decimateGroup"))
+        self.gridLayout_4 = QtGui.QGridLayout(self.decimateGroup)
+        self.gridLayout_4.setMargin(0)
+        self.gridLayout_4.setSpacing(0)
+        self.gridLayout_4.setObjectName(_fromUtf8("gridLayout_4"))
+        self.manualDecimateRadio = QtGui.QRadioButton(self.decimateGroup)
+        self.manualDecimateRadio.setChecked(True)
+        self.manualDecimateRadio.setObjectName(_fromUtf8("manualDecimateRadio"))
+        self.gridLayout_4.addWidget(self.manualDecimateRadio, 0, 0, 1, 1)
+        self.downsampleSpin = QtGui.QSpinBox(self.decimateGroup)
+        self.downsampleSpin.setMinimum(1)
+        self.downsampleSpin.setMaximum(100000)
+        self.downsampleSpin.setProperty(_fromUtf8("value"), 1)
+        self.downsampleSpin.setObjectName(_fromUtf8("downsampleSpin"))
+        self.gridLayout_4.addWidget(self.downsampleSpin, 0, 1, 1, 1)
+        self.autoDecimateRadio = QtGui.QRadioButton(self.decimateGroup)
+        self.autoDecimateRadio.setChecked(False)
+        self.autoDecimateRadio.setObjectName(_fromUtf8("autoDecimateRadio"))
+        self.gridLayout_4.addWidget(self.autoDecimateRadio, 1, 0, 1, 1)
+        self.maxTracesCheck = QtGui.QCheckBox(self.decimateGroup)
+        self.maxTracesCheck.setObjectName(_fromUtf8("maxTracesCheck"))
+        self.gridLayout_4.addWidget(self.maxTracesCheck, 2, 0, 1, 1)
+        self.maxTracesSpin = QtGui.QSpinBox(self.decimateGroup)
+        self.maxTracesSpin.setObjectName(_fromUtf8("maxTracesSpin"))
+        self.gridLayout_4.addWidget(self.maxTracesSpin, 2, 1, 1, 1)
+        self.forgetTracesCheck = QtGui.QCheckBox(self.decimateGroup)
+        self.forgetTracesCheck.setObjectName(_fromUtf8("forgetTracesCheck"))
+        self.gridLayout_4.addWidget(self.forgetTracesCheck, 3, 0, 1, 2)
+        self.powerSpectrumGroup = QtGui.QGroupBox(Form)
+        self.powerSpectrumGroup.setGeometry(QtCore.QRect(0, 0, 242, 41))
+        self.powerSpectrumGroup.setCheckable(True)
+        self.powerSpectrumGroup.setChecked(False)
+        self.powerSpectrumGroup.setObjectName(_fromUtf8("powerSpectrumGroup"))
+        self.pointsGroup = QtGui.QGroupBox(Form)
+        self.pointsGroup.setGeometry(QtCore.QRect(10, 520, 234, 58))
+        self.pointsGroup.setCheckable(True)
+        self.pointsGroup.setObjectName(_fromUtf8("pointsGroup"))
+        self.verticalLayout_5 = QtGui.QVBoxLayout(self.pointsGroup)
+        self.verticalLayout_5.setObjectName(_fromUtf8("verticalLayout_5"))
+        self.autoPointsCheck = QtGui.QCheckBox(self.pointsGroup)
+        self.autoPointsCheck.setChecked(True)
+        self.autoPointsCheck.setObjectName(_fromUtf8("autoPointsCheck"))
+        self.verticalLayout_5.addWidget(self.autoPointsCheck)
+        self.gridGroup = QtGui.QGroupBox(Form)
+        self.gridGroup.setGeometry(QtCore.QRect(10, 460, 234, 60))
+        self.gridGroup.setCheckable(True)
+        self.gridGroup.setChecked(False)
+        self.gridGroup.setObjectName(_fromUtf8("gridGroup"))
+        self.verticalLayout_4 = QtGui.QVBoxLayout(self.gridGroup)
+        self.verticalLayout_4.setObjectName(_fromUtf8("verticalLayout_4"))
+        self.gridAlphaSlider = QtGui.QSlider(self.gridGroup)
+        self.gridAlphaSlider.setMaximum(255)
+        self.gridAlphaSlider.setProperty(_fromUtf8("value"), 70)
+        self.gridAlphaSlider.setOrientation(QtCore.Qt.Horizontal)
+        self.gridAlphaSlider.setObjectName(_fromUtf8("gridAlphaSlider"))
+        self.verticalLayout_4.addWidget(self.gridAlphaSlider)
+        self.alphaGroup = QtGui.QGroupBox(Form)
+        self.alphaGroup.setGeometry(QtCore.QRect(10, 390, 234, 60))
+        self.alphaGroup.setCheckable(True)
+        self.alphaGroup.setObjectName(_fromUtf8("alphaGroup"))
+        self.horizontalLayout = QtGui.QHBoxLayout(self.alphaGroup)
+        self.horizontalLayout.setObjectName(_fromUtf8("horizontalLayout"))
+        self.autoAlphaCheck = QtGui.QCheckBox(self.alphaGroup)
+        self.autoAlphaCheck.setChecked(False)
+        self.autoAlphaCheck.setObjectName(_fromUtf8("autoAlphaCheck"))
+        self.horizontalLayout.addWidget(self.autoAlphaCheck)
+        self.alphaSlider = QtGui.QSlider(self.alphaGroup)
+        self.alphaSlider.setMaximum(1000)
+        self.alphaSlider.setProperty(_fromUtf8("value"), 1000)
+        self.alphaSlider.setOrientation(QtCore.Qt.Horizontal)
+        self.alphaSlider.setObjectName(_fromUtf8("alphaSlider"))
+        self.horizontalLayout.addWidget(self.alphaSlider)
+
+        self.retranslateUi(Form)
+        QtCore.QMetaObject.connectSlotsByName(Form)
+
+    def retranslateUi(self, Form):
+        Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
+        self.averageGroup.setToolTip(QtGui.QApplication.translate("Form", "Display averages of the curves displayed in this plot. The parameter list allows you to choose parameters to average over (if any are available).", None, QtGui.QApplication.UnicodeUTF8))
+        self.averageGroup.setTitle(QtGui.QApplication.translate("Form", "Average", None, QtGui.QApplication.UnicodeUTF8))
+        self.decimateGroup.setTitle(QtGui.QApplication.translate("Form", "Downsample", None, QtGui.QApplication.UnicodeUTF8))
+        self.manualDecimateRadio.setText(QtGui.QApplication.translate("Form", "Manual", None, QtGui.QApplication.UnicodeUTF8))
+        self.autoDecimateRadio.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
+        self.maxTracesCheck.setToolTip(QtGui.QApplication.translate("Form", "If multiple curves are displayed in this plot, check this box to limit the number of traces that are displayed.", None, QtGui.QApplication.UnicodeUTF8))
+        self.maxTracesCheck.setText(QtGui.QApplication.translate("Form", "Max Traces:", None, QtGui.QApplication.UnicodeUTF8))
+        self.maxTracesSpin.setToolTip(QtGui.QApplication.translate("Form", "If multiple curves are displayed in this plot, check \"Max Traces\" and set this value to limit the number of traces that are displayed.", None, QtGui.QApplication.UnicodeUTF8))
+        self.forgetTracesCheck.setToolTip(QtGui.QApplication.translate("Form", "If MaxTraces is checked, remove curves from memory after they are hidden (saves memory, but traces can not be un-hidden).", None, QtGui.QApplication.UnicodeUTF8))
+        self.forgetTracesCheck.setText(QtGui.QApplication.translate("Form", "Forget hidden traces", None, QtGui.QApplication.UnicodeUTF8))
+        self.powerSpectrumGroup.setTitle(QtGui.QApplication.translate("Form", "Power Spectrum", None, QtGui.QApplication.UnicodeUTF8))
+        self.pointsGroup.setTitle(QtGui.QApplication.translate("Form", "Points", None, QtGui.QApplication.UnicodeUTF8))
+        self.autoPointsCheck.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
+        self.gridGroup.setTitle(QtGui.QApplication.translate("Form", "Grid", None, QtGui.QApplication.UnicodeUTF8))
+        self.alphaGroup.setTitle(QtGui.QApplication.translate("Form", "Alpha", None, QtGui.QApplication.UnicodeUTF8))
+        self.autoAlphaCheck.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
+
diff --git a/graphicsItems/PlotItem/plotConfigTemplate.ui b/graphicsItems/PlotItem/plotConfigTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..a9ae33d6d8de299ba971649372fceb0c5c0b4f78
--- /dev/null
+++ b/graphicsItems/PlotItem/plotConfigTemplate.ui
@@ -0,0 +1,258 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>Form</class>
+ <widget class="QWidget" name="Form">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>258</width>
+    <height>605</height>
+   </rect>
+  </property>
+  <property name="windowTitle">
+   <string>Form</string>
+  </property>
+  <widget class="QGroupBox" name="averageGroup">
+   <property name="geometry">
+    <rect>
+     <x>10</x>
+     <y>200</y>
+     <width>242</width>
+     <height>182</height>
+    </rect>
+   </property>
+   <property name="toolTip">
+    <string>Display averages of the curves displayed in this plot. The parameter list allows you to choose parameters to average over (if any are available).</string>
+   </property>
+   <property name="title">
+    <string>Average</string>
+   </property>
+   <property name="checkable">
+    <bool>true</bool>
+   </property>
+   <property name="checked">
+    <bool>false</bool>
+   </property>
+   <layout class="QGridLayout" name="gridLayout_5">
+    <property name="margin">
+     <number>0</number>
+    </property>
+    <property name="spacing">
+     <number>0</number>
+    </property>
+    <item row="0" column="0">
+     <widget class="QListWidget" name="avgParamList"/>
+    </item>
+   </layout>
+  </widget>
+  <widget class="QGroupBox" name="decimateGroup">
+   <property name="geometry">
+    <rect>
+     <x>0</x>
+     <y>30</y>
+     <width>242</width>
+     <height>160</height>
+    </rect>
+   </property>
+   <property name="title">
+    <string>Downsample</string>
+   </property>
+   <property name="checkable">
+    <bool>true</bool>
+   </property>
+   <layout class="QGridLayout" name="gridLayout_4">
+    <property name="margin">
+     <number>0</number>
+    </property>
+    <property name="spacing">
+     <number>0</number>
+    </property>
+    <item row="0" column="0">
+     <widget class="QRadioButton" name="manualDecimateRadio">
+      <property name="text">
+       <string>Manual</string>
+      </property>
+      <property name="checked">
+       <bool>true</bool>
+      </property>
+     </widget>
+    </item>
+    <item row="0" column="1">
+     <widget class="QSpinBox" name="downsampleSpin">
+      <property name="minimum">
+       <number>1</number>
+      </property>
+      <property name="maximum">
+       <number>100000</number>
+      </property>
+      <property name="value">
+       <number>1</number>
+      </property>
+     </widget>
+    </item>
+    <item row="1" column="0">
+     <widget class="QRadioButton" name="autoDecimateRadio">
+      <property name="text">
+       <string>Auto</string>
+      </property>
+      <property name="checked">
+       <bool>false</bool>
+      </property>
+     </widget>
+    </item>
+    <item row="2" column="0">
+     <widget class="QCheckBox" name="maxTracesCheck">
+      <property name="toolTip">
+       <string>If multiple curves are displayed in this plot, check this box to limit the number of traces that are displayed.</string>
+      </property>
+      <property name="text">
+       <string>Max Traces:</string>
+      </property>
+     </widget>
+    </item>
+    <item row="2" column="1">
+     <widget class="QSpinBox" name="maxTracesSpin">
+      <property name="toolTip">
+       <string>If multiple curves are displayed in this plot, check &quot;Max Traces&quot; and set this value to limit the number of traces that are displayed.</string>
+      </property>
+     </widget>
+    </item>
+    <item row="3" column="0" colspan="2">
+     <widget class="QCheckBox" name="forgetTracesCheck">
+      <property name="toolTip">
+       <string>If MaxTraces is checked, remove curves from memory after they are hidden (saves memory, but traces can not be un-hidden).</string>
+      </property>
+      <property name="text">
+       <string>Forget hidden traces</string>
+      </property>
+     </widget>
+    </item>
+   </layout>
+  </widget>
+  <widget class="QGroupBox" name="powerSpectrumGroup">
+   <property name="geometry">
+    <rect>
+     <x>0</x>
+     <y>0</y>
+     <width>242</width>
+     <height>41</height>
+    </rect>
+   </property>
+   <property name="title">
+    <string>Power Spectrum</string>
+   </property>
+   <property name="checkable">
+    <bool>true</bool>
+   </property>
+   <property name="checked">
+    <bool>false</bool>
+   </property>
+  </widget>
+  <widget class="QGroupBox" name="pointsGroup">
+   <property name="geometry">
+    <rect>
+     <x>10</x>
+     <y>520</y>
+     <width>234</width>
+     <height>58</height>
+    </rect>
+   </property>
+   <property name="title">
+    <string>Points</string>
+   </property>
+   <property name="checkable">
+    <bool>true</bool>
+   </property>
+   <layout class="QVBoxLayout" name="verticalLayout_5">
+    <item>
+     <widget class="QCheckBox" name="autoPointsCheck">
+      <property name="text">
+       <string>Auto</string>
+      </property>
+      <property name="checked">
+       <bool>true</bool>
+      </property>
+     </widget>
+    </item>
+   </layout>
+  </widget>
+  <widget class="QGroupBox" name="gridGroup">
+   <property name="geometry">
+    <rect>
+     <x>10</x>
+     <y>460</y>
+     <width>234</width>
+     <height>60</height>
+    </rect>
+   </property>
+   <property name="title">
+    <string>Grid</string>
+   </property>
+   <property name="checkable">
+    <bool>true</bool>
+   </property>
+   <property name="checked">
+    <bool>false</bool>
+   </property>
+   <layout class="QVBoxLayout" name="verticalLayout_4">
+    <item>
+     <widget class="QSlider" name="gridAlphaSlider">
+      <property name="maximum">
+       <number>255</number>
+      </property>
+      <property name="value">
+       <number>70</number>
+      </property>
+      <property name="orientation">
+       <enum>Qt::Horizontal</enum>
+      </property>
+     </widget>
+    </item>
+   </layout>
+  </widget>
+  <widget class="QGroupBox" name="alphaGroup">
+   <property name="geometry">
+    <rect>
+     <x>10</x>
+     <y>390</y>
+     <width>234</width>
+     <height>60</height>
+    </rect>
+   </property>
+   <property name="title">
+    <string>Alpha</string>
+   </property>
+   <property name="checkable">
+    <bool>true</bool>
+   </property>
+   <layout class="QHBoxLayout" name="horizontalLayout">
+    <item>
+     <widget class="QCheckBox" name="autoAlphaCheck">
+      <property name="text">
+       <string>Auto</string>
+      </property>
+      <property name="checked">
+       <bool>false</bool>
+      </property>
+     </widget>
+    </item>
+    <item>
+     <widget class="QSlider" name="alphaSlider">
+      <property name="maximum">
+       <number>1000</number>
+      </property>
+      <property name="value">
+       <number>1000</number>
+      </property>
+      <property name="orientation">
+       <enum>Qt::Horizontal</enum>
+      </property>
+     </widget>
+    </item>
+   </layout>
+  </widget>
+ </widget>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/widgets.py b/graphicsItems/ROI.py
similarity index 67%
rename from widgets.py
rename to graphicsItems/ROI.py
index 8516fefc6833e9d6d4f46052548a7077787a1f00..f8bb0d72662fa551b308d625bbd3293e267501a3 100644
--- a/widgets.py
+++ b/graphicsItems/ROI.py
@@ -1,69 +1,69 @@
 # -*- coding: utf-8 -*-
 """
-widgets.py -  Interactive graphics items for GraphicsView (ROI widgets)
+ROI.py -  Interactive graphics items for GraphicsView (ROI widgets)
 Copyright 2010  Luke Campagnola
 Distributed under MIT/X11 license. See license.txt for more infomation.
 
 Implements a series of graphics items which display movable/scalable/rotatable shapes
 for use as region-of-interest markers. ROI class automatically handles extraction 
 of array data from ImageItems.
+
+The ROI class is meant to serve as the base for more specific types; see several examples
+of how to build an ROI at the bottom of the file.
 """
 
-from PyQt4 import QtCore, QtGui
-if not hasattr(QtCore, 'Signal'):
-    QtCore.Signal = QtCore.pyqtSignal
-#from numpy import array, arccos, dot, pi, zeros, vstack, ubyte, fromfunction, ceil, floor, arctan2
+from pyqtgraph.Qt import QtCore, QtGui
+#if not hasattr(QtCore, 'Signal'):
+    #QtCore.Signal = QtCore.pyqtSignal
 import numpy as np
 from numpy.linalg import norm
 import scipy.ndimage as ndimage
-from Point import *
-from Transform import Transform
+from pyqtgraph.Point import *
+from pyqtgraph.Transform import Transform
 from math import cos, sin
-import functions as fn
-#from ObjectWorkaround import *
+import pyqtgraph.functions as fn
+from GraphicsObject import GraphicsObject
+from UIGraphicsItem import UIGraphicsItem
 
-def rectStr(r):
-    return "[%f, %f] + [%f, %f]" % (r.x(), r.y(), r.width(), r.height())
+__all__ = [
+    'ROI', 
+    'TestROI', 'RectROI', 'EllipseROI', 'CircleROI', 'PolygonROI', 
+    'LineROI', 'MultiLineROI', 'LineSegmentROI', 'SpiralROI'
+]
 
-# Multiple inheritance not allowed in PyQt. Retarded workaround:
-#class QObjectWorkaround:
-    #def __init__(self):
-        #self._qObj_ = QtCore.QObject()
-    #def __getattr__(self, attr):
-        #if attr == '_qObj_':
-            #raise Exception("QObjectWorkaround not initialized!")
-        #return getattr(self._qObj_, attr)
-    #def connect(self, *args):
-        #return QtCore.QObject.connect(self._qObj_, *args)
 
+def rectStr(r):
+    return "[%f, %f] + [%f, %f]" % (r.x(), r.y(), r.width(), r.height())
 
-class ROI(QtGui.QGraphicsObject):
+class ROI(GraphicsObject):
     """Generic region-of-interest widget. 
     Can be used for implementing many types of selection box with rotate/translate/scale handles."""
     
     sigRegionChangeFinished = QtCore.Signal(object)
     sigRegionChangeStarted = QtCore.Signal(object)
     sigRegionChanged = QtCore.Signal(object)
+    sigHoverEvent = QtCore.Signal(object)
     
-    def __init__(self, pos, size=Point(1, 1), angle=0.0, invertible=False, maxBounds=None, snapSize=1.0, scaleSnap=False, translateSnap=False, rotateSnap=False, parent=None, pen=None):
+    def __init__(self, pos, size=Point(1, 1), angle=0.0, invertible=False, maxBounds=None, snapSize=1.0, scaleSnap=False, translateSnap=False, rotateSnap=False, parent=None, pen=None, movable=True):
         #QObjectWorkaround.__init__(self)
-        QtGui.QGraphicsObject.__init__(self, parent)
+        GraphicsObject.__init__(self, parent)
         pos = Point(pos)
         size = Point(size)
         self.aspectLocked = False
-        self.translatable = True
+        self.translatable = movable
+        self.rotateAllowed = True
         
         if pen is None:
-            self.pen = QtGui.QPen(QtGui.QColor(255, 255, 255))
-        else:
-            self.pen = fn.mkPen(pen)
+            pen = (255, 255, 255)
+        self.setPen(pen)
+        
         self.handlePen = QtGui.QPen(QtGui.QColor(150, 255, 255))
         self.handles = []
         self.state = {'pos': pos, 'size': size, 'angle': angle}  ## angle is in degrees for ease of Qt integration
         self.lastState = None
         self.setPos(pos)
         #self.rotate(-angle * 180. / np.pi)
-        self.rotate(-angle)
+        self.rotate(angle)
         self.setZValue(10)
         self.isMoving = False
         
@@ -75,10 +75,18 @@ class ROI(QtGui.QGraphicsObject):
         self.translateSnap = translateSnap
         self.rotateSnap = rotateSnap
         self.scaleSnap = scaleSnap
-        self.setFlag(self.ItemIsSelectable, True)
+        #self.setFlag(self.ItemIsSelectable, True)
     
     def getState(self):
         return self.state.copy()
+        
+    def saveState(self):
+        """Return the state of the widget in a format suitable for storing to disk."""
+        state = {}
+        state['pos'] = tuple(self.state['pos'])
+        state['size'] = tuple(self.state['size'])
+        state['angle'] = self.state['angle']
+        return state
     
     def setState(self, state):
         self.setPos(state['pos'], update=False)
@@ -97,9 +105,19 @@ class ROI(QtGui.QGraphicsObject):
         return self.mapToParent(self.boundingRect()).boundingRect()
 
     def setPen(self, pen):
-        self.pen = pen
+        self.pen = fn.mkPen(pen)
+        self.currentPen = self.pen
         self.update()
         
+    def size(self):
+        return self.getState()['size']
+        
+    def pos(self):
+        return self.getState()['pos']
+        
+    def angle(self):
+        return self.getState()['angle']
+        
     def setPos(self, pos, update=True):
         #print "setPos() called."
         pos = Point(pos)
@@ -218,66 +236,138 @@ class ROI(QtGui.QGraphicsObject):
             for h in self.handles:
                 h['item'].hide()
 
-    def mousePressEvent(self, ev):
-        ## Bug: sometimes we get events we shouldn't.
-        p = ev.pos()
-        if not self.isMoving and not self.shape().contains(p):
-            ev.ignore()
-            return        
-        if ev.button() == QtCore.Qt.LeftButton:
-            self.setSelected(True)
+    #def mousePressEvent(self, ev):
+        ### Bug: sometimes we get events we shouldn't.
+        #p = ev.pos()
+        #if not self.isMoving and not self.shape().contains(p):
+            #ev.ignore()
+            #return        
+        #if ev.button() == QtCore.Qt.LeftButton:
+            #self.setSelected(True)
+            #if self.translatable:
+                #self.isMoving = True
+                #self.preMoveState = self.getState()
+                #self.cursorOffset = self.scenePos() - ev.scenePos()
+                ##self.emit(QtCore.SIGNAL('regionChangeStarted'), self)
+                #self.sigRegionChangeStarted.emit(self)
+                #ev.accept()
+            #else:
+                #ev.ignore()
+        #elif ev.button() == QtCore.Qt.RightButton:
+            #if self.isMoving:
+                #ev.accept()
+                #self.cancelMove()
+            #else:
+                #ev.ignore()
+        #else:
+            #ev.ignore()
+        
+    #def mouseMoveEvent(self, ev):
+        ##print "mouse move", ev.pos()
+        #if self.translatable and self.isMoving and ev.buttons() == QtCore.Qt.LeftButton:
+            #snap = True if (ev.modifiers() & QtCore.Qt.ControlModifier) else None
+            ##if self.translateSnap or (ev.modifiers() & QtCore.Qt.ControlModifier):
+                ##snap = Point(self.snapSize, self.snapSize)
+            #newPos = ev.scenePos() + self.cursorOffset
+            #newPos = self.mapSceneToParent(newPos)
+            #self.translate(newPos - self.pos(), snap=snap)
+    
+    #def mouseReleaseEvent(self, ev):
+        #if self.translatable:
+            #self.isMoving = False
+            ##self.emit(QtCore.SIGNAL('regionChangeFinished'), self)
+            #self.sigRegionChangeFinished.emit(self)
+
+    def hoverEvent(self, ev):
+        if self.translatable and (not ev.isExit()) and ev.acceptDrags(QtCore.Qt.LeftButton):
+            self.currentPen = fn.mkPen(255, 255, 0)
+            self.sigHoverEvent.emit(self)
+        else:
+            self.currentPen = self.pen
+        self.update()
+            
+    def mouseDragEvent(self, ev):
+        if ev.isStart():
+            p = ev.pos()
+            #if not self.isMoving and not self.shape().contains(p):
+                #ev.ignore()
+                #return        
+            if ev.button() == QtCore.Qt.LeftButton:
+                self.setSelected(True)
+                if self.translatable:
+                    self.isMoving = True
+                    self.preMoveState = self.getState()
+                    self.cursorOffset = self.pos() - self.mapToParent(ev.buttonDownPos())
+                    #self.emit(QtCore.SIGNAL('regionChangeStarted'), self)
+                    self.sigRegionChangeStarted.emit(self)
+                    ev.accept()
+                else:
+                    ev.ignore()
+
+        elif ev.isFinish():
             if self.translatable:
-                self.isMoving = True
-                self.preMoveState = self.getState()
-                self.cursorOffset = self.scenePos() - ev.scenePos()
-                #self.emit(QtCore.SIGNAL('regionChangeStarted'), self)
-                self.sigRegionChangeStarted.emit(self)
-                ev.accept()
-        elif ev.button() == QtCore.Qt.RightButton:
+                self.isMoving = False
+                #self.emit(QtCore.SIGNAL('regionChangeFinished'), self)
+                self.sigRegionChangeFinished.emit(self)
+            return
+
+        if self.translatable and self.isMoving and ev.buttons() == QtCore.Qt.LeftButton:
+            snap = True if (ev.modifiers() & QtCore.Qt.ControlModifier) else None
+            #if self.translateSnap or (ev.modifiers() & QtCore.Qt.ControlModifier):
+                #snap = Point(self.snapSize, self.snapSize)
+            newPos = self.mapToParent(ev.pos()) + self.cursorOffset
+            #newPos = self.mapSceneToParent(newPos)
+            self.translate(newPos - self.pos(), snap=snap)
+        
+        
+
+    def mouseClickEvent(self, ev):
+        if ev.button() == QtCore.Qt.RightButton:
             if self.isMoving:
                 ev.accept()
                 self.cancelMove()
             else:
                 ev.ignore()
-        else:
-            ev.ignore()
-        
-    def mouseMoveEvent(self, ev):
-        #print "mouse move", ev.pos()
-        if self.translatable and self.isMoving and ev.buttons() == QtCore.Qt.LeftButton:
-            snap = None
-            if self.translateSnap or (ev.modifiers() & QtCore.Qt.ControlModifier):
-                snap = Point(self.snapSize, self.snapSize)
-            newPos = ev.scenePos() + self.cursorOffset
-            newPos = self.mapSceneToParent(newPos)
-            self.translate(newPos - self.pos(), snap=snap)
-    
-    def mouseReleaseEvent(self, ev):
-        if self.translatable:
-            self.isMoving = False
-            #self.emit(QtCore.SIGNAL('regionChangeFinished'), self)
-            self.sigRegionChangeFinished.emit(self)
-    
+
+
     def cancelMove(self):
         self.isMoving = False
         self.setState(self.preMoveState)
-    
-    def pointPressEvent(self, pt, ev):
-        #print "press"
-        self.isMoving = True
-        self.preMoveState = self.getState()
+
+
+    def pointDragEvent(self, pt, ev):
+        if ev.isStart():
+            self.isMoving = True
+            self.preMoveState = self.getState()
+            
+            self.sigRegionChangeStarted.emit(self)
+        elif ev.isFinish():
+            self.isMoving = False
+            self.sigRegionChangeFinished.emit(self)
+            return
+            
+        #self.movePoint(pt, ev.scenePos(), ev.modifiers())
         
-        #self.emit(QtCore.SIGNAL('regionChangeStarted'), self)
-        self.sigRegionChangeStarted.emit(self)
-        #self.pressPos = self.mapFromScene(ev.scenePos())
-        #self.pressHandlePos = self.handles[pt]['item'].pos()
+        
+    #def pointPressEvent(self, pt, ev):
+        ##print "press"
+        #self.isMoving = True
+        #self.preMoveState = self.getState()
+        
+        ##self.emit(QtCore.SIGNAL('regionChangeStarted'), self)
+        #self.sigRegionChangeStarted.emit(self)
+        ##self.pressPos = self.mapFromScene(ev.scenePos())
+        ##self.pressHandlePos = self.handles[pt]['item'].pos()
     
-    def pointReleaseEvent(self, pt, ev):
-        #print "release"
-        self.isMoving = False
-        #self.emit(QtCore.SIGNAL('regionChangeFinished'), self)
-        self.sigRegionChangeFinished.emit(self)
+    #def pointReleaseEvent(self, pt, ev):
+        ##print "release"
+        #self.isMoving = False
+        ##self.emit(QtCore.SIGNAL('regionChangeFinished'), self)
+        #self.sigRegionChangeFinished.emit(self)
     
+    #def pointMoveEvent(self, pt, ev):
+        #self.movePoint(pt, ev.scenePos(), ev.modifiers())
+        
     def stateCopy(self):
         sc = {}
         sc['pos'] = Point(self.state['pos'])
@@ -291,6 +381,7 @@ class ROI(QtGui.QGraphicsObject):
             #print "  try", h
             if h['item'] in self.childItems():
                 p = h['pos']
+                #print h['pos'] * self.state['size']
                 h['item'].setPos(h['pos'] * self.state['size'])
             #else:
                 #print "    Not child!", self.childItems()
@@ -299,9 +390,6 @@ class ROI(QtGui.QGraphicsObject):
     def checkPointMove(self, pt, pos, modifiers):
         return True
     
-    def pointMoveEvent(self, pt, ev):
-        self.movePoint(pt, ev.scenePos(), ev.modifiers())
-        
         
     def movePoint(self, pt, pos, modifiers=QtCore.Qt.KeyboardModifier()):
         #print "movePoint() called."
@@ -331,9 +419,9 @@ class ROI(QtGui.QGraphicsObject):
         if h['type'] == 't':
             #p0 = Point(self.mapToScene(h['item'].pos()))
             #p1 = Point(pos + self.mapToScene(self.pressHandlePos) - self.mapToScene(self.pressPos))
-            snap = None
-            if self.translateSnap or (modifiers & QtCore.Qt.ControlModifier):
-                snap = Point(self.snapSize, self.snapSize)
+            snap = True if (modifiers & QtCore.Qt.ControlModifier) else None
+            #if self.translateSnap or ():
+                #snap = Point(self.snapSize, self.snapSize)
             self.translate(p1-p0, snap=snap, update=False)
         
         elif h['type'] == 'f':
@@ -404,6 +492,8 @@ class ROI(QtGui.QGraphicsObject):
             self.updateHandles()
         
         elif h['type'] in ['r', 'rf']:
+            if not self.rotateAllowed:
+                return
             ## If the handle is directly over its center point, we can't compute an angle.
             if lp1.length() == 0 or lp0.length() == 0:
                 return
@@ -555,11 +645,14 @@ class ROI(QtGui.QGraphicsObject):
         
    
     def translate(self, *args, **kargs):
-        """accepts either (x, y, snap) or ([x,y], snap) as arguments"""
-        if 'snap' not in kargs:
-            snap = None
-        else:
-            snap = kargs['snap']
+        """accepts either (x, y, snap) or ([x,y], snap) as arguments
+        
+        snap can be:
+           None (default): use self.translateSnap and self.snapSize to determine whether/how to snap
+           False:          do no snap
+           Point(w,h)      snap to rectangular grid with spacing (w,h)
+           True:           snap using self.snapSize (and ignoring self.translateSnap)
+        """
 
         if len(args) == 1:
             pt = args[0]
@@ -568,10 +661,16 @@ class ROI(QtGui.QGraphicsObject):
             
         newState = self.stateCopy()
         newState['pos'] = newState['pos'] + pt
-        if snap != None:
-            newState['pos'][0] = round(newState['pos'][0] / snap[0]) * snap[0]
-            newState['pos'][1] = round(newState['pos'][1] / snap[1]) * snap[1]
-            
+        
+        ## snap position
+        #snap = kargs.get('snap', None)
+        #if (snap is not False)   and   not (snap is None and self.translateSnap is False):
+        
+        snap = kargs.get('snap', None)
+        if snap is None:
+            snap = self.translateSnap
+        if snap is not False:
+            newState['pos'] = self.getSnapPosition(newState['pos'], snap=snap)
         
         #d = ev.scenePos() - self.mapToScene(self.pressPos)
         if self.maxBounds is not None:
@@ -601,14 +700,31 @@ class ROI(QtGui.QGraphicsObject):
         r = tr.mapRect(r)
         return r.adjusted(state['pos'][0], state['pos'][1], state['pos'][0], state['pos'][1])
     
+    
+    def getSnapPosition(self, pos, snap=None):
+        ## Given that pos has been requested, return the nearest snap-to position
+        ## optionally, snap may be passed in to specify a rectangular snap grid.
+        ## override this function for more interesting snap functionality..
+        
+        if snap is None or snap is True:
+            if self.snapSize is None:
+                return pos
+            snap = Point(self.snapSize, self.snapSize)
+        
+        return Point(
+            round(pos[0] / snap[0]) * snap[0],
+            round(pos[1] / snap[1]) * snap[1]
+        )
+    
+    
     def boundingRect(self):
-        return QtCore.QRectF(0, 0, self.state['size'][0], self.state['size'][1])
+        return QtCore.QRectF(0, 0, self.state['size'][0], self.state['size'][1]).normalized()
 
     def paint(self, p, opt, widget):
         p.save()
         r = self.boundingRect()
         p.setRenderHint(QtGui.QPainter.Antialiasing)
-        p.setPen(self.pen)
+        p.setPen(self.currentPen)
         p.translate(r.left(), r.top())
         p.scale(r.width(), r.height())
         p.drawRect(0, 0, 1, 1)
@@ -661,6 +777,9 @@ class ROI(QtGui.QGraphicsObject):
 
 
     def getArrayRegion(self, data, img, axes=(0,1)):
+        """Use the position of this ROI relative to an imageItem to pull a slice from an array."""
+        
+        
         shape = self.state['size']
         
         origin = self.mapToItem(img, QtCore.QPointF(0, 0))
@@ -671,7 +790,7 @@ class ROI(QtGui.QGraphicsObject):
         
         lvx = np.sqrt(vx.x()**2 + vx.y()**2)
         lvy = np.sqrt(vy.x()**2 + vy.y()**2)
-        pxLen = img.width() / data.shape[axes[0]]
+        pxLen = img.width() / float(data.shape[axes[0]])
         sx =  pxLen / lvx
         sy =  pxLen / lvy
         
@@ -831,7 +950,167 @@ class ROI(QtGui.QGraphicsObject):
         self.setState(st)
 
 
-class Handle(QtGui.QGraphicsItem):
+#class Handle(QtGui.QGraphicsItem):
+    
+    #types = {   ## defines number of sides, start angle for each handle type
+        #'t': (4, np.pi/4),
+        #'f': (4, np.pi/4), 
+        #'s': (4, 0),
+        #'r': (12, 0),
+        #'sr': (12, 0),
+        #'rf': (12, 0),
+    #}
+    
+    #def __init__(self, radius, typ=None, pen=(200, 200, 220), parent=None):
+        ##print "   create item with parent", parent
+        #self.bounds = QtCore.QRectF(-1e-10, -1e-10, 2e-10, 2e-10)
+        #QtGui.QGraphicsItem.__init__(self, parent)
+        #self.setFlags(self.flags()  | self.ItemIgnoresTransformations | self.ItemSendsScenePositionChanges)
+        #self.setZValue(11)
+        #self.roi = []
+        #self.radius = radius
+        #self.typ = typ
+        #self.pen = fn.mkPen(pen)
+        #self.currentPen = self.pen
+        #self.pen.setWidth(0)
+        #self.pen.setCosmetic(True)
+        #self.isMoving = False
+        #self.sides, self.startAng = self.types[typ]
+        #self.buildPath()
+        #self.updateShape()
+            
+    #def connectROI(self, roi, i):
+        #self.roi.append((roi, i))
+    
+    ##def boundingRect(self):
+        ##return self.bounds
+        
+
+    #def hoverEvent(self, ev):
+        #if (not ev.isExit()) and ev.acceptDrags(QtCore.Qt.LeftButton):
+            #self.currentPen = fn.mkPen(255, 0,0)
+        #else:
+            #self.currentPen = self.pen
+        #self.update()
+            
+
+
+    #def mouseClickEvent(self, ev):
+        ### right-click cancels drag
+        #if ev.button() == QtCore.Qt.RightButton and self.isMoving:
+            #self.isMoving = False  ## prevents any further motion
+            #for r in self.roi:
+                #r[0].cancelMove()
+            #ev.accept()
+        
+
+    #def mouseDragEvent(self, ev):
+        #if ev.button() != QtCore.Qt.LeftButton:
+            #return
+        #ev.accept()
+        
+        ### Inform ROIs that a drag is happening 
+        ###  note: the ROI is informed that the handle has moved using ROI.movePoint
+        ###  this is for other (more nefarious) purposes.
+        #for r in self.roi:
+            #r[0].pointDragEvent(r[1], ev)
+            
+        #if ev.isFinish():
+            #self.isMoving = False
+        #elif ev.isStart():
+            #self.isMoving = True
+            #self.cursorOffset = self.scenePos() - ev.buttonDownScenePos()
+            
+        #if self.isMoving:  ## note: isMoving may become False in mid-drag due to right-click.
+            #pos = ev.scenePos() + self.cursorOffset
+            #self.movePoint(pos, ev.modifiers())
+
+
+
+    #def movePoint(self, pos, modifiers=QtCore.Qt.KeyboardModifier()):
+        #for r in self.roi:
+            #if not r[0].checkPointMove(r[1], pos, modifiers):
+                #return
+        ##print "point moved; inform %d ROIs" % len(self.roi)
+        ## A handle can be used by multiple ROIs; tell each to update its handle position
+        #for r in self.roi:
+            #r[0].movePoint(r[1], pos, modifiers)
+        
+    #def buildPath(self):
+        #size = self.radius
+        #self.path = QtGui.QPainterPath()
+        #ang = self.startAng
+        #dt = 2*np.pi / self.sides
+        #for i in range(0, self.sides+1):
+            #x = size * cos(ang)
+            #y = size * sin(ang)
+            #ang += dt
+            #if i == 0:
+                #self.path.moveTo(x, y)
+            #else:
+                #self.path.lineTo(x, y)            
+            
+    #def paint(self, p, opt, widget):
+        #### determine rotation of transform
+        ##m = self.sceneTransform()
+        ###mi = m.inverted()[0]
+        ##v = m.map(QtCore.QPointF(1, 0)) - m.map(QtCore.QPointF(0, 0))
+        ##va = np.arctan2(v.y(), v.x())
+        
+        #### Determine length of unit vector in painter's coords
+        ###size = mi.map(Point(self.radius, self.radius)) - mi.map(Point(0, 0))
+        ###size = (size.x()*size.x() + size.y() * size.y()) ** 0.5
+        ##size = self.radius
+        
+        ##bounds = QtCore.QRectF(-size, -size, size*2, size*2)
+        ##if bounds != self.bounds:
+            ##self.bounds = bounds
+            ##self.prepareGeometryChange()
+        #p.setRenderHints(p.Antialiasing, True)
+        #p.setPen(self.currentPen)
+        
+        ##p.rotate(va * 180. / 3.1415926)
+        ##p.drawPath(self.path)        
+        #p.drawPath(self.shape())
+        
+        ##ang = self.startAng + va
+        ##dt = 2*np.pi / self.sides
+        ##for i in range(0, self.sides):
+            ##x1 = size * cos(ang)
+            ##y1 = size * sin(ang)
+            ##x2 = size * cos(ang+dt)
+            ##y2 = size * sin(ang+dt)
+            ##ang += dt
+            ##p.drawLine(Point(x1, y1), Point(x2, y2))
+            
+    #def shape(self):
+        #return self._shape
+    
+    #def boundingRect(self):
+        #return self.shape().boundingRect()
+            
+    #def updateShape(self):
+        ### determine rotation of transform
+        #m = self.sceneTransform()
+        ##mi = m.inverted()[0]
+        #v = m.map(QtCore.QPointF(1, 0)) - m.map(QtCore.QPointF(0, 0))
+        #va = np.arctan2(v.y(), v.x())
+        
+        #tr = QtGui.QTransform()
+        #tr.rotate(va * 180. / 3.1415926)
+        ##tr.scale(self.radius, self.radius)
+        #self._shape = tr.map(self.path)
+        #self.prepareGeometryChange()
+        
+        
+        
+    #def itemChange(self, change, value):
+        #ret = QtGui.QGraphicsItem.itemChange(self, change, value)
+        #if change == self.ItemScenePositionHasChanged:
+            #self.updateShape()
+        #return ret
+
+class Handle(UIGraphicsItem):
     
     types = {   ## defines number of sides, start angle for each handle type
         't': (4, np.pi/4),
@@ -842,69 +1121,73 @@ class Handle(QtGui.QGraphicsItem):
         'rf': (12, 0),
     }
     
-    def __init__(self, radius, typ=None, pen=QtGui.QPen(QtGui.QColor(200, 200, 220)), parent=None):
+    def __init__(self, radius, typ=None, pen=(200, 200, 220), parent=None):
         #print "   create item with parent", parent
-        self.bounds = QtCore.QRectF(-1e-10, -1e-10, 2e-10, 2e-10)
-        QtGui.QGraphicsItem.__init__(self, parent)
-        self.setFlag(self.ItemIgnoresTransformations)
-        self.setZValue(11)
+        #self.bounds = QtCore.QRectF(-1e-10, -1e-10, 2e-10, 2e-10)
+        #self.setFlags(self.ItemIgnoresTransformations | self.ItemSendsScenePositionChanges)
         self.roi = []
         self.radius = radius
         self.typ = typ
-        self.prepareGeometryChange()
-        self.pen = pen
+        self.pen = fn.mkPen(pen)
+        self.currentPen = self.pen
         self.pen.setWidth(0)
         self.pen.setCosmetic(True)
         self.isMoving = False
         self.sides, self.startAng = self.types[typ]
         self.buildPath()
+        self._shape = None
+        
+        UIGraphicsItem.__init__(self, parent=parent)
+        #self.updateShape()
+        self.setZValue(11)
             
     def connectROI(self, roi, i):
         self.roi.append((roi, i))
     
-    def boundingRect(self):
-        return self.bounds
-        
-    def mousePressEvent(self, ev):
-        # Bug: sometimes we get events not meant for us!
-        p = ev.pos()
-        if not self.isMoving and not self.path.contains(p):
-            ev.ignore()
-            return        
-        
-        #print "handle press"
-        if ev.button() == QtCore.Qt.LeftButton:
-            self.isMoving = True
-            self.cursorOffset = self.scenePos() - ev.scenePos()
-            for r in self.roi:
-                r[0].pointPressEvent(r[1], ev)
-            #print "  accepted."
-            ev.accept()
-        elif ev.button() == QtCore.Qt.RightButton:
-            if self.isMoving:
-                self.isMoving = False  ## prevents any further motion
-                for r in self.roi:
-                    r[0].cancelMove()
-                ev.accept()
-            else:
-                ev.ignore()
+    #def boundingRect(self):
+        #return self.bounds
+
+    def hoverEvent(self, ev):
+        if (not ev.isExit()) and ev.acceptDrags(QtCore.Qt.LeftButton):
+            self.currentPen = fn.mkPen(255, 255,0)
         else:
-            ev.ignore()
+            self.currentPen = self.pen
+        self.update()
             
+
+
+    def mouseClickEvent(self, ev):
+        ## right-click cancels drag
+        if ev.button() == QtCore.Qt.RightButton and self.isMoving:
+            self.isMoving = False  ## prevents any further motion
+            for r in self.roi:
+                r[0].cancelMove()
+            ev.accept()
         
-    def mouseReleaseEvent(self, ev):
-        #print "release"
-        if ev.button() == QtCore.Qt.LeftButton:
+
+    def mouseDragEvent(self, ev):
+        if ev.button() != QtCore.Qt.LeftButton:
+            return
+        ev.accept()
+        
+        ## Inform ROIs that a drag is happening 
+        ##  note: the ROI is informed that the handle has moved using ROI.movePoint
+        ##  this is for other (more nefarious) purposes.
+        for r in self.roi:
+            r[0].pointDragEvent(r[1], ev)
+            
+        if ev.isFinish():
             self.isMoving = False
-            for r in self.roi:
-                r[0].pointReleaseEvent(r[1], ev)
-                
-    def mouseMoveEvent(self, ev):
-        #print "handle mouseMove", ev.pos()
-        if self.isMoving and ev.buttons() == QtCore.Qt.LeftButton:
+        elif ev.isStart():
+            self.isMoving = True
+            self.cursorOffset = self.scenePos() - ev.buttonDownScenePos()
+            
+        if self.isMoving:  ## note: isMoving may become False in mid-drag due to right-click.
             pos = ev.scenePos() + self.cursorOffset
             self.movePoint(pos, ev.modifiers())
-        
+
+
+
     def movePoint(self, pos, modifiers=QtCore.Qt.KeyboardModifier()):
         for r in self.roi:
             if not r[0].checkPointMove(r[1], pos, modifiers):
@@ -929,27 +1212,27 @@ class Handle(QtGui.QGraphicsItem):
                 self.path.lineTo(x, y)            
             
     def paint(self, p, opt, widget):
-        ## determine rotation of transform
-        m = self.sceneTransform()
-        #mi = m.inverted()[0]
-        v = m.map(QtCore.QPointF(1, 0)) - m.map(QtCore.QPointF(0, 0))
-        va = np.arctan2(v.y(), v.x())
-        
-        ## Determine length of unit vector in painter's coords
-        #size = mi.map(Point(self.radius, self.radius)) - mi.map(Point(0, 0))
-        #size = (size.x()*size.x() + size.y() * size.y()) ** 0.5
-        size = self.radius
-        
-        bounds = QtCore.QRectF(-size, -size, size*2, size*2)
-        if bounds != self.bounds:
-            self.bounds = bounds
-            self.prepareGeometryChange()
+        ### determine rotation of transform
+        #m = self.sceneTransform()
+        ##mi = m.inverted()[0]
+        #v = m.map(QtCore.QPointF(1, 0)) - m.map(QtCore.QPointF(0, 0))
+        #va = np.arctan2(v.y(), v.x())
+        
+        ### Determine length of unit vector in painter's coords
+        ##size = mi.map(Point(self.radius, self.radius)) - mi.map(Point(0, 0))
+        ##size = (size.x()*size.x() + size.y() * size.y()) ** 0.5
+        #size = self.radius
+        
+        #bounds = QtCore.QRectF(-size, -size, size*2, size*2)
+        #if bounds != self.bounds:
+            #self.bounds = bounds
+            #self.prepareGeometryChange()
         p.setRenderHints(p.Antialiasing, True)
-        p.setPen(self.pen)
-        
-        p.rotate(va * 180. / 3.1415926)
-        p.drawPath(self.path)        
+        p.setPen(self.currentPen)
         
+        #p.rotate(va * 180. / 3.1415926)
+        #p.drawPath(self.path)        
+        p.drawPath(self.shape())
         #ang = self.startAng + va
         #dt = 2*np.pi / self.sides
         #for i in range(0, self.sides):
@@ -959,9 +1242,49 @@ class Handle(QtGui.QGraphicsItem):
             #y2 = size * sin(ang+dt)
             #ang += dt
             #p.drawLine(Point(x1, y1), Point(x2, y2))
+            
+    def shape(self):
+        if self._shape is None:
+            s = self.generateShape()
+            if s is None:
+                return self.shape
+            self._shape = s
+            self.prepareGeometryChange()
+        return self._shape
+    
+    def boundingRect(self):
+        return self.shape().boundingRect()
+            
+    def generateShape(self):
+        ## determine rotation of transform
+        #m = self.sceneTransform()  ## Qt bug: do not access sceneTransform() until we know this object has a scene.
+        #mi = m.inverted()[0]
         
-
-
+        dt = self.deviceTransform()
+        
+        if dt is None:
+            self._shape = self.path
+            return None
+        
+        v = dt.map(QtCore.QPointF(1, 0)) - dt.map(QtCore.QPointF(0, 0))
+        va = np.arctan2(v.y(), v.x())
+        
+        dti = dt.inverted()[0]
+        devPos = dt.map(QtCore.QPointF(0,0))
+        tr = QtGui.QTransform()
+        tr.translate(devPos.x(), devPos.y())
+        tr.rotate(va * 180. / 3.1415926)
+        
+        return dti.map(tr.map(self.path))
+        
+        
+    def viewChangedEvent(self):
+        self._shape = None  ## invalidate shape, recompute later if requested.
+        #self.updateShape()
+        
+    #def itemChange(self, change, value):
+        #if change == self.ItemScenePositionHasChanged:
+            #self.updateShape()
 
 
 class TestROI(ROI):
@@ -1070,17 +1393,25 @@ class MultiLineROI(QtGui.QGraphicsObject):
         self.sigRegionChangeFinished.emit(self)
         
             
-    def getArrayRegion(self, arr, img=None):
+    def getArrayRegion(self, arr, img=None, axes=(0,1)):
         rgns = []
         for l in self.lines:
-            rgn = l.getArrayRegion(arr, img)
+            rgn = l.getArrayRegion(arr, img, axes=axes)
             if rgn is None:
                 continue
                 #return None
             rgns.append(rgn)
             #print l.state['size']
-        #print [(r.shape) for r in rgns]
-        return np.vstack(rgns)
+            
+        ## make sure orthogonal axis is the same size
+        ## (sometimes fp errors cause differences)
+        ms = min([r.shape[axes[1]] for r in rgns])
+        sl = [slice(None)] * rgns[0].ndim
+        sl[axes[1]] = slice(0,ms)
+        rgns = [r[sl] for r in rgns]
+        #print [r.shape for r in rgns], axes
+        
+        return np.concatenate(rgns, axis=axes[0])
         
         
 class EllipseROI(ROI):
@@ -1093,7 +1424,7 @@ class EllipseROI(ROI):
     def paint(self, p, opt, widget):
         r = self.boundingRect()
         p.setRenderHint(QtGui.QPainter.Antialiasing)
-        p.setPen(self.pen)
+        p.setPen(self.currentPen)
         
         p.scale(r.width(), r.height())## workaround for GL bug
         r = QtCore.QRectF(r.x()/r.width(), r.y()/r.height(), 1,1)
@@ -1145,7 +1476,7 @@ class PolygonROI(ROI):
             
     def paint(self, p, *args):
         p.setRenderHint(QtGui.QPainter.Antialiasing)
-        p.setPen(self.pen)
+        p.setPen(self.currentPen)
         for i in range(len(self.handles)):
             h1 = self.handles[i]['item'].pos()
             h2 = self.handles[i-1]['item'].pos()
@@ -1174,6 +1505,9 @@ class PolygonROI(ROI):
 
 
 class LineSegmentROI(ROI):
+    """
+    ROI subclass with two or more freely-moving handles connecting lines.
+    """
     def __init__(self, positions, pos=None, **args):
         if pos is None:
             pos = [0,0]
@@ -1194,10 +1528,10 @@ class LineSegmentROI(ROI):
             
     def paint(self, p, *args):
         p.setRenderHint(QtGui.QPainter.Antialiasing)
-        p.setPen(self.pen)
+        p.setPen(self.currentPen)
         for i in range(len(self.handles)-1):
             h1 = self.handles[i]['item'].pos()
-            h2 = self.handles[i-1]['item'].pos()
+            h2 = self.handles[i+1]['item'].pos()
             p.drawLine(h1, h2)
         
     def boundingRect(self):
@@ -1221,6 +1555,47 @@ class LineSegmentROI(ROI):
         #sc['handles'] = self.handles
         return sc
 
+    def getArrayRegion(self, data, img, axes=(0,1)):
+        """
+        Use the position of this ROI relative to an imageItem to pull a slice from an array.
+        Since this pulls 1D data from a 2D coordinate system, the return value will have ndim = data.ndim-1
+        """
+        
+        
+        #shape = self.state['size']
+        
+        #origin = self.mapToItem(img, QtCore.QPointF(0, 0))
+        
+        ## vx and vy point in the directions of the slice axes, but must be scaled properly
+        #vx = self.mapToItem(img, QtCore.QPointF(1, 0)) - origin
+        #vy = self.mapToItem(img, QtCore.QPointF(0, 1)) - origin
+        
+        imgPts = [self.mapToItem(img, h['item'].pos()) for h in self.handles]
+        rgns = []
+        for i in range(len(imgPts)-1):
+            d = Point(imgPts[i+1] - imgPts[i])
+            o = Point(imgPts[i])
+            r = fn.affineSlice(data, shape=(int(d.length()),), vectors=[d.norm()], origin=o, axes=axes, order=1)
+            rgns.append(r)
+            
+        return np.concatenate(rgns, axis=axes[0])
+        
+        
+        #lvx = np.sqrt(vx.x()**2 + vx.y()**2)
+        #lvy = np.sqrt(vy.x()**2 + vy.y()**2)
+        #pxLen = img.width() / float(data.shape[axes[0]])
+        #sx =  pxLen / lvx
+        #sy =  pxLen / lvy
+        
+        #vectors = ((vx.x()*sx, vx.y()*sx), (vy.x()*sy, vy.y()*sy))
+        #shape = self.state['size']
+        #shape = [abs(shape[0]/sx), abs(shape[1]/sy)]
+        
+        #origin = (origin.x(), origin.y())
+        
+        ##print "shape", shape, "vectors", vectors, "origin", origin
+        
+        #return fn.affineSlice(data, shape=shape, vectors=vectors, origin=origin, axes=axes, order=1)
 
 
 class SpiralROI(ROI):
@@ -1288,7 +1663,7 @@ class SpiralROI(ROI):
     def paint(self, p, *args):
         p.setRenderHint(QtGui.QPainter.Antialiasing)
         #path = self.shape()
-        p.setPen(self.pen)
+        p.setPen(self.currentPen)
         p.drawPath(self.path)
         p.setPen(QtGui.QPen(QtGui.QColor(255,0,0)))
         p.drawPath(self.shape())
diff --git a/graphicsItems/ScaleBar.py b/graphicsItems/ScaleBar.py
new file mode 100644
index 0000000000000000000000000000000000000000..be84f822a138e0e293349a31fee44bdaf0696f43
--- /dev/null
+++ b/graphicsItems/ScaleBar.py
@@ -0,0 +1,50 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from UIGraphicsItem import *
+import numpy as np
+import pyqtgraph.functions as fn
+
+__all__ = ['ScaleBar']
+class ScaleBar(UIGraphicsItem):
+    """
+    Displays a rectangular bar with 10 divisions to indicate the relative scale of objects on the view.
+    """
+    def __init__(self, size, width=5, color=(100, 100, 255)):
+        UIGraphicsItem.__init__(self)
+        self.setAcceptedMouseButtons(QtCore.Qt.NoButton)
+        
+        self.brush = fn.mkBrush(color)
+        self.pen = fn.mkPen((0,0,0))
+        self._width = width
+        self.size = size
+        
+    def paint(self, p, opt, widget):
+        UIGraphicsItem.paint(self, p, opt, widget)
+        
+        rect = self.boundingRect()
+        unit = self.pixelSize()
+        y = rect.bottom() + (rect.top()-rect.bottom()) * 0.02
+        y1 = y + unit[1]*self._width
+        x = rect.right() + (rect.left()-rect.right()) * 0.02
+        x1 = x - self.size
+        
+        p.setPen(self.pen)
+        p.setBrush(self.brush)
+        rect = QtCore.QRectF(
+            QtCore.QPointF(x1, y1), 
+            QtCore.QPointF(x, y)
+        )
+        p.translate(x1, y1)
+        p.scale(rect.width(), rect.height())
+        p.drawRect(0, 0, 1, 1)
+        
+        alpha = np.clip(((self.size/unit[0]) - 40.) * 255. / 80., 0, 255)
+        p.setPen(QtGui.QPen(QtGui.QColor(0, 0, 0, alpha)))
+        for i in range(1, 10):
+            #x2 = x + (x1-x) * 0.1 * i
+            x2 = 0.1 * i
+            p.drawLine(QtCore.QPointF(x2, 0), QtCore.QPointF(x2, 1))
+        
+
+    def setSize(self, s):
+        self.size = s
+        
diff --git a/graphicsItems/ScatterPlotItem.py b/graphicsItems/ScatterPlotItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..85427eb45d91fdb0ef4373a4c095aded59ce342c
--- /dev/null
+++ b/graphicsItems/ScatterPlotItem.py
@@ -0,0 +1,377 @@
+from pyqtgraph.Qt import QtGui, QtCore
+from pyqtgraph.Point import Point
+import pyqtgraph.functions as fn
+from GraphicsObject import GraphicsObject
+
+__all__ = ['ScatterPlotItem', 'SpotItem']
+class ScatterPlotItem(GraphicsObject):
+    
+    #sigPointClicked = QtCore.Signal(object, object)
+    sigClicked = QtCore.Signal(object, object)  ## self, points
+    sigPlotChanged = QtCore.Signal(object)
+    
+    def __init__(self, spots=None, x=None, y=None, pxMode=True, pen='default', brush='default', size=7, 
+        symbol=None, identical=False, data=None):
+            
+        """
+        Arguments:
+            spots: list of dicts. Each dict specifies parameters for a single spot:
+                   {'pos': (x,y), 'size', 'pen', 'brush', 'symbol'}
+            x,y: array of x,y values. Alternatively, specify spots['pos'] = (x,y)
+            pxMode: If True, spots are always the same size regardless of scaling, and size is given in px.
+                    Otherwise, size is in scene coordinates and the spots scale with the view.
+            identical: If True, all spots are forced to look identical. 
+                       This can result in performance enhancement.
+                       
+            symbol can be one of:
+                'o'  circle
+                's'  square
+                't'  triangle
+                'd'  diamond
+                '+'  plus
+        """
+        
+        
+        GraphicsObject.__init__(self)
+        self.spots = []
+        self.range = [[0,0], [0,0]]
+        self.identical = identical
+        self._spotPixmap = None
+        
+        if brush == 'default':
+            self.brush = QtGui.QBrush(QtGui.QColor(100, 100, 150))
+        else:
+            self.brush = fn.mkBrush(brush)
+        
+        if pen == 'default':
+            self.pen = QtGui.QPen(QtGui.QColor(200, 200, 200))
+        else:
+            self.pen = fn.mkPen(pen)
+        
+        self.symbol = symbol
+        self.size = size
+        
+        self.pxMode = pxMode
+        if spots is not None or x is not None:
+            self.setPoints(spots, x, y, data)
+            
+        #self.optimize = optimize
+        #if optimize:
+            #self.spotImage = QtGui.QImage(size, size, QtGui.QImage.Format_ARGB32_Premultiplied)
+            #self.spotImage.fill(0)
+            #p = QtGui.QPainter(self.spotImage)
+            #p.setRenderHint(p.Antialiasing)
+            #p.setBrush(brush)
+            #p.setPen(pen)
+            #p.drawEllipse(0, 0, size, size)
+            #p.end()
+            #self.optimizePixmap = QtGui.QPixmap(self.spotImage)
+            #self.optimizeFragments = []
+            #self.setFlags(self.flags() | self.ItemIgnoresTransformations)
+            
+    def implements(self, interface=None):
+        ints = ['plotData']
+        if interface is None:
+            return ints
+        return interface in ints
+    
+    def setPxMode(self, mode):
+        self.pxMode = mode
+            
+    def clear(self):
+        for i in self.spots:
+            i.setParentItem(None)
+            s = i.scene()
+            if s is not None:
+                s.removeItem(i)
+        self.spots = []
+        
+
+    def getRange(self, ax, percent):
+        return self.range[ax]
+        
+    def setPoints(self, spots=None, x=None, y=None, data=None):
+        """
+        Remove all existing points in the scatter plot and add a new set.
+        Arguments:
+            spots - list of dicts specifying parameters for each spot
+                    [ {'pos': (x,y), 'pen': 'r', ...}, ...]
+            x, y -  arrays specifying location of spots to add. 
+                    all other parameters (pen, symbol, etc.) will be set to the default
+                    values for this scatter plot.
+                    these arguments are IGNORED if 'spots' is specified
+            data -  list of arbitrary objects to be assigned to spot.data for each spot
+                    (this is useful for identifying spots that are clicked on)
+        """
+        self.clear()
+        self.range = [[0,0],[0,0]]
+        self.addPoints(spots, x, y, data)
+
+    def addPoints(self, spots=None, x=None, y=None, data=None):
+        xmn = ymn = xmx = ymx = None
+        if spots is not None:
+            n = len(spots)
+        else:
+            n = len(x)
+        
+        for i in range(n):
+            if spots is not None:
+                s = spots[i]
+                pos = Point(s['pos'])
+            else:
+                s = {}
+                pos = Point(x[i], y[i])
+            if data is not None:
+                s['data'] = data[i]
+                
+            size = s.get('size', self.size)
+            if self.pxMode:
+                psize = 0
+            else:
+                psize = size
+            if xmn is None:
+                xmn = pos[0]-psize
+                xmx = pos[0]+psize
+                ymn = pos[1]-psize
+                ymx = pos[1]+psize
+            else:
+                xmn = min(xmn, pos[0]-psize)
+                xmx = max(xmx, pos[0]+psize)
+                ymn = min(ymn, pos[1]-psize)
+                ymx = max(ymx, pos[1]+psize)
+            #print pos, xmn, xmx, ymn, ymx
+            brush = s.get('brush', self.brush)
+            pen = s.get('pen', self.pen)
+            pen.setCosmetic(True)
+            symbol = s.get('symbol', self.symbol)
+            data2 = s.get('data', None)
+            item = self.mkSpot(pos, size, self.pxMode, brush, pen, data2, symbol=symbol, index=len(self.spots))
+            self.spots.append(item)
+            #if self.optimize:
+                #item.hide()
+                #frag = QtGui.QPainter.PixmapFragment.create(pos, QtCore.QRectF(0, 0, size, size))
+                #self.optimizeFragments.append(frag)
+        self.range = [[xmn, xmx], [ymn, ymx]]
+        
+    #def setPointSize(self, size):
+        #for s in self.spots:
+            #s.size = size
+        ##self.setPoints([{'size':s.size, 'pos':s.pos(), 'data':s.data} for s in self.spots])
+        #self.setPoints()
+                
+    #def paint(self, p, *args):
+        #if not self.optimize:
+            #return
+        ##p.setClipRegion(self.boundingRect())
+        #p.drawPixmapFragments(self.optimizeFragments, self.optimizePixmap)
+
+    def paint(self, *args):
+        pass
+
+    def spotPixmap(self):
+        ## If all spots are identical, return the pixmap to use for all spots
+        ## Otherwise return None
+        
+        if not self.identical:
+            return None
+        if self._spotPixmap is None:
+            #print 'spotPixmap'
+            spot = SpotItem(size=self.size, pxMode=True, brush=self.brush, pen=self.pen, symbol=self.symbol)
+            #self._spotPixmap = PixmapSpotItem.makeSpotImage(self.size, self.pen, self.brush, self.symbol)
+            self._spotPixmap = spot.pixmap
+        return self._spotPixmap
+
+    def mkSpot(self, pos, size, pxMode, brush, pen, data, symbol=None, index=None):
+        ## Make and return a SpotItem (or PixmapSpotItem if in pxMode)
+        
+        brush = fn.mkBrush(brush)
+        pen = fn.mkPen(pen)
+        if pxMode:
+            img = self.spotPixmap()  ## returns None if not using identical mode
+            #item = PixmapSpotItem(size, brush, pen, data, image=img, symbol=symbol, index=index)
+            item = SpotItem(size, pxMode, brush, pen, data, symbol=symbol, image=img, index=index)
+        else:
+            item = SpotItem(size, pxMode, brush, pen, data, symbol=symbol, index=index)
+        item.setParentItem(self)
+        item.setPos(pos)
+        #item.sigClicked.connect(self.pointClicked)
+        return item
+        
+    def boundingRect(self):
+        ((xmn, xmx), (ymn, ymx)) = self.range
+        if xmn is None or xmx is None or ymn is None or ymx is None:
+            return QtCore.QRectF()
+        return QtCore.QRectF(xmn, ymn, xmx-xmn, ymx-ymn)
+        #return QtCore.QRectF(xmn-1, ymn-1, xmx-xmn+2, ymx-ymn+2)
+        
+    #def pointClicked(self, point):
+        #self.sigPointClicked.emit(self, point)
+
+    def points(self):
+        return self.spots[:]
+
+    def pointsAt(self, pos):
+        x = pos.x()
+        y = pos.y()
+        pw = self.pixelWidth()
+        ph = self.pixelHeight()
+        pts = []
+        for s in self.spots:
+            sp = s.pos()
+            ss = s.size
+            sx = sp.x()
+            sy = sp.y()
+            s2x = s2y = ss * 0.5
+            if self.pxMode:
+                s2x *= pw
+                s2y *= ph
+            if x > sx-s2x and x < sx+s2x and y > sy-s2y and y < sy+s2y:
+                pts.append(s)
+                #print "HIT:", x, y, sx, sy, s2x, s2y
+            #else:
+                #print "No hit:", (x, y), (sx, sy)
+                #print "       ", (sx-s2x, sy-s2y), (sx+s2x, sy+s2y)
+        pts.sort(lambda a,b: cmp(b.zValue(), a.zValue()))
+        return pts
+            
+
+    #def mousePressEvent(self, ev):
+        #QtGui.QGraphicsItem.mousePressEvent(self, ev)
+        #if ev.button() == QtCore.Qt.LeftButton:
+            #pts = self.pointsAt(ev.pos())
+            #if len(pts) > 0:
+                #self.mouseMoved = False
+                #self.ptsClicked = pts
+                #ev.accept()
+            #else:
+                ##print "no spots"
+                #ev.ignore()
+        #else:
+            #ev.ignore()
+        
+    #def mouseMoveEvent(self, ev):
+        #QtGui.QGraphicsItem.mouseMoveEvent(self, ev)
+        #self.mouseMoved = True
+        #pass
+    
+    #def mouseReleaseEvent(self, ev):
+        #QtGui.QGraphicsItem.mouseReleaseEvent(self, ev)
+        #if not self.mouseMoved:
+            #self.sigClicked.emit(self, self.ptsClicked)
+
+    def mouseClickEvent(self, ev):
+        if ev.button() == QtCore.Qt.LeftButton:
+            pts = self.pointsAt(ev.pos())
+            if len(pts) > 0:
+                self.ptsClicked = pts
+                self.sigClicked.emit(self, self.ptsClicked)
+                ev.accept()
+            else:
+                #print "no spots"
+                ev.ignore()
+        else:
+            ev.ignore()
+
+
+
+class SpotItem(GraphicsObject):
+    #sigClicked = QtCore.Signal(object)
+    
+    def __init__(self, size, pxMode, brush, pen, data=None, symbol=None, image=None, index=None):
+        GraphicsObject.__init__(self)
+        self.pxMode = pxMode
+
+        if symbol is None:
+            symbol = 'o'    ## circle by default
+        elif isinstance(symbol, int):  ## allow symbols specified by integer for easy iteration
+            symbol = ['o', 's', 't', 'd', '+'][symbol]
+        ####print 'SpotItem symbol: ', symbol
+        self.data = data
+        self.pen = pen
+        self.brush = brush
+        self.size = size
+        self.index = index
+        self.symbol = symbol
+        #s2 = size/2.
+        self.path = QtGui.QPainterPath()
+        if symbol == 'o':
+            self.path.addEllipse(QtCore.QRectF(-0.5, -0.5, 1, 1))
+        elif symbol == 's':
+            self.path.addRect(QtCore.QRectF(-0.5, -0.5, 1, 1))
+        elif symbol is 't' or symbol is '^':
+            self.path.moveTo(-0.5, -0.5)
+            self.path.lineTo(0, 0.5)
+            self.path.lineTo(0.5, -0.5)
+            self.path.closeSubpath()
+            #self.path.connectPath(self.path)
+        elif symbol == 'd':
+            self.path.moveTo(0., -0.5)
+            self.path.lineTo(-0.4, 0.)
+            self.path.lineTo(0, 0.5)
+            self.path.lineTo(0.4, 0)
+            self.path.closeSubpath()
+            #self.path.connectPath(self.path)
+        elif symbol == '+':
+            self.path.moveTo(-0.5, -0.01)
+            self.path.lineTo(-0.5, 0.01)
+            self.path.lineTo(-0.01, 0.01)
+            self.path.lineTo(-0.01, 0.5)
+            self.path.lineTo(0.01, 0.5)
+            self.path.lineTo(0.01, 0.01)
+            self.path.lineTo(0.5, 0.01)
+            self.path.lineTo(0.5, -0.01)
+            self.path.lineTo(0.01, -0.01)
+            self.path.lineTo(0.01, -0.5)
+            self.path.lineTo(-0.01, -0.5)
+            self.path.lineTo(-0.01, -0.01)
+            self.path.closeSubpath()
+            #self.path.connectPath(self.path)
+        #elif symbol == 'x':
+        else:
+            raise Exception("Unknown spot symbol '%s'" % symbol)
+            #self.path.addEllipse(QtCore.QRectF(-0.5, -0.5, 1, 1))
+        
+        if pxMode:
+            ## pre-render an image of the spot and display this rather than redrawing every time.
+            if image is None:
+                self.pixmap = self.makeSpotImage(size, pen, brush, symbol)
+            else:
+                self.pixmap = image ## image is already provided (probably shared with other spots)
+            self.setFlags(self.flags() | self.ItemIgnoresTransformations | self.ItemHasNoContents)
+            self.pi = QtGui.QGraphicsPixmapItem(self.pixmap, self)
+            self.pi.setPos(-0.5*size, -0.5*size)
+        else:
+            self.scale(size, size)
+
+
+    def makeSpotImage(self, size, pen, brush, symbol=None):
+        self.spotImage = QtGui.QImage(size+2, size+2, QtGui.QImage.Format_ARGB32_Premultiplied)
+        self.spotImage.fill(0)
+        p = QtGui.QPainter(self.spotImage)
+        p.setRenderHint(p.Antialiasing)
+        p.translate(size*0.5+1, size*0.5+1)
+        p.scale(size, size)
+        self.paint(p, None, None)
+        p.end()
+        return QtGui.QPixmap(self.spotImage)
+
+
+    def setBrush(self, brush):
+        self.brush = fn.mkBrush(brush)
+        self.update()
+        
+    def setPen(self, pen):
+        self.pen = fn.mkPen(pen)
+        self.update()
+        
+    def boundingRect(self):
+        return self.path.boundingRect()
+        
+    def shape(self):
+        return self.path
+        
+    def paint(self, p, *opts):
+        p.setPen(self.pen)
+        p.setBrush(self.brush)
+        p.drawPath(self.path)
+        
diff --git a/graphicsItems/UIGraphicsItem.py b/graphicsItems/UIGraphicsItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..e1cce7ed0260b6c3565f1d37f5d4390bfb9b9f7a
--- /dev/null
+++ b/graphicsItems/UIGraphicsItem.py
@@ -0,0 +1,127 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import weakref
+from GraphicsObject import GraphicsObject
+
+__all__ = ['UIGraphicsItem']
+class UIGraphicsItem(GraphicsObject):
+    """Base class for graphics items with boundaries relative to a GraphicsView or ViewBox.
+    The purpose of this class is to allow the creation of GraphicsItems which live inside 
+    a scalable view, but whose boundaries will always stay fixed relative to the view's boundaries.
+    For example: GridItem, InfiniteLine
+    
+    The view can be specified on initialization or it can be automatically detected when the item is painted.
+    
+    NOTE: Only the item's boundingRect is affected; the item is not transformed in any way. Use viewRangeChanged
+    to respond to changes in the view.
+    """
+    
+    #sigViewChanged = QtCore.Signal(object)  ## emitted whenever the viewport coords have changed
+    
+    def __init__(self, bounds=None, parent=None):
+        """
+        Initialization Arguments:
+            #view: The view box whose bounds will be used as a reference vor this item's bounds
+            bounds: QRectF with coordinates relative to view box. The default is QRectF(0,0,1,1),
+                    which means the item will have the same bounds as the view.
+        """
+        GraphicsObject.__init__(self, parent)
+        self.setFlag(self.ItemSendsScenePositionChanges)
+        self._connectedView = None
+            
+        if bounds is None:
+            self._bounds = QtCore.QRectF(0, 0, 1, 1)
+        else:
+            self._bounds = bounds
+            
+        self._boundingRect = None
+        self.updateView()
+        
+    def paint(self, *args):
+        ## check for a new view object every time we paint.
+        #self.updateView()
+        pass
+    
+    def itemChange(self, change, value):
+        ret = GraphicsObject.itemChange(self, change, value)
+        if change == self.ItemParentHasChanged or change == self.ItemSceneHasChanged:
+            #print "caught parent/scene change:", self.parentItem(), self.scene()
+            self.updateView()
+        elif change == self.ItemScenePositionHasChanged:
+            self.setNewBounds()
+        return ret
+    
+    def updateView(self):
+        ## called to see whether this item has a new view to connect to
+        
+        ## check for this item's current viewbox or view widget
+        view = self.getViewBox()
+        if view is None:
+            #print "  no view"
+            return
+            
+        if self._connectedView is not None and view is self._connectedView():
+            #print "  already have view", view
+            return
+            
+        ## disconnect from previous view
+        if self._connectedView is not None:
+            cv = self._connectedView()
+            if cv is not None:
+                #print "disconnect:", self
+                cv.sigRangeChanged.disconnect(self.viewRangeChanged)
+            
+        ## connect to new view
+        #print "connect:", self
+        view.sigRangeChanged.connect(self.viewRangeChanged)
+        self._connectedView = weakref.ref(view)
+        self.setNewBounds()
+        
+    def boundingRect(self):
+        if self._boundingRect is None:
+            br = self.viewRect()
+            if br is None:
+                return QtCore.QRectF()
+            else:
+                self._boundingRect = br
+        return QtCore.QRectF(self._boundingRect)
+    
+    def dataBounds(self, axis, frac=1.0):
+        """Called by ViewBox for determining the auto-range bounds.
+        By default, UIGraphicsItems are excluded from autoRange."""
+        return None
+
+    def viewRangeChanged(self):
+        """Called when the view widget/viewbox is resized/rescaled"""
+        self.setNewBounds()
+        self.update()
+        
+    def setNewBounds(self):
+        """Update the item's bounding rect to match the viewport"""
+        self._boundingRect = None  ## invalidate bounding rect, regenerate later if needed.
+        self.prepareGeometryChange()
+        self.viewChangedEvent()
+
+
+    def viewChangedEvent(self):
+        """
+        Called whenever the view coordinates have changed.
+        This is a good method to override if you want to respond to change of coordinates.
+        """
+        pass
+
+
+    def setPos(self, *args):
+        GraphicsObject.setPos(self, *args)
+        self.setNewBounds()
+        
+    def mouseShape(self):
+        """Return the shape of this item after expanding by 2 pixels"""
+        shape = self.shape()
+        ds = self.mapToDevice(shape)
+        stroker = QtGui.QPainterPathStroker()
+        stroker.setWidh(2)
+        ds2 = stroker.createStroke(ds).united(ds)
+        return self.mapFromDevice(ds2)
+        
+        
+        
\ No newline at end of file
diff --git a/graphicsItems/VTickGroup.py b/graphicsItems/VTickGroup.py
new file mode 100644
index 0000000000000000000000000000000000000000..214c57b0b787f9aafd1efee78e65358b72ad8d95
--- /dev/null
+++ b/graphicsItems/VTickGroup.py
@@ -0,0 +1,154 @@
+if __name__ == '__main__':
+    import os, sys
+    path = os.path.abspath(os.path.dirname(__file__))
+    sys.path.insert(0, os.path.join(path, '..', '..'))
+
+from pyqtgraph.Qt import QtGui, QtCore
+import pyqtgraph.functions as fn
+import weakref
+from UIGraphicsItem import UIGraphicsItem
+
+__all__ = ['VTickGroup']
+class VTickGroup(UIGraphicsItem):
+    """
+    Draws a set of tick marks which always occupy the same vertical range of the view,
+    but have x coordinates relative to the data within the view.
+    
+    """
+    def __init__(self, xvals=None, yrange=None, pen=None):
+        
+        if yrange is None:
+            yrange = [0, 1]
+        if xvals is None:
+            xvals = []
+            
+        #bounds = QtCore.QRectF(0, yrange[0], 1, yrange[1]-yrange[0])
+        UIGraphicsItem.__init__(self)#, bounds=bounds)
+            
+        if pen is None:
+            pen = (200, 200, 200)
+            
+        self.path = QtGui.QGraphicsPathItem()
+        
+        self.ticks = []
+        self.xvals = []
+        #if view is None:
+            #self.view = None
+        #else:
+            #self.view = weakref.ref(view)
+        self.yrange = [0,1]
+        self.setPen(pen)
+        self.setYRange(yrange)
+        self.setXVals(xvals)
+        #self.valid = False
+        
+    def setPen(self, pen):
+        self.pen = fn.mkPen(pen)
+
+    def setXVals(self, vals):
+        self.xvals = vals
+        self.rebuildTicks()
+        #self.valid = False
+        
+    def setYRange(self, vals):
+        self.yrange = vals
+        #self.relative = relative
+        #if self.view is not None:
+            #if relative:
+                #self.view().sigRangeChanged.connect(self.rescale)
+            #else:
+                #try:
+                    #self.view().sigRangeChanged.disconnect(self.rescale)
+                #except:
+                    #pass
+        self.rebuildTicks()
+        #self.valid = False
+            
+    #def viewRangeChanged(self):
+        ### called when the view is scaled
+        
+        #UIGraphicsItem.viewRangeChanged(self)
+        
+        #self.resetTransform()
+        ##vb = self.view().viewRect()
+        ##p1 = vb.bottom() - vb.height() * self.yrange[0]
+        ##p2 = vb.bottom() - vb.height() * self.yrange[1]
+        
+        ##br = self.boundingRect()
+        ##yr = [p1, p2]
+        
+        
+        
+        ##self.rebuildTicks()
+        
+        ##br = self.boundingRect()
+        ##print br
+        ##self.translate(0.0, br.y())
+        ##self.scale(1.0, br.height())
+        ##self.boundingRect()
+        #self.update()
+            
+    #def boundingRect(self):
+        #print "--request bounds:"
+        #b = self.path.boundingRect()
+        #b2 = UIGraphicsItem.boundingRect(self)
+        #b2.setY(b.y())
+        #b2.setWidth(b.width())
+        #print "  ", b
+        #print "  ", b2
+        #print "  ", self.mapRectToScene(b)
+        #return b2
+            
+    def yRange(self):
+        #if self.relative:
+            #height = self.view.size().height()
+            #p1 = self.mapFromScene(self.view.mapToScene(QtCore.QPoint(0, height * (1.0-self.yrange[0]))))
+            #p2 = self.mapFromScene(self.view.mapToScene(QtCore.QPoint(0, height * (1.0-self.yrange[1]))))
+            #return [p1.y(), p2.y()]
+        #else:
+            #return self.yrange
+            
+        return self.yrange
+            
+    def rebuildTicks(self):
+        self.path = QtGui.QPainterPath()
+        yrange = self.yRange()
+        #print "rebuild ticks:", yrange
+        for x in self.xvals:
+            #path.moveTo(x, yrange[0])
+            #path.lineTo(x, yrange[1])
+            self.path.moveTo(x, 0.)
+            self.path.lineTo(x, 1.)
+        #self.setPath(self.path)
+        #self.valid = True
+        #self.rescale()
+        #print "  done..", self.boundingRect()
+        
+    def paint(self, p, *args):
+        UIGraphicsItem.paint(self, p, *args)
+        
+        br = self.boundingRect()
+        h = br.height()
+        br.setY(br.y() + self.yrange[0] * h)
+        br.setHeight(h - (1.0-self.yrange[1]) * h)
+        p.translate(0, br.y())
+        p.scale(1.0, br.height())
+        p.setPen(self.pen)
+        p.drawPath(self.path)
+        #QtGui.QGraphicsPathItem.paint(self, *args)
+
+
+if __name__ == '__main__':
+    app = QtGui.QApplication([])
+    import pyqtgraph as pg
+    vt = VTickGroup([1,3,4,7,9], [0.8, 1.0])
+    p = pg.plot()
+    p.addItem(vt)
+    
+    if sys.flags.interactive == 0:
+        app.exec_()
+    
+    
+    
+    
+    
\ No newline at end of file
diff --git a/graphicsItems/ViewBox.pyc.renamed1 b/graphicsItems/ViewBox.pyc.renamed1
new file mode 100644
index 0000000000000000000000000000000000000000..29807d792d9aafb084c0454aba7c8538d67b04f4
Binary files /dev/null and b/graphicsItems/ViewBox.pyc.renamed1 differ
diff --git a/graphicsItems/ViewBox/ViewBox.py b/graphicsItems/ViewBox/ViewBox.py
new file mode 100644
index 0000000000000000000000000000000000000000..10d3e34700b707a3eed5a0db2d4c0c927e0ce709
--- /dev/null
+++ b/graphicsItems/ViewBox/ViewBox.py
@@ -0,0 +1,978 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import numpy as np
+from pyqtgraph.Point import Point
+import pyqtgraph.functions as fn
+from .. ItemGroup import ItemGroup
+from .. GraphicsWidget import GraphicsWidget
+from pyqtgraph.GraphicsScene import GraphicsScene
+import pyqtgraph
+import weakref
+from copy import deepcopy
+import collections
+
+__all__ = ['ViewBox']
+
+
+class ChildGroup(ItemGroup):
+    
+    sigItemsChanged = QtCore.Signal()
+    
+    def itemChange(self, change, value):
+        ret = ItemGroup.itemChange(self, change, value)
+        if change == self.ItemChildAddedChange or change == self.ItemChildRemovedChange:
+            self.sigItemsChanged.emit()
+        
+        return ret
+
+
+class ViewBox(GraphicsWidget):
+    """
+    Box that allows internal scaling/panning of children by mouse drag. 
+    Not really compatible with GraphicsView having the same functionality.
+    """
+    
+    sigYRangeChanged = QtCore.Signal(object, object)
+    sigXRangeChanged = QtCore.Signal(object, object)
+    sigRangeChangedManually = QtCore.Signal(object)
+    sigRangeChanged = QtCore.Signal(object, object)
+    #sigActionPositionChanged = QtCore.Signal(object)
+    sigStateChanged = QtCore.Signal(object)
+    
+    ## mouse modes
+    PanMode = 3
+    RectMode = 1
+    
+    ## axes
+    XAxis = 0
+    YAxis = 1
+    XYAxes = 2
+    
+    ## for linking views together
+    NamedViews = weakref.WeakValueDictionary()   # name: ViewBox
+    AllViews = weakref.WeakKeyDictionary()       # ViewBox: None
+    
+    
+    def __init__(self, parent=None, border=None, lockAspect=False, enableMouse=True, invertY=False, name=None):
+        GraphicsWidget.__init__(self, parent)
+        self.name = None
+        self.linksBlocked = False
+        self.addedItems = []
+        #self.gView = view
+        #self.showGrid = showGrid
+        
+        self.state = {
+            
+            ## separating targetRange and viewRange allows the view to be resized
+            ## while keeping all previously viewed contents visible
+            'targetRange': [[0,1], [0,1]],   ## child coord. range visible [[xmin, xmax], [ymin, ymax]]
+            'viewRange': [[0,1], [0,1]],     ## actual range viewed
+        
+            'yInverted': invertY,
+            'aspectLocked': False,    ## False if aspect is unlocked, otherwise float specifies the locked ratio.
+            'autoRange': [True, True],  ## False if auto range is disabled, 
+                                          ## otherwise float gives the fraction of data that is visible
+            'linkedViews': [None, None],
+            
+            'mouseEnabled': [enableMouse, enableMouse],
+            'mouseMode': ViewBox.PanMode if pyqtgraph.getConfigOption('leftButtonPan') else ViewBox.RectMode,  
+            'wheelScaleFactor': -1.0 / 8.0,
+        }
+        
+        
+        self.exportMethods = collections.OrderedDict([
+            ('SVG', self.saveSvg),
+            ('Image', self.saveImage),
+            ('Print', self.savePrint),
+        ])
+        
+        self.setFlag(self.ItemClipsChildrenToShape)
+        self.setFlag(self.ItemIsFocusable, True)  ## so we can receive key presses
+        
+        ## childGroup is required so that ViewBox has local coordinates similar to device coordinates.
+        ## this is a workaround for a Qt + OpenGL but that causes improper clipping
+        ## https://bugreports.qt.nokia.com/browse/QTBUG-23723
+        self.childGroup = ChildGroup(self)
+        self.childGroup.sigItemsChanged.connect(self.itemsChanged)
+        
+        #self.useLeftButtonPan = pyqtgraph.getConfigOption('leftButtonPan') # normally use left button to pan
+        # this also enables capture of keyPressEvents.
+        
+        ## Make scale box that is shown when dragging on the view
+        self.rbScaleBox = QtGui.QGraphicsRectItem(0, 0, 1, 1)
+        self.rbScaleBox.setPen(fn.mkPen((255,0,0), width=1))
+        self.rbScaleBox.setBrush(fn.mkBrush(255,255,0,100))
+        self.addItem(self.rbScaleBox)
+        self.rbScaleBox.hide()
+        
+        self.axHistory = [] # maintain a history of zoom locations
+        self.axHistoryPointer = -1 # pointer into the history. Allows forward/backward movement, not just "undo"
+        
+        self.setZValue(-100)
+        self.setSizePolicy(QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Expanding))
+        
+        self.setAspectLocked(lockAspect)
+        
+        self.border = border
+        self.menu = ViewBoxMenu(self)
+        
+        self.register(name)
+        if name is None:
+            self.updateViewLists()
+        
+    def register(self, name):
+        """
+        Add this ViewBox to the registered list of views. 
+        *name* will appear in the drop-down lists for axis linking in all other views.
+        The same can be accomplished by initializing the ViewBox with the *name* attribute.
+        """
+        ViewBox.AllViews[self] = None
+        if self.name is not None:
+            del ViewBox.NamedViews[self.name]
+        self.name = name
+        if name is not None:
+            ViewBox.NamedViews[name] = self
+            ViewBox.updateAllViewLists()
+
+    def unregister(self):
+        del ViewBox.AllViews[self]
+        if self.name is not None:
+            del ViewBox.NamedViews[self.name]
+
+    def close(self):
+        self.unregister()
+
+    def implements(self, interface):
+        return interface == 'ViewBox'
+        
+        
+    def getState(self, copy=True):
+        state = self.state.copy()
+        state['linkedViews'] = [(None if v is None else v.name) for v in state['linkedViews']]
+        if copy:
+            return deepcopy(self.state)
+        else:
+            return self.state
+        
+    def setState(self, state):
+        state = state.copy()
+        self.setXLink(state['linkedViews'][0])
+        self.setYLink(state['linkedViews'][1])
+        del state['linkedViews']
+        
+        self.state.update(state)
+        self.updateMatrix()
+        self.sigStateChanged.emit(self)
+
+
+    def setMouseMode(self, mode):
+        if mode not in [ViewBox.PanMode, ViewBox.RectMode]:
+            raise Exception("Mode must be ViewBox.PanMode or ViewBox.RectMode")
+        self.state['mouseMode'] = mode
+        self.sigStateChanged.emit(self)
+
+    #def toggleLeftAction(self, act):  ## for backward compatibility
+        #if act.text() is 'pan':
+            #self.setLeftButtonAction('pan')
+        #elif act.text() is 'zoom':
+            #self.setLeftButtonAction('rect')
+
+    def setLeftButtonAction(self, mode='rect'):  ## for backward compatibility
+        if mode.lower() == 'rect':
+            self.setMouseMode(ViewBox.RectMode)
+        elif mode.lower() == 'pan':
+            self.setMouseMode(ViewBox.PanMode)
+        else:
+            raise Exception('graphicsItems:ViewBox:setLeftButtonAction: unknown mode = %s (Options are "pan" and "rect")' % mode)
+            
+    def innerSceneItem(self):
+        return self.childGroup
+    
+    def setMouseEnabled(self, x=None, y=None):
+        if x is not None:
+            self.state['mouseEnabled'][0] = x
+        if y is not None:
+            self.state['mouseEnabled'][1] = y
+        self.sigStateChanged.emit(self)
+            
+    def mouseEnabled(self):
+        return self.state['mouseEnabled'][:]
+    
+    def addItem(self, item):
+        if item.zValue() < self.zValue():
+            item.setZValue(self.zValue()+1)
+        item.setParentItem(self.childGroup)
+        self.addedItems.append(item)
+        self.updateAutoRange()
+        #print "addItem:", item, item.boundingRect()
+        
+    def removeItem(self, item):
+        self.addedItems.remove(item)
+        self.scene().removeItem(item)
+        self.updateAutoRange()
+
+    def resizeEvent(self, ev):
+        #self.setRange(self.range, padding=0)
+        self.updateAutoRange()
+        self.updateMatrix()
+        self.sigStateChanged.emit(self)
+        
+    def viewRange(self):
+        return [x[:] for x in self.state['viewRange']]  ## return copy
+
+    def viewRect(self):
+        """Return a QRectF bounding the region visible within the ViewBox"""
+        try:
+            vr0 = self.state['viewRange'][0]
+            vr1 = self.state['viewRange'][1]
+            return QtCore.QRectF(vr0[0], vr1[0], vr0[1]-vr0[0], vr1[1] - vr1[0])
+        except:
+            print "make qrectf failed:", self.state['viewRange']
+            raise
+    
+    #def viewportTransform(self):
+        ##return self.itemTransform(self.childGroup)[0]
+        #return self.childGroup.itemTransform(self)[0]
+    
+    def targetRange(self):
+        return [x[:] for x in self.state['targetRange']]  ## return copy
+    
+    def targetRect(self):  
+        """
+        Return the region which has been requested to be visible. 
+        (this is not necessarily the same as the region that is *actually* visible--
+        resizing and aspect ratio constraints can cause targetRect() and viewRect() to differ)
+        """
+        try:
+            tr0 = self.state['targetRange'][0]
+            tr1 = self.state['targetRange'][1]
+            return QtCore.QRectF(tr0[0], tr1[0], tr0[1]-tr0[0], tr1[1] - tr1[0])
+        except:
+            print "make qrectf failed:", self.state['targetRange']
+            raise
+
+    def setRange(self, rect=None, xRange=None, yRange=None, padding=0.02, update=True, disableAutoRange=True):
+        """
+        Set the visible range of the ViewBox.
+        Must specify at least one of *range*, *xRange*, or *yRange*. 
+        
+        Arguments:
+            *rect* (QRectF)    - The full range that should be visible in the view box.
+            *xRange* (min,max) - The range that should be visible along the x-axis.
+            *yRange* (min,max) - The range that should be visible along the y-axis.
+            *padding* (float)  - Expand the view by a fraction of the requested range
+                                 By default, this value is 0.02 (2%)
+        
+        """
+        changes = {}
+        
+        if rect is not None:
+            changes = {0: [rect.left(), rect.right()], 1: [rect.top(), rect.bottom()]}
+        if xRange is not None:
+            changes[0] = xRange
+        if yRange is not None:
+            changes[1] = yRange
+
+        if len(changes) == 0:
+            raise Exception("Must specify at least one of rect, xRange, or yRange.")
+        
+        changed = [False, False]
+        for ax, range in changes.iteritems():
+            mn = min(range)
+            mx = max(range)
+            if mn == mx:   ## If we requested 0 range, try to preserve previous scale. Otherwise just pick an arbitrary scale.
+                dy = self.state['viewRange'][ax][1] - self.state['viewRange'][ax][0]
+                if dy == 0:
+                    dy = 1
+                mn -= dy*0.5
+                mx += dy*0.5
+                padding = 0.0
+            if any(np.isnan([mn, mx])) or any(np.isinf([mn, mx])):
+                raise Exception("Not setting range [%s, %s]" % (str(mn), str(mx)))
+                
+            p = (mx-mn) * padding
+            mn -= p
+            mx += p
+            
+            if self.state['targetRange'][ax] != [mn, mx]:
+                self.state['targetRange'][ax] = [mn, mx]
+                changed[ax] = True
+            
+        if any(changed) and disableAutoRange:
+            if all(changed):
+                ax = ViewBox.XYAxes
+            elif changed[0]:
+                ax = ViewBox.XAxis
+            elif changed[1]:
+                ax = ViewBox.YAxis
+            self.enableAutoRange(ax, False)
+                
+                
+        self.sigStateChanged.emit(self)
+        
+        if update:
+            self.updateMatrix(changed)
+            
+        for ax, range in changes.iteritems():
+            link = self.state['linkedViews'][ax]
+            if link is not None:
+                link.linkedViewChanged(self, ax)
+        
+
+            
+    def setYRange(self, min, max, padding=0.02, update=True):
+        self.setRange(yRange=[min, max], update=update, padding=padding)
+        
+    def setXRange(self, min, max, padding=0.02, update=True):
+        self.setRange(xRange=[min, max], update=update, padding=padding)
+
+    def autoRange(self, padding=0.02):
+        """
+        Set the range of the view box to make all children visible.
+        """
+        bounds = self.childrenBoundingRect()
+        if bounds is not None:
+            self.setRange(bounds, padding=padding)
+            
+            
+    def scaleBy(self, s, center=None):
+        """
+        Scale by *s* around given center point (or center of view).
+        *s* may be a Point or tuple (x, y)
+        """
+        scale = Point(s)
+        if self.state['aspectLocked'] is not False:
+            scale[0] = self.state['aspectLocked'] * scale[1]
+
+        vr = self.targetRect()
+        if center is None:
+            center = Point(vr.center())
+        else:
+            center = Point(center)
+        
+        tl = center + (vr.topLeft()-center) * scale
+        br = center + (vr.bottomRight()-center) * scale
+       
+        self.setRange(QtCore.QRectF(tl, br), padding=0)
+        
+    def translateBy(self, t):
+        """
+        Translate the view by *t*, which may be a Point or tuple (x, y).
+        """
+        t = Point(t)
+        #if viewCoords:  ## scale from pixels
+            #o = self.mapToView(Point(0,0))
+            #t = self.mapToView(t) - o
+        
+        vr = self.targetRect()
+        self.setRange(vr.translated(t), padding=0)
+        
+    def enableAutoRange(self, axis=None, enable=True):
+        """
+        Enable (or disable) auto-range for *axis*, which may be ViewBox.XAxis, ViewBox.YAxis, or ViewBox.XYAxes for both.
+        When enabled, the axis will automatically rescale when items are added/removed or change their shape.
+        The argument *enable* may optionally be a float (0.0-1.0) which indicates the fraction of the data that should
+        be visible (this only works with items implementing a dataRange method, such as PlotDataItem).
+        """
+        #print "autorange:", axis, enable
+        #if not enable:
+            #import traceback
+            #traceback.print_stack()
+        if enable is True:
+            enable = 1.0
+        
+        if axis is None:
+            axis = ViewBox.XYAxes
+        
+        if axis == ViewBox.XYAxes or axis == 'xy':
+            self.state['autoRange'][0] = enable
+            self.state['autoRange'][1] = enable
+        elif axis == ViewBox.XAxis or axis == 'x':
+            self.state['autoRange'][0] = enable
+        elif axis == ViewBox.YAxis or axis == 'y':
+            self.state['autoRange'][1] = enable
+        else:
+            raise Exception('axis argument must be ViewBox.XAxis, ViewBox.YAxis, or ViewBox.XYAxes.')
+        
+        if enable:
+            self.updateAutoRange()
+        self.sigStateChanged.emit(self)
+
+    def disableAutoRange(self, axis=None):
+        self.enableAutoRange(axis, enable=False)
+
+    def autoRangeEnabled(self):
+        return self.state['autoRange'][:]
+
+    def updateAutoRange(self):
+        tr = self.viewRect()
+        if not any(self.state['autoRange']):
+            return
+            
+        fractionVisible = self.state['autoRange'][:]
+        for i in [0,1]:
+            if type(fractionVisible[i]) is bool:
+                fractionVisible[i] = 1.0
+        cr = self.childrenBoundingRect(frac=fractionVisible)
+        wp = cr.width() * 0.02
+        hp = cr.height() * 0.02
+        cr = cr.adjusted(-wp, -hp, wp, hp)
+        
+        if self.state['autoRange'][0] is not False:
+            tr.setLeft(cr.left())
+            tr.setRight(cr.right())
+        if self.state['autoRange'][1] is not False:
+            tr.setTop(cr.top())
+            tr.setBottom(cr.bottom())
+            
+        self.setRange(tr, padding=0, disableAutoRange=False)
+        
+    def setXLink(self, view):
+        self.linkView(self.XAxis, view)
+        
+    def setYLink(self, view):
+        self.linkView(self.YAxis, view)
+        
+        
+    def linkView(self, axis, view):
+        """
+        Link X or Y axes of two views and unlink any previously connected axes. *axis* must be ViewBox.XAxis or ViewBox.YAxis.
+        If view is None, the axis is left unlinked.
+        """
+        if isinstance(view, basestring):
+            if view == '':
+                view = None
+            else:
+                view = ViewBox.NamedViews[view]
+
+        if hasattr(view, 'implements') and view.implements('ViewBoxWrapper'):
+            view = view.getViewBox()
+
+        ## used to connect/disconnect signals between a pair of views
+        if axis == ViewBox.XAxis:
+            signal = 'sigXRangeChanged'
+            slot = self.linkedXChanged
+        else:
+            signal = 'sigYRangeChanged'
+            slot = self.linkedYChanged
+
+
+        oldLink = self.state['linkedViews'][axis]
+        if oldLink is not None:
+            getattr(oldLink, signal).disconnect(slot)
+            
+        self.state['linkedViews'][axis] = view
+        
+        if view is not None:
+            getattr(view, signal).connect(slot)
+            if view.autoRangeEnabled()[axis] is True:
+                self.enableAutoRange(axis, False)
+                slot()
+            else:
+                if self.autoRangeEnabled()[axis] is False:
+                    slot()
+            
+        self.sigStateChanged.emit(self)
+        
+    def blockLink(self, b):
+        self.linksBlocked = b  ## prevents recursive plot-change propagation
+
+    def linkedXChanged(self):
+        view = self.state['linkedViews'][0]
+        self.linkedViewChanged(view, ViewBox.XAxis)
+
+    def linkedYChanged(self):
+        view = self.state['linkedViews'][0]
+        self.linkedViewChanged(view, ViewBox.YAxis)
+        
+
+    def linkedViewChanged(self, view, axis):
+        if self.linksBlocked:
+            return
+        
+        vr = view.viewRect()
+        vg = view.screenGeometry()
+        if vg is None:
+            return
+            
+        sg = self.screenGeometry()
+        
+        view.blockLink(True)
+        try:
+            if axis == ViewBox.XAxis:
+                upp = float(vr.width()) / vg.width()
+                x1 = vr.left() + (sg.x()-vg.x()) * upp
+                x2 = x1 + sg.width() * upp
+                self.enableAutoRange(ViewBox.XAxis, False)
+                self.setXRange(x1, x2, padding=0)
+            else:
+                upp = float(vr.height()) / vg.height()
+                x1 = vr.bottom() + (sg.y()-vg.y()) * upp
+                x2 = x1 + sg.height() * upp
+                self.enableAutoRange(ViewBox.YAxis, False)
+                self.setYRange(x1, x2, padding=0)
+        finally:
+            view.blockLink(False)
+        
+        
+    def screenGeometry(self):
+        """return the screen geometry of the viewbox"""
+        v = self.getViewWidget()
+        if v is None:
+            return None
+        b = self.sceneBoundingRect()
+        wr = v.mapFromScene(b).boundingRect()
+        pos = v.mapToGlobal(v.pos())
+        wr.adjust(pos.x(), pos.y(), pos.x(), pos.y())
+        return wr
+        
+    
+
+    def itemsChanged(self):
+        ## called when items are added/removed from self.childGroup
+        self.updateAutoRange()
+        
+    def itemBoundsChanged(self, item):
+        self.updateAutoRange()
+
+    def invertY(self, b=True):
+        """
+        By default, the positive y-axis points upward on the screen. Use invertY(True) to reverse the y-axis.
+        """
+        self.state['yInverted'] = b
+        self.updateMatrix()
+        self.sigStateChanged.emit(self)
+        
+    def setAspectLocked(self, lock=True, ratio=1):
+        """
+        If the aspect ratio is locked, view scaling must always preserve the aspect ratio.
+        By default, the ratio is set to 1; x and y both have the same scaling.
+        This ratio can be overridden (width/height), or use None to lock in the current ratio.
+        """
+        if not lock:
+            self.state['aspectLocked'] = False
+        else:
+            vr = self.viewRect()
+            currentRatio = vr.width() / vr.height()
+            if ratio is None:
+                ratio = currentRatio
+            self.state['aspectLocked'] = ratio
+            if ratio != currentRatio:  ## If this would change the current range, do that now
+                #self.setRange(0, self.state['viewRange'][0][0], self.state['viewRange'][0][1])
+                self.updateMatrix()
+        self.sigStateChanged.emit(self)
+        
+    def childTransform(self):
+        """
+        Return the transform that maps from child(item in the childGroup) coordinates to local coordinates.
+        (This maps from inside the viewbox to outside)
+        """ 
+        m = self.childGroup.transform()
+        #m1 = QtGui.QTransform()
+        #m1.translate(self.childGroup.pos().x(), self.childGroup.pos().y())
+        return m #*m1
+
+    def mapToView(self, obj):
+        """Maps from the local coordinates of the ViewBox to the coordinate system displayed inside the ViewBox"""
+        m = self.childTransform().inverted()[0]
+        return m.map(obj)
+
+    def mapFromView(self, obj):
+        """Maps from the coordinate system displayed inside the ViewBox to the local coordinates of the ViewBox"""
+        m = self.childTransform()
+        return m.map(obj)
+
+    def mapSceneToView(self, obj):
+        """Maps from scene coordinates to the coordinate system displayed inside the ViewBox"""
+        return self.mapToView(self.mapFromScene(obj))
+
+    def mapViewToScene(self, obj):
+        """Maps from the coordinate system displayed inside the ViewBox to scene coordinates"""
+        return self.mapToScene(self.mapFromView(obj))
+    
+    def mapFromItemToView(self, item, obj):
+        return self.mapSceneToView(item.mapToScene(obj))
+
+    def mapFromViewToItem(self, item, obj):
+        return item.mapFromScene(self.mapViewToScene(obj))
+
+    def itemBoundingRect(self, item):
+        """Return the bounding rect of the item in view coordinates"""
+        return self.mapSceneToView(item.sceneBoundingRect()).boundingRect()
+    
+    #def viewScale(self):
+        #vr = self.viewRect()
+        ##print "viewScale:", self.range
+        #xd = vr.width()
+        #yd = vr.height()
+        #if xd == 0 or yd == 0:
+            #print "Warning: 0 range in view:", xd, yd
+            #return np.array([1,1])
+        
+        ##cs = self.canvas().size()
+        #cs = self.boundingRect()
+        #scale = np.array([cs.width() / xd, cs.height() / yd])
+        ##print "view scale:", scale
+        #return scale
+
+    def wheelEvent(self, ev, axis=None):
+        mask = np.array(self.state['mouseEnabled'], dtype=np.float)
+        if axis is not None and axis >= 0 and axis < len(mask):
+            mv = mask[axis]
+            mask[:] = 0
+            mask[axis] = mv
+        s = ((mask * 0.02) + 1) ** (ev.delta() * self.state['wheelScaleFactor']) # actual scaling factor
+        
+        center = Point(self.childGroup.transform().inverted()[0].map(ev.pos()))
+        #center = ev.pos()
+        
+        self.scaleBy(s, center)
+        self.sigRangeChangedManually.emit(self.state['mouseEnabled'])
+        ev.accept()
+
+        
+    def mouseClickEvent(self, ev):
+        if ev.button() == QtCore.Qt.RightButton:
+            ev.accept()
+            self.raiseContextMenu(ev)
+    
+    def raiseContextMenu(self, ev):
+        #print "viewbox.raiseContextMenu called."
+        
+        #menu = self.getMenu(ev)
+        menu = self.getMenu(ev)
+        self.scene().addParentContextMenus(self, menu, ev)
+        #print "2:", [str(a.text()) for a in self.menu.actions()]
+        pos = ev.screenPos()
+        #pos2 = ev.scenePos()
+        #print "3:", [str(a.text()) for a in self.menu.actions()]
+        #self.sigActionPositionChanged.emit(pos2)
+
+        menu.popup(QtCore.QPoint(pos.x(), pos.y()))
+        #print "4:", [str(a.text()) for a in self.menu.actions()]
+        
+    def getMenu(self, ev):
+        self._menuCopy = self.menu.copy()  ## temporary storage to prevent menu disappearing
+        return self._menuCopy
+        
+    def getContextMenus(self, event):
+        return self.menu.subMenus()
+        #return [self.getMenu(event)]
+        
+
+    def mouseDragEvent(self, ev):
+        ev.accept()  ## we accept all buttons
+        
+        pos = ev.pos()
+        lastPos = ev.lastPos()
+        dif = pos - lastPos
+        dif = dif * -1
+
+        ## Ignore axes if mouse is disabled
+        mask = np.array(self.state['mouseEnabled'], dtype=np.float)
+
+        ## Scale or translate based on mouse button
+        if ev.button() & (QtCore.Qt.LeftButton | QtCore.Qt.MidButton):
+            if self.state['mouseMode'] == ViewBox.RectMode:
+                if ev.isFinish():  ## This is the final move in the drag; change the view scale now
+                    #print "finish"
+                    self.rbScaleBox.hide()
+                    #ax = QtCore.QRectF(Point(self.pressPos), Point(self.mousePos))
+                    ax = QtCore.QRectF(Point(ev.buttonDownPos(ev.button())), Point(pos))
+                    ax = self.childGroup.mapRectFromParent(ax)
+                    self.showAxRect(ax)
+                    self.axHistoryPointer += 1
+                    self.axHistory = self.axHistory[:self.axHistoryPointer] + [ax]
+                else:
+                    ## update shape of scale box
+                    self.updateScaleBox(ev.buttonDownPos(), ev.pos())
+            else:
+                tr = dif*mask
+                tr = self.mapToView(tr) - self.mapToView(Point(0,0))
+                self.translateBy(tr)
+                self.sigRangeChangedManually.emit(self.state['mouseEnabled'])
+        elif ev.button() & QtCore.Qt.RightButton:
+            #print "vb.rightDrag"
+            if self.state['aspectLocked'] is not False:
+                mask[0] = 0
+            
+            dif = ev.screenPos() - ev.lastScreenPos()
+            dif = np.array([dif.x(), dif.y()])
+            dif[0] *= -1
+            s = ((mask * 0.02) + 1) ** dif
+            center = Point(self.childGroup.transform().inverted()[0].map(ev.buttonDownPos(QtCore.Qt.RightButton)))
+            #center = Point(ev.buttonDownPos(QtCore.Qt.RightButton))
+            self.scaleBy(s, center)
+            self.sigRangeChangedManually.emit(self.state['mouseEnabled'])
+
+    def keyPressEvent(self, ev):
+        """
+        This routine should capture key presses in the current view box.
+        Key presses are used only when mouse mode is RectMode
+        The following events are implemented:
+        ctrl-A : zooms out to the default "full" view of the plot
+        ctrl-+ : moves forward in the zooming stack (if it exists)
+        ctrl-- : moves backward in the zooming stack (if it exists)
+         
+        """
+        #print ev.key()
+        #print 'I intercepted a key press, but did not accept it'
+        
+        ## not implemented yet ?
+        #self.keypress.sigkeyPressEvent.emit()
+        
+        ev.accept()
+        if ev.text() == '-':
+            self.scaleHistory(-1)
+        elif ev.text() in ['+', '=']:
+            self.scaleHistory(1)
+        elif ev.key() == QtCore.Qt.Key_Backspace:
+            self.scaleHistory(len(self.axHistory))
+        else:
+            ev.ignore()
+
+    def scaleHistory(self, d):
+        ptr = max(0, min(len(self.axHistory)-1, self.axHistoryPointer+d))
+        if ptr != self.axHistoryPointer:
+            self.axHistoryPointer = ptr
+            self.showAxRect(self.axHistory[ptr])
+            
+
+    def updateScaleBox(self, p1, p2):
+        r = QtCore.QRectF(p1, p2)
+        r = self.childGroup.mapRectFromParent(r)
+        self.rbScaleBox.setPos(r.topLeft())
+        self.rbScaleBox.resetTransform()
+        self.rbScaleBox.scale(r.width(), r.height())
+        self.rbScaleBox.show()
+
+    def showAxRect(self, ax):
+        self.setRange(ax.normalized()) # be sure w, h are correct coordinates
+        self.sigRangeChangedManually.emit(self.state['mouseEnabled'])
+
+    #def mouseRect(self):
+        #vs = self.viewScale()
+        #vr = self.state['viewRange']
+        ## Convert positions from screen (view) pixel coordinates to axis coordinates 
+        #ax = QtCore.QRectF(self.pressPos[0]/vs[0]+vr[0][0], -(self.pressPos[1]/vs[1]-vr[1][1]),
+            #(self.mousePos[0]-self.pressPos[0])/vs[0], -(self.mousePos[1]-self.pressPos[1])/vs[1])
+        #return(ax)
+
+    def allChildren(self, item=None):
+        """Return a list of all children and grandchildren of this ViewBox"""
+        if item is None:
+            item = self.childGroup
+        
+        children = [item]
+        for ch in item.childItems():
+            children.extend(self.allChildren(ch))
+        return children
+        
+        
+        
+    def childrenBoundingRect(self, frac=None):
+        """Return the bounding range of all children.
+        [[xmin, xmax], [ymin, ymax]]
+        Values may be None if there are no specific bounds for an axis.
+        """
+        
+        #items = self.allChildren()
+        items = self.addedItems
+        
+        #if item is None:
+            ##print "children bounding rect:"
+            #item = self.childGroup
+            
+        range = [None, None]
+            
+        for item in items:
+            if not item.isVisible():
+                continue
+        
+            #print "=========", item
+            useX = True
+            useY = True
+            if hasattr(item, 'dataBounds'):
+                if frac is None:
+                    frac = (1.0, 1.0)
+                xr = item.dataBounds(0, frac=frac[0])
+                yr = item.dataBounds(1, frac=frac[1])
+                if xr is None:
+                    useX = False
+                    xr = (0,0)
+                if yr is None:
+                    useY = False
+                    yr = (0,0)
+                
+                bounds = QtCore.QRectF(xr[0], yr[0], xr[1]-xr[0], yr[1]-yr[0])
+                #print "   item real:", bounds
+            else:
+                if int(item.flags() & item.ItemHasNoContents) > 0:
+                    continue
+                    #print "   empty"
+                else:
+                    bounds = item.boundingRect()
+                    #bounds = [[item.left(), item.top()], [item.right(), item.bottom()]]
+                #print "   item:", bounds
+            #bounds = QtCore.QRectF(bounds[0][0], bounds[1][0], bounds[0][1]-bounds[0][0], bounds[1][1]-bounds[1][0])
+            bounds = self.mapFromItemToView(item, bounds).boundingRect()
+            #print "    ", bounds
+            
+            
+            if not any([useX, useY]):
+                continue
+            
+            if useX != useY:  ##   !=  means  xor
+                ang = item.transformAngle()
+                if ang == 0 or ang == 180:
+                    pass
+                elif ang == 90 or ang == 270:
+                    tmp = useX
+                    useY = useX
+                    useX = tmp
+                else:
+                    continue  ## need to check for item rotations and decide how best to apply this boundary. 
+            
+            
+            if useY:
+                if range[1] is not None:
+                    range[1] = [min(bounds.top(), range[1][0]), max(bounds.bottom(), range[1][1])]
+                    #bounds.setTop(min(bounds.top(), chb.top()))
+                    #bounds.setBottom(max(bounds.bottom(), chb.bottom()))
+                else:
+                    range[1] = [bounds.top(), bounds.bottom()]
+                    #bounds.setTop(chb.top())
+                    #bounds.setBottom(chb.bottom())
+            if useX:
+                if range[0] is not None:
+                    range[0] = [min(bounds.left(), range[0][0]), max(bounds.right(), range[0][1])]
+                    #bounds.setLeft(min(bounds.left(), chb.left()))
+                    #bounds.setRight(max(bounds.right(), chb.right()))
+                else:
+                    range[0] = [bounds.left(), bounds.right()]
+                    #bounds.setLeft(chb.left())
+                    #bounds.setRight(chb.right())
+        
+        tr = self.targetRange()
+        if range[0] is None:
+            range[0] = tr[0]
+        if range[1] is None:
+            range[1] = tr[1]
+            
+        bounds = QtCore.QRectF(range[0][0], range[1][0], range[0][1]-range[0][0], range[1][1]-range[1][0])
+        return bounds
+            
+        
+
+    def updateMatrix(self, changed=None):
+        if changed is None:
+            changed = [False, False]
+        #print "udpateMatrix:"
+        #print "  range:", self.range
+        tr = self.targetRect()
+        bounds = self.rect() #boundingRect()
+        #print bounds
+        
+        ## set viewRect, given targetRect and possibly aspect ratio constraint
+        if self.state['aspectLocked'] is False or bounds.height() == 0:
+            self.state['viewRange'] = [self.state['targetRange'][0][:], self.state['targetRange'][1][:]]
+        else:
+            viewRatio = bounds.width() / bounds.height()
+            targetRatio = self.state['aspectLocked'] * tr.width() / tr.height()
+            if targetRatio > viewRatio:  
+                ## target is wider than view
+                dy = 0.5 * (tr.width() / (self.state['aspectLocked'] * viewRatio) - tr.height())
+                if dy != 0:
+                    changed[1] = True
+                self.state['viewRange'] = [self.state['targetRange'][0][:], [self.state['targetRange'][1][0] - dy, self.state['targetRange'][1][1] + dy]]
+            else:
+                dx = 0.5 * (tr.height() * viewRatio * self.state['aspectLocked'] - tr.width())
+                if dx != 0:
+                    changed[0] = True
+                self.state['viewRange'] = [[self.state['targetRange'][0][0] - dx, self.state['targetRange'][0][1] + dx], self.state['targetRange'][1][:]]
+        
+        vr = self.viewRect()
+        #print "  bounds:", bounds
+        if vr.height() == 0 or vr.width() == 0:
+            return
+        scale = Point(bounds.width()/vr.width(), bounds.height()/vr.height())
+        if not self.state['yInverted']:
+            scale = scale * Point(1, -1)
+        m = QtGui.QTransform()
+        
+        ## First center the viewport at 0
+        #self.childGroup.resetTransform()
+        #self.resetTransform()
+        #center = self.transform().inverted()[0].map(bounds.center())
+        center = bounds.center()
+        #print "  transform to center:", center
+        #if self.state['yInverted']:
+            #m.translate(center.x(), -center.y())
+            #print "  inverted; translate", center.x(), center.y()
+        #else:
+        m.translate(center.x(), center.y())
+            #print "  not inverted; translate", center.x(), -center.y()
+            
+        ## Now scale and translate properly
+        m.scale(scale[0], scale[1])
+        st = Point(vr.center())
+        #st = translate
+        m.translate(-st[0], -st[1])
+        
+        self.childGroup.setTransform(m)
+        #self.setTransform(m)
+        #self.prepareGeometryChange()
+        
+        #self.currentScale = scale
+        
+        if changed[0]:
+            self.sigXRangeChanged.emit(self, tuple(self.state['viewRange'][0]))
+        if changed[1]:
+            self.sigYRangeChanged.emit(self, tuple(self.state['viewRange'][1]))
+        if any(changed):
+            self.sigRangeChanged.emit(self, self.state['viewRange'])
+
+    def paint(self, p, opt, widget):
+        if self.border is not None:
+            bounds = self.shape()
+            p.setPen(self.border)
+            #p.fillRect(bounds, QtGui.QColor(0, 0, 0))
+            p.drawPath(bounds)
+
+    def saveSvg(self):
+        pass
+        
+    def saveImage(self):
+        pass
+
+    def savePrint(self):
+        printer = QtGui.QPrinter()
+        if QtGui.QPrintDialog(printer).exec_() == QtGui.QDialog.Accepted:
+            p = QtGui.QPainter(printer)
+            p.setRenderHint(p.Antialiasing)
+            self.scene().render(p)
+            p.end()
+
+    def updateViewLists(self):
+        def cmpViews(a, b):
+            wins = 100 * cmp(a.window() is self.window(), b.window() is self.window())
+            alpha = cmp(a.name, b.name)
+            return wins + alpha
+            
+        ## make a sorted list of all named views
+        nv = ViewBox.NamedViews.values()
+        nv.sort(cmpViews)
+        
+        if self in nv:
+            nv.remove(self)
+        names = [v.name for v in nv]
+        self.menu.setViewList(names)
+
+    @staticmethod
+    def updateAllViewLists():
+        for v in ViewBox.AllViews:
+            v.updateViewLists()
+            
+
+
+
+from ViewBoxMenu import ViewBoxMenu
diff --git a/graphicsItems/ViewBox/ViewBoxMenu.py b/graphicsItems/ViewBox/ViewBoxMenu.py
new file mode 100644
index 0000000000000000000000000000000000000000..d45d89e95a4d4f172ce825e8b8ec6abe513255fa
--- /dev/null
+++ b/graphicsItems/ViewBox/ViewBoxMenu.py
@@ -0,0 +1,222 @@
+from pyqtgraph.Qt import QtCore, QtGui
+from pyqtgraph.WidgetGroup import WidgetGroup
+from axisCtrlTemplate import Ui_Form as AxisCtrlTemplate
+
+class ViewBoxMenu(QtGui.QMenu):
+    def __init__(self, view):
+        QtGui.QMenu.__init__(self)
+        
+        self.view = view
+        self.valid = False  ## tells us whether the ui needs to be updated
+
+        self.setTitle("ViewBox options")
+        self.viewAll = QtGui.QAction("View All", self)
+        self.viewAll.triggered.connect(self.autoRange)
+        self.addAction(self.viewAll)
+        
+        self.axes = []
+        self.ctrl = []
+        self.widgetGroups = []
+        self.dv = QtGui.QDoubleValidator(self)
+        for axis in 'XY':
+            m = QtGui.QMenu()
+            m.setTitle("%s Axis" % axis)
+            w = QtGui.QWidget()
+            ui = AxisCtrlTemplate()
+            ui.setupUi(w)
+            a = QtGui.QWidgetAction(self)
+            a.setDefaultWidget(w)
+            m.addAction(a)
+            self.addMenu(m)
+            self.axes.append(m)
+            self.ctrl.append(ui)
+            wg = WidgetGroup(w)
+            self.widgetGroups.append(w)
+            
+            connects = [
+                (ui.mouseCheck.toggled, 'MouseToggled'),
+                (ui.manualRadio.clicked, 'ManualClicked'),
+                (ui.minText.editingFinished, 'MinTextChanged'),
+                (ui.maxText.editingFinished, 'MaxTextChanged'),
+                (ui.autoRadio.clicked, 'AutoClicked'),
+                (ui.autoPercentSpin.valueChanged, 'AutoSpinChanged'),
+                (ui.linkCombo.currentIndexChanged, 'LinkComboChanged'),
+            ]
+            
+            for sig, fn in connects:
+                sig.connect(getattr(self, axis.lower()+fn))
+            
+        self.export = QtGui.QMenu("Export")
+        self.setExportMethods(view.exportMethods)
+        self.addMenu(self.export)
+        
+        self.leftMenu = QtGui.QMenu("Mouse Mode")
+        group = QtGui.QActionGroup(self)
+        pan = self.leftMenu.addAction("3 button", self.set3ButtonMode)
+        zoom = self.leftMenu.addAction("1 button", self.set1ButtonMode)
+        pan.setCheckable(True)
+        zoom.setCheckable(True)
+        pan.setActionGroup(group)
+        zoom.setActionGroup(group)
+        self.mouseModes = [pan, zoom]
+        self.addMenu(self.leftMenu)
+        
+        self.view.sigStateChanged.connect(self.viewStateChanged)
+        
+        self.updateState()
+
+    def copy(self):
+        m = QtGui.QMenu()
+        for sm in self.subMenus():
+            if isinstance(sm, QtGui.QMenu):
+                m.addMenu(sm)
+            else:
+                m.addAction(sm)
+        m.setTitle(self.title())
+        return m
+
+    def subMenus(self):
+        if not self.valid:
+            self.updateState()
+        return [self.viewAll] + self.axes + [self.export, self.leftMenu]
+
+
+    def setExportMethods(self, methods):
+        self.exportMethods = methods
+        self.export.clear()
+        for opt, fn in methods.iteritems():
+            self.export.addAction(opt, self.exportMethod)
+        
+
+    def viewStateChanged(self):
+        self.valid = False
+        if self.ctrl[0].minText.isVisible() or self.ctrl[1].minText.isVisible():
+            self.updateState()
+        
+    def updateState(self):
+        state = self.view.getState(copy=False)
+        if state['mouseMode'] == ViewBox.PanMode:
+            self.mouseModes[0].setChecked(True)
+        else:
+            self.mouseModes[1].setChecked(True)
+            
+            
+        for i in [0,1]:
+            tr = state['targetRange'][i]
+            self.ctrl[i].minText.setText("%0.5g" % tr[0])
+            self.ctrl[i].maxText.setText("%0.5g" % tr[1])
+            if state['autoRange'][i] is not False:
+                self.ctrl[i].autoRadio.setChecked(True)
+            else:
+                self.ctrl[i].manualRadio.setChecked(True)
+            self.ctrl[i].mouseCheck.setChecked(state['mouseEnabled'][i])
+            
+            c = self.ctrl[i].linkCombo
+            c.blockSignals(True)
+            try:
+                view = state['linkedViews'][i]
+                if view is None:
+                    view = ''
+                ind = c.findText(view)
+                if ind == -1:
+                    ind = 0
+                c.setCurrentIndex(ind)
+            finally:
+                c.blockSignals(False)
+            
+            
+        self.valid = True
+        
+        
+    def autoRange(self):
+        self.view.autoRange()  ## don't let signal call this directly--it'll add an unwanted argument
+
+    def xMouseToggled(self, b):
+        self.view.setMouseEnabled(x=b)
+
+    def xManualClicked(self):
+        self.view.enableAutoRange(ViewBox.XAxis, False)
+        
+    def xMinTextChanged(self):
+        self.ctrl[0].manualRadio.setChecked(True)
+        self.view.setXRange(float(self.ctrl[0].minText.text()), float(self.ctrl[0].maxText.text()), padding=0)
+
+    def xMaxTextChanged(self):
+        self.ctrl[0].manualRadio.setChecked(True)
+        self.view.setXRange(float(self.ctrl[0].minText.text()), float(self.ctrl[0].maxText.text()), padding=0)
+        
+    def xAutoClicked(self):
+        val = self.ctrl[0].autoPercentSpin.value() * 0.01
+        self.view.enableAutoRange(ViewBox.XAxis, val)
+        
+    def xAutoSpinChanged(self, val):
+        self.ctrl[0].autoRadio.setChecked(True)
+        self.view.enableAutoRange(ViewBox.XAxis, val*0.01)
+
+    def xLinkComboChanged(self, ind):
+        self.view.setXLink(str(self.ctrl[0].linkCombo.currentText()))
+
+
+
+    def yMouseToggled(self, b):
+        self.view.setMouseEnabled(y=b)
+
+    def yManualClicked(self):
+        self.view.enableAutoRange(ViewBox.YAxis, False)
+        
+    def yMinTextChanged(self):
+        self.ctrl[1].manualRadio.setChecked(True)
+        self.view.setYRange(float(self.ctrl[1].minText.text()), float(self.ctrl[1].maxText.text()), padding=0)
+        
+    def yMaxTextChanged(self):
+        self.ctrl[1].manualRadio.setChecked(True)
+        self.view.setYRange(float(self.ctrl[1].minText.text()), float(self.ctrl[1].maxText.text()), padding=0)
+        
+    def yAutoClicked(self):
+        val = self.ctrl[1].autoPercentSpin.value() * 0.01
+        self.view.enableAutoRange(ViewBox.YAxis, val)
+        
+    def yAutoSpinChanged(self, val):
+        self.ctrl[1].autoRadio.setChecked(True)
+        self.view.enableAutoRange(ViewBox.YAxis, val*0.01)
+
+    def yLinkComboChanged(self, ind):
+        self.view.setYLink(str(self.ctrl[1].linkCombo.currentText()))
+
+
+    def exportMethod(self):
+        act = self.sender()
+        self.exportMethods[str(act.text())]()
+
+
+    def set3ButtonMode(self):
+        self.view.setLeftButtonAction('pan')
+        
+    def set1ButtonMode(self):
+        self.view.setLeftButtonAction('rect')
+        
+        
+    def setViewList(self, views):
+        views = [''] + views
+        for i in [0,1]:
+            c = self.ctrl[i].linkCombo
+            current = unicode(c.currentText())
+            c.blockSignals(True)
+            changed = True
+            try:
+                c.clear()
+                for v in views:
+                    c.addItem(v)
+                    if v == current:
+                        changed = False
+                        c.setCurrentIndex(c.count()-1)
+            finally:
+                c.blockSignals(False)
+                
+            if changed:
+                c.setCurrentIndex(0)
+                c.currentIndexChanged.emit(c.currentIndex())
+        
+from ViewBox import ViewBox
+        
+    
\ No newline at end of file
diff --git a/graphicsItems/ViewBox/__init__.py b/graphicsItems/ViewBox/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..448283efdb93c4800659f4f97fdc5b28ecd1993b
--- /dev/null
+++ b/graphicsItems/ViewBox/__init__.py
@@ -0,0 +1 @@
+from ViewBox import ViewBox
diff --git a/graphicsItems/ViewBox/axisCtrlTemplate.py b/graphicsItems/ViewBox/axisCtrlTemplate.py
new file mode 100644
index 0000000000000000000000000000000000000000..b229bf3d99bbc794c9f2661cdd064ec27bc774a1
--- /dev/null
+++ b/graphicsItems/ViewBox/axisCtrlTemplate.py
@@ -0,0 +1,73 @@
+# -*- coding: utf-8 -*-
+
+# Form implementation generated from reading ui file 'axisCtrlTemplate.ui'
+#
+# Created: Fri Jan 20 12:41:24 2012
+#      by: PyQt4 UI code generator 4.8.3
+#
+# WARNING! All changes made in this file will be lost!
+
+from PyQt4 import QtCore, QtGui
+
+try:
+    _fromUtf8 = QtCore.QString.fromUtf8
+except AttributeError:
+    _fromUtf8 = lambda s: s
+
+class Ui_Form(object):
+    def setupUi(self, Form):
+        Form.setObjectName(_fromUtf8("Form"))
+        Form.resize(182, 120)
+        Form.setMaximumSize(QtCore.QSize(200, 16777215))
+        self.gridLayout = QtGui.QGridLayout(Form)
+        self.gridLayout.setSpacing(0)
+        self.gridLayout.setObjectName(_fromUtf8("gridLayout"))
+        self.mouseCheck = QtGui.QCheckBox(Form)
+        self.mouseCheck.setChecked(True)
+        self.mouseCheck.setObjectName(_fromUtf8("mouseCheck"))
+        self.gridLayout.addWidget(self.mouseCheck, 0, 1, 1, 2)
+        self.manualRadio = QtGui.QRadioButton(Form)
+        self.manualRadio.setObjectName(_fromUtf8("manualRadio"))
+        self.gridLayout.addWidget(self.manualRadio, 1, 0, 1, 1)
+        self.minText = QtGui.QLineEdit(Form)
+        self.minText.setObjectName(_fromUtf8("minText"))
+        self.gridLayout.addWidget(self.minText, 1, 1, 1, 1)
+        self.maxText = QtGui.QLineEdit(Form)
+        self.maxText.setObjectName(_fromUtf8("maxText"))
+        self.gridLayout.addWidget(self.maxText, 1, 2, 1, 1)
+        self.autoRadio = QtGui.QRadioButton(Form)
+        self.autoRadio.setChecked(True)
+        self.autoRadio.setObjectName(_fromUtf8("autoRadio"))
+        self.gridLayout.addWidget(self.autoRadio, 2, 0, 1, 1)
+        self.autoPercentSpin = QtGui.QSpinBox(Form)
+        self.autoPercentSpin.setEnabled(True)
+        self.autoPercentSpin.setMinimum(1)
+        self.autoPercentSpin.setMaximum(100)
+        self.autoPercentSpin.setSingleStep(1)
+        self.autoPercentSpin.setProperty(_fromUtf8("value"), 100)
+        self.autoPercentSpin.setObjectName(_fromUtf8("autoPercentSpin"))
+        self.gridLayout.addWidget(self.autoPercentSpin, 2, 1, 1, 2)
+        self.autoPanCheck = QtGui.QCheckBox(Form)
+        self.autoPanCheck.setObjectName(_fromUtf8("autoPanCheck"))
+        self.gridLayout.addWidget(self.autoPanCheck, 3, 1, 1, 2)
+        self.linkCombo = QtGui.QComboBox(Form)
+        self.linkCombo.setObjectName(_fromUtf8("linkCombo"))
+        self.gridLayout.addWidget(self.linkCombo, 4, 1, 1, 2)
+        self.label = QtGui.QLabel(Form)
+        self.label.setObjectName(_fromUtf8("label"))
+        self.gridLayout.addWidget(self.label, 4, 0, 1, 1)
+
+        self.retranslateUi(Form)
+        QtCore.QMetaObject.connectSlotsByName(Form)
+
+    def retranslateUi(self, Form):
+        Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
+        self.mouseCheck.setText(QtGui.QApplication.translate("Form", "Mouse Enabled", None, QtGui.QApplication.UnicodeUTF8))
+        self.manualRadio.setText(QtGui.QApplication.translate("Form", "Manual", None, QtGui.QApplication.UnicodeUTF8))
+        self.minText.setText(QtGui.QApplication.translate("Form", "0", None, QtGui.QApplication.UnicodeUTF8))
+        self.maxText.setText(QtGui.QApplication.translate("Form", "0", None, QtGui.QApplication.UnicodeUTF8))
+        self.autoRadio.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
+        self.autoPercentSpin.setSuffix(QtGui.QApplication.translate("Form", "%", None, QtGui.QApplication.UnicodeUTF8))
+        self.autoPanCheck.setText(QtGui.QApplication.translate("Form", "Auto Pan Only", None, QtGui.QApplication.UnicodeUTF8))
+        self.label.setText(QtGui.QApplication.translate("Form", "Link Axis:", None, QtGui.QApplication.UnicodeUTF8))
+
diff --git a/graphicsItems/ViewBox/axisCtrlTemplate.ui b/graphicsItems/ViewBox/axisCtrlTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..f01a3f80c04404ee2b6cdbad292ab5ae9976db6b
--- /dev/null
+++ b/graphicsItems/ViewBox/axisCtrlTemplate.ui
@@ -0,0 +1,110 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>Form</class>
+ <widget class="QWidget" name="Form">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>182</width>
+    <height>120</height>
+   </rect>
+  </property>
+  <property name="maximumSize">
+   <size>
+    <width>200</width>
+    <height>16777215</height>
+   </size>
+  </property>
+  <property name="windowTitle">
+   <string>Form</string>
+  </property>
+  <layout class="QGridLayout" name="gridLayout">
+   <property name="spacing">
+    <number>0</number>
+   </property>
+   <item row="0" column="1" colspan="2">
+    <widget class="QCheckBox" name="mouseCheck">
+     <property name="text">
+      <string>Mouse Enabled</string>
+     </property>
+     <property name="checked">
+      <bool>true</bool>
+     </property>
+    </widget>
+   </item>
+   <item row="1" column="0">
+    <widget class="QRadioButton" name="manualRadio">
+     <property name="text">
+      <string>Manual</string>
+     </property>
+    </widget>
+   </item>
+   <item row="1" column="1">
+    <widget class="QLineEdit" name="minText">
+     <property name="text">
+      <string>0</string>
+     </property>
+    </widget>
+   </item>
+   <item row="1" column="2">
+    <widget class="QLineEdit" name="maxText">
+     <property name="text">
+      <string>0</string>
+     </property>
+    </widget>
+   </item>
+   <item row="2" column="0">
+    <widget class="QRadioButton" name="autoRadio">
+     <property name="text">
+      <string>Auto</string>
+     </property>
+     <property name="checked">
+      <bool>true</bool>
+     </property>
+    </widget>
+   </item>
+   <item row="2" column="1" colspan="2">
+    <widget class="QSpinBox" name="autoPercentSpin">
+     <property name="enabled">
+      <bool>true</bool>
+     </property>
+     <property name="suffix">
+      <string>%</string>
+     </property>
+     <property name="minimum">
+      <number>1</number>
+     </property>
+     <property name="maximum">
+      <number>100</number>
+     </property>
+     <property name="singleStep">
+      <number>1</number>
+     </property>
+     <property name="value">
+      <number>100</number>
+     </property>
+    </widget>
+   </item>
+   <item row="3" column="1" colspan="2">
+    <widget class="QCheckBox" name="autoPanCheck">
+     <property name="text">
+      <string>Auto Pan Only</string>
+     </property>
+    </widget>
+   </item>
+   <item row="4" column="1" colspan="2">
+    <widget class="QComboBox" name="linkCombo"/>
+   </item>
+   <item row="4" column="0">
+    <widget class="QLabel" name="label">
+     <property name="text">
+      <string>Link Axis:</string>
+     </property>
+    </widget>
+   </item>
+  </layout>
+ </widget>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/graphicsItems/__init__.py b/graphicsItems/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..8e411816cc3b005c7f194ddb66cdd0540922cc7f
--- /dev/null
+++ b/graphicsItems/__init__.py
@@ -0,0 +1,21 @@
+### just import everything from sub-modules
+
+#import os
+
+#d = os.path.split(__file__)[0]
+#files = []
+#for f in os.listdir(d):
+    #if os.path.isdir(os.path.join(d, f)):
+        #files.append(f)
+    #elif f[-3:] == '.py' and f != '__init__.py':
+        #files.append(f[:-3])
+    
+#for modName in files:
+    #mod = __import__(modName, globals(), locals(), fromlist=['*'])
+    #if hasattr(mod, '__all__'):
+        #names = mod.__all__
+    #else:
+        #names = [n for n in dir(mod) if n[0] != '_']
+    #for k in names:
+        ##print modName, k
+        #globals()[k] = getattr(mod, k)
diff --git a/graphicsWindows.py b/graphicsWindows.py
index 8b8e8678d38eed6dedb46457033b5bb717235c9e..f2cf87f485cfdf94262bf5e7fe02e8dadbcb47a5 100644
--- a/graphicsWindows.py
+++ b/graphicsWindows.py
@@ -5,9 +5,11 @@ Copyright 2010  Luke Campagnola
 Distributed under MIT/X11 license. See license.txt for more infomation.
 """
 
-from PyQt4 import QtCore, QtGui
-from PlotWidget import *
-from ImageView import *
+from Qt import QtCore, QtGui
+from widgets.PlotWidget import *
+from imageview import *
+from widgets.GraphicsLayoutWidget import GraphicsLayoutWidget
+from widgets.GraphicsView import GraphicsView
 QAPP = None
 
 def mkQApp():
@@ -15,49 +17,12 @@ def mkQApp():
         global QAPP
         QAPP = QtGui.QApplication([])
 
-class GraphicsLayoutWidget(GraphicsView):
-    def __init__(self):
-        GraphicsView.__init__(self)
-        self.items = {}
-        self.currentRow = 0
-        self.currentCol = 0
-    
-    def nextRow(self):
-        """Advance to next row for automatic item placement"""
-        self.currentRow += 1
-        self.currentCol = 0
-        
-    def nextCol(self, colspan=1):
-        """Advance to next column, while returning the current column number 
-        (generally only for internal use)"""
-        self.currentCol += colspan
-        return self.currentCol-colspan
-        
-    def addPlot(self, row=None, col=None, rowspan=1, colspan=1, **kargs):
-        plot = PlotItem(**kargs)
-        self.addItem(plot, row, col, rowspan, colspan)
-        return plot
-
-    def addItem(self, item, row=None, col=None, rowspan=1, colspan=1):
-        if row not in self.items:
-            self.items[row] = {}
-        self.items[row][col] = item
-        
-        if row is None:
-            row = self.currentRow
-        if col is None:
-            col = self.nextCol(colspan)
-        self.centralLayout.addItem(item, row, col, rowspan, colspan)
-
-    def getItem(self, row, col):
-        return self.items[row][col]
-
 
 class GraphicsWindow(GraphicsLayoutWidget):
-    def __init__(self, title=None, size=(800,600)):
+    def __init__(self, title=None, size=(800,600), **kargs):
         mkQApp()
         self.win = QtGui.QMainWindow()
-        GraphicsLayoutWidget.__init__(self)
+        GraphicsLayoutWidget.__init__(self, **kargs)
         self.win.setCentralWidget(self)
         self.win.resize(*size)
         if title is not None:
@@ -83,19 +48,6 @@ class TabWindow(QtGui.QMainWindow):
             raise NameError(attr)
     
 
-#class PlotWindow(QtGui.QMainWindow):
-    #def __init__(self, title=None, **kargs):
-        #mkQApp()
-        #QtGui.QMainWindow.__init__(self)
-        #self.cw = PlotWidget(**kargs)
-        #self.setCentralWidget(self.cw)
-        #for m in ['plot', 'autoRange', 'addItem', 'removeItem', 'setLabel', 'clear', 'viewRect']:
-            #setattr(self, m, getattr(self.cw, m))
-        #if title is not None:
-            #self.setWindowTitle(title)
-        #self.show()
-
-
 class PlotWindow(PlotWidget):
     def __init__(self, title=None, **kargs):
         mkQApp()
diff --git a/graphicsWindows.pyc b/graphicsWindows.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..415b490152399763e69e5d88fec199297f1cb2fb
Binary files /dev/null and b/graphicsWindows.pyc differ
diff --git a/ImageView.py b/imageview/ImageView.py
similarity index 76%
rename from ImageView.py
rename to imageview/ImageView.py
index 3c293964cc0197effcf0d3db7062a3c21fd59229..2e04c82b1793716490dd2d1e76032ea84b4521fb 100644
--- a/ImageView.py
+++ b/imageview/ImageView.py
@@ -14,26 +14,32 @@ Widget used for displaying 2D or 3D data. Features:
 """
 
 from ImageViewTemplate import *
-from graphicsItems import *
-from widgets import ROI
-from PyQt4 import QtCore, QtGui
+from pyqtgraph.graphicsItems.ImageItem import *
+from pyqtgraph.graphicsItems.ROI import *
+from pyqtgraph.graphicsItems.LinearRegionItem import *
+from pyqtgraph.graphicsItems.InfiniteLine import *
+from pyqtgraph.graphicsItems.ViewBox import *
+#from widgets import ROI
+from pyqtgraph.Qt import QtCore, QtGui
 import sys
 #from numpy import ndarray
 import ptime
 import numpy as np
 import debug
 
-from SignalProxy import proxyConnect
+from pyqtgraph.SignalProxy import SignalProxy
 
 class PlotROI(ROI):
     def __init__(self, size):
         ROI.__init__(self, pos=[0,0], size=size, scaleSnap=True, translateSnap=True)
         self.addScaleHandle([1, 1], [0, 0])
+        self.addRotateHandle([0, 0], [0.5, 0.5])
 
 
 class ImageView(QtGui.QWidget):
     
     sigTimeChanged = QtCore.Signal(object, object)
+    sigProcessingChanged = QtCore.Signal(object)
     
     def __init__(self, parent=None, name="ImageView", *args):
         QtGui.QWidget.__init__(self, parent, *args)
@@ -41,52 +47,59 @@ class ImageView(QtGui.QWidget):
         self.levelMin = 0
         self.name = name
         self.image = None
+        self.axes = {}
         self.imageDisp = None
         self.ui = Ui_Form()
         self.ui.setupUi(self)
-        self.scene = self.ui.graphicsView.sceneObj
+        self.scene = self.ui.graphicsView.scene()
         
         self.ignoreTimeLine = False
         
-        if 'linux' in sys.platform.lower():   ## Stupid GL bug in linux.
-            self.ui.graphicsView.setViewport(QtGui.QWidget())
+        #if 'linux' in sys.platform.lower():   ## Stupid GL bug in linux.
+        #    self.ui.graphicsView.setViewport(QtGui.QWidget())
         
-        self.ui.graphicsView.enableMouse(True)
-        self.ui.graphicsView.autoPixelRange = False
-        self.ui.graphicsView.setAspectLocked(True)
+        #self.ui.graphicsView.enableMouse(True)
+        #self.ui.graphicsView.autoPixelRange = False
+        #self.ui.graphicsView.setAspectLocked(True)
         #self.ui.graphicsView.invertY()
-        self.ui.graphicsView.enableMouse()
-        
-        self.ticks = [t[0] for t in self.ui.gradientWidget.listTicks()]
-        self.ticks[0].colorChangeAllowed = False
-        self.ticks[1].colorChangeAllowed = False
-        self.ui.gradientWidget.allowAdd = False
-        self.ui.gradientWidget.setTickColor(self.ticks[1], QtGui.QColor(255,255,255))
-        self.ui.gradientWidget.setOrientation('right')
+        #self.ui.graphicsView.enableMouse()
+        self.view = ViewBox()
+        self.ui.graphicsView.setCentralItem(self.view)
+        self.view.setAspectLocked(True)
+        self.view.invertY()
+        
+        #self.ticks = [t[0] for t in self.ui.gradientWidget.listTicks()]
+        #self.ticks[0].colorChangeAllowed = False
+        #self.ticks[1].colorChangeAllowed = False
+        #self.ui.gradientWidget.allowAdd = False
+        #self.ui.gradientWidget.setTickColor(self.ticks[1], QtGui.QColor(255,255,255))
+        #self.ui.gradientWidget.setOrientation('right')
         
         self.imageItem = ImageItem()
-        self.scene.addItem(self.imageItem)
+        self.view.addItem(self.imageItem)
         self.currentIndex = 0
         
+        self.ui.histogram.setImageItem(self.imageItem)
+        
         self.ui.normGroup.hide()
 
         self.roi = PlotROI(10)
         self.roi.setZValue(20)
-        self.scene.addItem(self.roi)
+        self.view.addItem(self.roi)
         self.roi.hide()
         self.normRoi = PlotROI(10)
         self.normRoi.setPen(QtGui.QPen(QtGui.QColor(255,255,0)))
         self.normRoi.setZValue(20)
-        self.scene.addItem(self.normRoi)
+        self.view.addItem(self.normRoi)
         self.normRoi.hide()
         #self.ui.roiPlot.hide()
         self.roiCurve = self.ui.roiPlot.plot()
-        self.timeLine = InfiniteLine(self.ui.roiPlot, 0, movable=True)
+        self.timeLine = InfiniteLine(0, movable=True)
         self.timeLine.setPen(QtGui.QPen(QtGui.QColor(255, 255, 0, 200)))
         self.timeLine.setZValue(1)
         self.ui.roiPlot.addItem(self.timeLine)
         self.ui.splitter.setSizes([self.height()-35, 35])
-        self.ui.roiPlot.showScale('left', False)
+        self.ui.roiPlot.hideAxis('left')
         
         self.keysPressed = {}
         self.playTimer = QtCore.QTimer()
@@ -100,70 +113,53 @@ class ImageView(QtGui.QWidget):
             #self.ui.roiPlot.addItem(l)
             #self.normLines.append(l)
             #l.hide()
-        self.normRgn = LinearRegionItem(self.ui.roiPlot, 'vertical')
+        self.normRgn = LinearRegionItem()
         self.normRgn.setZValue(0)
         self.ui.roiPlot.addItem(self.normRgn)
         self.normRgn.hide()
             
-        ## wrap functions from graphics view
+        ## wrap functions from view box
         for fn in ['addItem', 'removeItem']:
-            setattr(self, fn, getattr(self.ui.graphicsView, fn))
+            setattr(self, fn, getattr(self.view, fn))
+
+        ## wrap functions from histogram
+        for fn in ['setHistogramRange', 'autoHistogramRange', 'getLookupTable', 'getLevels']:
+            setattr(self, fn, getattr(self.ui.histogram, fn))
 
-        #QtCore.QObject.connect(self.ui.timeSlider, QtCore.SIGNAL('valueChanged(int)'), self.timeChanged)
-        #self.timeLine.connect(self.timeLine, QtCore.SIGNAL('positionChanged'), self.timeLineChanged)
         self.timeLine.sigPositionChanged.connect(self.timeLineChanged)
-        #QtCore.QObject.connect(self.ui.whiteSlider, QtCore.SIGNAL('valueChanged(int)'), self.updateImage)
-        #QtCore.QObject.connect(self.ui.blackSlider, QtCore.SIGNAL('valueChanged(int)'), self.updateImage)
-        #QtCore.QObject.connect(self.ui.gradientWidget, QtCore.SIGNAL('gradientChanged'), self.updateImage)
-        self.ui.gradientWidget.sigGradientChanged.connect(self.updateImage)
-        #QtCore.QObject.connect(self.ui.roiBtn, QtCore.SIGNAL('clicked()'), self.roiClicked)
+        #self.ui.gradientWidget.sigGradientChanged.connect(self.updateImage)
         self.ui.roiBtn.clicked.connect(self.roiClicked)
-        #self.roi.connect(self.roi, QtCore.SIGNAL('regionChanged'), self.roiChanged)
         self.roi.sigRegionChanged.connect(self.roiChanged)
-        #QtCore.QObject.connect(self.ui.normBtn, QtCore.SIGNAL('toggled(bool)'), self.normToggled)
         self.ui.normBtn.toggled.connect(self.normToggled)
-        #QtCore.QObject.connect(self.ui.normDivideRadio, QtCore.SIGNAL('clicked()'), self.updateNorm)
-        self.ui.normDivideRadio.clicked.connect(self.updateNorm)
-        #QtCore.QObject.connect(self.ui.normSubtractRadio, QtCore.SIGNAL('clicked()'), self.updateNorm)
-        self.ui.normSubtractRadio.clicked.connect(self.updateNorm)
-        #QtCore.QObject.connect(self.ui.normOffRadio, QtCore.SIGNAL('clicked()'), self.updateNorm)
-        self.ui.normOffRadio.clicked.connect(self.updateNorm)
-        #QtCore.QObject.connect(self.ui.normROICheck, QtCore.SIGNAL('clicked()'), self.updateNorm)
+        self.ui.normDivideRadio.clicked.connect(self.normRadioChanged)
+        self.ui.normSubtractRadio.clicked.connect(self.normRadioChanged)
+        self.ui.normOffRadio.clicked.connect(self.normRadioChanged)
         self.ui.normROICheck.clicked.connect(self.updateNorm)
-        #QtCore.QObject.connect(self.ui.normFrameCheck, QtCore.SIGNAL('clicked()'), self.updateNorm)
         self.ui.normFrameCheck.clicked.connect(self.updateNorm)
-        #QtCore.QObject.connect(self.ui.normTimeRangeCheck, QtCore.SIGNAL('clicked()'), self.updateNorm)
         self.ui.normTimeRangeCheck.clicked.connect(self.updateNorm)
-        #QtCore.QObject.connect(self.playTimer, QtCore.SIGNAL('timeout()'), self.timeout)
         self.playTimer.timeout.connect(self.timeout)
         
-        ##QtCore.QObject.connect(self.ui.normStartSlider, QtCore.SIGNAL('valueChanged(int)'), self.updateNorm)
-        #QtCore.QObject.connect(self.ui.normStopSlider, QtCore.SIGNAL('valueChanged(int)'), self.updateNorm)
-        self.normProxy = proxyConnect(None, self.normRgn.sigRegionChanged, self.updateNorm)
-        #self.normRoi.connect(self.normRoi, QtCore.SIGNAL('regionChangeFinished'), self.updateNorm)
+        self.normProxy = SignalProxy(self.normRgn.sigRegionChanged, slot=self.updateNorm)
         self.normRoi.sigRegionChangeFinished.connect(self.updateNorm)
         
         self.ui.roiPlot.registerPlot(self.name + '_ROI')
         
         self.noRepeatKeys = [QtCore.Qt.Key_Right, QtCore.Qt.Key_Left, QtCore.Qt.Key_Up, QtCore.Qt.Key_Down, QtCore.Qt.Key_PageUp, QtCore.Qt.Key_PageDown]
-
-    #def __dtor__(self):
-        ##print "Called ImageView sip destructor"
-        #self.quit()
-        #QtGui.QWidget.__dtor__(self)
         
+        
+        self.roiClicked() ## initialize roi plot to correct shape / visibility
+
     def close(self):
         self.ui.roiPlot.close()
         self.ui.graphicsView.close()
-        self.ui.gradientWidget.sigGradientChanged.disconnect(self.updateImage)
+        #self.ui.gradientWidget.sigGradientChanged.disconnect(self.updateImage)
         self.scene.clear()
         del self.image
         del self.imageDisp
-        #self.image = None
-        #self.imageDisp = None
         self.setParent(None)
         
     def keyPressEvent(self, ev):
+        #print ev.key()
         if ev.key() == QtCore.Qt.Key_Space:
             if self.playRate == 0:
                 fps = (self.getProcessedImage().shape[0]-1) / (self.tVals[-1] - self.tVals[0])
@@ -255,7 +251,7 @@ class ImageView(QtGui.QWidget):
             self.jumpFrames(n)
         
     def setCurrentIndex(self, ind):
-        self.currentIndex = clip(ind, 0, self.getProcessedImage().shape[0]-1)
+        self.currentIndex = np.clip(ind, 0, self.getProcessedImage().shape[0]-1)
         self.updateImage()
         self.ignoreTimeLine = True
         self.timeLine.setValue(self.tVals[self.currentIndex])
@@ -266,6 +262,13 @@ class ImageView(QtGui.QWidget):
         if self.axes['t'] is not None:
             self.setCurrentIndex(self.currentIndex + n)
 
+    def normRadioChanged(self):
+        self.imageDisp = None
+        self.updateImage()
+        self.roiChanged()
+        self.sigProcessingChanged.emit(self)
+        
+    
     def updateNorm(self):
         #for l, sl in zip(self.normLines, [self.ui.normStartSlider, self.ui.normStopSlider]):
             #if self.ui.normTimeRangeCheck.isChecked():
@@ -288,31 +291,52 @@ class ImageView(QtGui.QWidget):
         else:
             self.normRoi.hide()
         
-        self.imageDisp = None
-        self.updateImage()
-        self.roiChanged()
+        if not self.ui.normOffRadio.isChecked():
+            self.imageDisp = None
+            self.updateImage()
+            self.roiChanged()
+            self.sigProcessingChanged.emit(self)
 
     def normToggled(self, b):
         self.ui.normGroup.setVisible(b)
         self.normRoi.setVisible(b and self.ui.normROICheck.isChecked())
         self.normRgn.setVisible(b and self.ui.normTimeRangeCheck.isChecked())
 
+    def hasTimeAxis(self):
+        return 't' in self.axes and self.axes['t'] is not None
+
     def roiClicked(self):
+        showRoiPlot = False
         if self.ui.roiBtn.isChecked():
+            showRoiPlot = True
             self.roi.show()
             #self.ui.roiPlot.show()
             self.ui.roiPlot.setMouseEnabled(True, True)
             self.ui.splitter.setSizes([self.height()*0.6, self.height()*0.4])
             self.roiCurve.show()
             self.roiChanged()
-            self.ui.roiPlot.showScale('left', True)
+            self.ui.roiPlot.showAxis('left')
         else:
             self.roi.hide()
             self.ui.roiPlot.setMouseEnabled(False, False)
-            self.ui.roiPlot.setXRange(self.tVals.min(), self.tVals.max())
-            self.ui.splitter.setSizes([self.height()-35, 35])
             self.roiCurve.hide()
-            self.ui.roiPlot.showScale('left', False)
+            self.ui.roiPlot.hideAxis('left')
+            
+        if self.hasTimeAxis():
+            showRoiPlot = True
+            mn = self.tVals.min()
+            mx = self.tVals.max()
+            self.ui.roiPlot.setXRange(mn, mx, padding=0.01)
+            self.timeLine.show()
+            self.timeLine.setBounds([mn, mx])
+            self.ui.roiPlot.show()
+            if not self.ui.roiBtn.isChecked():
+                self.ui.splitter.setSizes([self.height()-35, 35])
+        else:
+            self.timeLine.hide()
+            #self.ui.roiPlot.hide()
+            
+        self.ui.roiPlot.setVisible(showRoiPlot)
 
     def roiChanged(self):
         if self.image is None:
@@ -329,7 +353,11 @@ class ImageView(QtGui.QWidget):
         if data is not None:
             while data.ndim > 1:
                 data = data.mean(axis=1)
-            self.roiCurve.setData(y=data, x=self.tVals)
+            if image.ndim == 3:
+                self.roiCurve.setData(y=data, x=self.tVals)
+            else:
+                self.roiCurve.setData(y=data, x=range(len(data)))
+                
             #self.ui.roiPlot.replot()
 
     def setImage(self, img, autoRange=True, autoLevels=True, levels=None, axes=None, xvals=None, pos=None, scale=None):
@@ -390,15 +418,16 @@ class ImageView(QtGui.QWidget):
         self.imageDisp = None
         
         
+        prof.mark('3')
+            
+        self.currentIndex = 0
+        self.updateImage()
         if levels is None and autoLevels:
             self.autoLevels()
         if levels is not None:  ## this does nothing since getProcessedImage sets these values again.
             self.levelMax = levels[1]
             self.levelMin = levels[0]
-        prof.mark('3')
             
-        self.currentIndex = 0
-        self.updateImage()
         if self.ui.roiBtn.isChecked():
             self.roiChanged()
         prof.mark('4')
@@ -436,29 +465,31 @@ class ImageView(QtGui.QWidget):
         self.roiClicked()
         prof.mark('7')
         prof.finish()
-            
+
+
     def autoLevels(self):
-        image = self.getProcessedImage()
+        #image = self.getProcessedImage()
+        self.setLevels(self.levelMin, self.levelMax)
         
-        #self.ui.whiteSlider.setValue(self.ui.whiteSlider.maximum())
-        #self.ui.blackSlider.setValue(0)
-        
-        self.ui.gradientWidget.setTickValue(self.ticks[0], 0.0)
-        self.ui.gradientWidget.setTickValue(self.ticks[1], 1.0)
-        self.imageItem.setLevels(white=self.whiteLevel(), black=self.blackLevel())
+        #self.ui.histogram.imageChanged(autoLevel=True)
             
 
+    def setLevels(self, min, max):
+        self.ui.histogram.setLevels(min, max)
+
     def autoRange(self):
         image = self.getProcessedImage()
         
         #self.ui.graphicsView.setRange(QtCore.QRectF(0, 0, image.shape[self.axes['x']], image.shape[self.axes['y']]), padding=0., lockAspect=True)        
-        self.ui.graphicsView.setRange(self.imageItem.sceneBoundingRect(), padding=0., lockAspect=True)
+        self.view.setRange(self.imageItem.boundingRect(), padding=0.)
         
     def getProcessedImage(self):
         if self.imageDisp is None:
             image = self.normalize(self.image)
             self.imageDisp = image
             self.levelMin, self.levelMax = map(float, ImageView.quickMinMax(self.imageDisp))
+            self.ui.histogram.setHistogramRange(self.levelMin, self.levelMax)
+            
         return self.imageDisp
 
     @staticmethod
@@ -536,14 +567,14 @@ class ImageView(QtGui.QWidget):
         #print "update:", image.ndim, image.max(), image.min(), self.blackLevel(), self.whiteLevel()
         if self.axes['t'] is None:
             #self.ui.timeSlider.hide()
-            self.imageItem.updateImage(image, white=self.whiteLevel(), black=self.blackLevel())
-            self.ui.roiPlot.hide()
-            self.ui.roiBtn.hide()
+            self.imageItem.updateImage(image)
+            #self.ui.roiPlot.hide()
+            #self.ui.roiBtn.hide()
         else:
-            self.ui.roiBtn.show()
+            #self.ui.roiBtn.show()
             self.ui.roiPlot.show()
             #self.ui.timeSlider.show()
-            self.imageItem.updateImage(image[self.currentIndex], white=self.whiteLevel(), black=self.blackLevel())
+            self.imageItem.updateImage(image[self.currentIndex])
             
             
     def timeIndex(self, slider):
@@ -574,11 +605,12 @@ class ImageView(QtGui.QWidget):
         #print ind
         return ind, t
 
-    def whiteLevel(self):
-        return self.levelMin + (self.levelMax-self.levelMin) * self.ui.gradientWidget.tickValue(self.ticks[1])
-        #return self.levelMin + (self.levelMax-self.levelMin) * self.ui.whiteSlider.value() / self.ui.whiteSlider.maximum() 
+    #def whiteLevel(self):
+        #return self.levelMin + (self.levelMax-self.levelMin) * self.ui.gradientWidget.tickValue(self.ticks[1])
+        ##return self.levelMin + (self.levelMax-self.levelMin) * self.ui.whiteSlider.value() / self.ui.whiteSlider.maximum() 
     
-    def blackLevel(self):
-        return self.levelMin + (self.levelMax-self.levelMin) * self.ui.gradientWidget.tickValue(self.ticks[0])
-        #return self.levelMin + ((self.levelMax-self.levelMin) / self.ui.blackSlider.maximum()) * self.ui.blackSlider.value()
-        
\ No newline at end of file
+    #def blackLevel(self):
+        #return self.levelMin + (self.levelMax-self.levelMin) * self.ui.gradientWidget.tickValue(self.ticks[0])
+        ##return self.levelMin + ((self.levelMax-self.levelMin) / self.ui.blackSlider.maximum()) * self.ui.blackSlider.value()
+        
+    
\ No newline at end of file
diff --git a/ImageViewTemplate.py b/imageview/ImageViewTemplate.py
similarity index 80%
rename from ImageViewTemplate.py
rename to imageview/ImageViewTemplate.py
index fe283a7455875cffe39adc37f795f8168f5d9bf4..cf00ed7fb7f316191f63750c1d26f118e32be1d9 100644
--- a/ImageViewTemplate.py
+++ b/imageview/ImageViewTemplate.py
@@ -1,8 +1,8 @@
 # -*- coding: utf-8 -*-
 
-# Form implementation generated from reading ui file './lib/util/pyqtgraph/ImageViewTemplate.ui'
+# Form implementation generated from reading ui file 'ImageViewTemplate.ui'
 #
-# Created: Wed May 18 20:44:20 2011
+# Created: Tue Jan 17 23:09:04 2012
 #      by: PyQt4 UI code generator 4.8.3
 #
 # WARNING! All changes made in this file will be lost!
@@ -18,57 +18,53 @@ class Ui_Form(object):
     def setupUi(self, Form):
         Form.setObjectName(_fromUtf8("Form"))
         Form.resize(726, 588)
-        self.verticalLayout = QtGui.QVBoxLayout(Form)
-        self.verticalLayout.setSpacing(0)
-        self.verticalLayout.setMargin(0)
-        self.verticalLayout.setObjectName(_fromUtf8("verticalLayout"))
+        self.gridLayout_3 = QtGui.QGridLayout(Form)
+        self.gridLayout_3.setMargin(0)
+        self.gridLayout_3.setSpacing(0)
+        self.gridLayout_3.setObjectName(_fromUtf8("gridLayout_3"))
         self.splitter = QtGui.QSplitter(Form)
         self.splitter.setOrientation(QtCore.Qt.Vertical)
         self.splitter.setObjectName(_fromUtf8("splitter"))
         self.layoutWidget = QtGui.QWidget(self.splitter)
         self.layoutWidget.setObjectName(_fromUtf8("layoutWidget"))
         self.gridLayout = QtGui.QGridLayout(self.layoutWidget)
-        self.gridLayout.setMargin(0)
         self.gridLayout.setSpacing(0)
         self.gridLayout.setMargin(0)
         self.gridLayout.setObjectName(_fromUtf8("gridLayout"))
         self.graphicsView = GraphicsView(self.layoutWidget)
-        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Expanding)
-        sizePolicy.setHorizontalStretch(10)
-        sizePolicy.setVerticalStretch(10)
-        sizePolicy.setHeightForWidth(self.graphicsView.sizePolicy().hasHeightForWidth())
-        self.graphicsView.setSizePolicy(sizePolicy)
         self.graphicsView.setObjectName(_fromUtf8("graphicsView"))
-        self.gridLayout.addWidget(self.graphicsView, 1, 0, 3, 1)
+        self.gridLayout.addWidget(self.graphicsView, 0, 0, 2, 1)
+        self.histogram = HistogramLUTWidget(self.layoutWidget)
+        self.histogram.setObjectName(_fromUtf8("histogram"))
+        self.gridLayout.addWidget(self.histogram, 0, 1, 1, 2)
         self.roiBtn = QtGui.QPushButton(self.layoutWidget)
         sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Minimum, QtGui.QSizePolicy.Fixed)
         sizePolicy.setHorizontalStretch(0)
         sizePolicy.setVerticalStretch(1)
         sizePolicy.setHeightForWidth(self.roiBtn.sizePolicy().hasHeightForWidth())
         self.roiBtn.setSizePolicy(sizePolicy)
-        self.roiBtn.setMaximumSize(QtCore.QSize(30, 16777215))
         self.roiBtn.setCheckable(True)
         self.roiBtn.setObjectName(_fromUtf8("roiBtn"))
-        self.gridLayout.addWidget(self.roiBtn, 3, 3, 1, 1)
-        self.gradientWidget = GradientWidget(self.layoutWidget)
-        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Preferred, QtGui.QSizePolicy.Expanding)
-        sizePolicy.setHorizontalStretch(0)
-        sizePolicy.setVerticalStretch(100)
-        sizePolicy.setHeightForWidth(self.gradientWidget.sizePolicy().hasHeightForWidth())
-        self.gradientWidget.setSizePolicy(sizePolicy)
-        self.gradientWidget.setObjectName(_fromUtf8("gradientWidget"))
-        self.gridLayout.addWidget(self.gradientWidget, 1, 3, 1, 1)
+        self.gridLayout.addWidget(self.roiBtn, 1, 1, 1, 1)
         self.normBtn = QtGui.QPushButton(self.layoutWidget)
         sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Minimum, QtGui.QSizePolicy.Fixed)
         sizePolicy.setHorizontalStretch(0)
         sizePolicy.setVerticalStretch(1)
         sizePolicy.setHeightForWidth(self.normBtn.sizePolicy().hasHeightForWidth())
         self.normBtn.setSizePolicy(sizePolicy)
-        self.normBtn.setMaximumSize(QtCore.QSize(30, 16777215))
         self.normBtn.setCheckable(True)
         self.normBtn.setObjectName(_fromUtf8("normBtn"))
-        self.gridLayout.addWidget(self.normBtn, 2, 3, 1, 1)
-        self.normGroup = QtGui.QGroupBox(self.layoutWidget)
+        self.gridLayout.addWidget(self.normBtn, 1, 2, 1, 1)
+        self.roiPlot = PlotWidget(self.splitter)
+        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Preferred, QtGui.QSizePolicy.Preferred)
+        sizePolicy.setHorizontalStretch(0)
+        sizePolicy.setVerticalStretch(0)
+        sizePolicy.setHeightForWidth(self.roiPlot.sizePolicy().hasHeightForWidth())
+        self.roiPlot.setSizePolicy(sizePolicy)
+        self.roiPlot.setMinimumSize(QtCore.QSize(0, 40))
+        self.roiPlot.setObjectName(_fromUtf8("roiPlot"))
+        self.gridLayout_3.addWidget(self.splitter, 0, 0, 1, 1)
+        self.normGroup = QtGui.QGroupBox(Form)
         self.normGroup.setObjectName(_fromUtf8("normGroup"))
         self.gridLayout_2 = QtGui.QGridLayout(self.normGroup)
         self.gridLayout_2.setMargin(0)
@@ -136,24 +132,15 @@ class Ui_Form(object):
         self.normTBlurSpin = QtGui.QDoubleSpinBox(self.normGroup)
         self.normTBlurSpin.setObjectName(_fromUtf8("normTBlurSpin"))
         self.gridLayout_2.addWidget(self.normTBlurSpin, 2, 6, 1, 1)
-        self.gridLayout.addWidget(self.normGroup, 0, 0, 1, 4)
-        self.roiPlot = PlotWidget(self.splitter)
-        sizePolicy = QtGui.QSizePolicy(QtGui.QSizePolicy.Preferred, QtGui.QSizePolicy.Preferred)
-        sizePolicy.setHorizontalStretch(0)
-        sizePolicy.setVerticalStretch(0)
-        sizePolicy.setHeightForWidth(self.roiPlot.sizePolicy().hasHeightForWidth())
-        self.roiPlot.setSizePolicy(sizePolicy)
-        self.roiPlot.setMinimumSize(QtCore.QSize(0, 40))
-        self.roiPlot.setObjectName(_fromUtf8("roiPlot"))
-        self.verticalLayout.addWidget(self.splitter)
+        self.gridLayout_3.addWidget(self.normGroup, 1, 0, 1, 1)
 
         self.retranslateUi(Form)
         QtCore.QMetaObject.connectSlotsByName(Form)
 
     def retranslateUi(self, Form):
         Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
-        self.roiBtn.setText(QtGui.QApplication.translate("Form", "R", None, QtGui.QApplication.UnicodeUTF8))
-        self.normBtn.setText(QtGui.QApplication.translate("Form", "N", None, QtGui.QApplication.UnicodeUTF8))
+        self.roiBtn.setText(QtGui.QApplication.translate("Form", "ROI", None, QtGui.QApplication.UnicodeUTF8))
+        self.normBtn.setText(QtGui.QApplication.translate("Form", "Norm", None, QtGui.QApplication.UnicodeUTF8))
         self.normGroup.setTitle(QtGui.QApplication.translate("Form", "Normalization", None, QtGui.QApplication.UnicodeUTF8))
         self.normSubtractRadio.setText(QtGui.QApplication.translate("Form", "Subtract", None, QtGui.QApplication.UnicodeUTF8))
         self.normDivideRadio.setText(QtGui.QApplication.translate("Form", "Divide", None, QtGui.QApplication.UnicodeUTF8))
@@ -168,6 +155,6 @@ class Ui_Form(object):
         self.normTimeRangeCheck.setText(QtGui.QApplication.translate("Form", "Time range", None, QtGui.QApplication.UnicodeUTF8))
         self.normFrameCheck.setText(QtGui.QApplication.translate("Form", "Frame", None, QtGui.QApplication.UnicodeUTF8))
 
-from GraphicsView import GraphicsView
-from pyqtgraph.GradientWidget import GradientWidget
-from PlotWidget import PlotWidget
+from pyqtgraph.widgets.GraphicsView import GraphicsView
+from pyqtgraph.widgets.PlotWidget import PlotWidget
+from pyqtgraph.widgets.HistogramLUTWidget import HistogramLUTWidget
diff --git a/imageview/ImageViewTemplate.ui b/imageview/ImageViewTemplate.ui
new file mode 100644
index 0000000000000000000000000000000000000000..497c0c59db0429f7598816827ececad7ef1420d3
--- /dev/null
+++ b/imageview/ImageViewTemplate.ui
@@ -0,0 +1,252 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<ui version="4.0">
+ <class>Form</class>
+ <widget class="QWidget" name="Form">
+  <property name="geometry">
+   <rect>
+    <x>0</x>
+    <y>0</y>
+    <width>726</width>
+    <height>588</height>
+   </rect>
+  </property>
+  <property name="windowTitle">
+   <string>Form</string>
+  </property>
+  <layout class="QGridLayout" name="gridLayout_3">
+   <property name="margin">
+    <number>0</number>
+   </property>
+   <property name="spacing">
+    <number>0</number>
+   </property>
+   <item row="0" column="0">
+    <widget class="QSplitter" name="splitter">
+     <property name="orientation">
+      <enum>Qt::Vertical</enum>
+     </property>
+     <widget class="QWidget" name="layoutWidget">
+      <layout class="QGridLayout" name="gridLayout">
+       <property name="spacing">
+        <number>0</number>
+       </property>
+       <item row="0" column="0" rowspan="2">
+        <widget class="GraphicsView" name="graphicsView"/>
+       </item>
+       <item row="0" column="1" colspan="2">
+        <widget class="HistogramLUTWidget" name="histogram"/>
+       </item>
+       <item row="1" column="1">
+        <widget class="QPushButton" name="roiBtn">
+         <property name="sizePolicy">
+          <sizepolicy hsizetype="Minimum" vsizetype="Fixed">
+           <horstretch>0</horstretch>
+           <verstretch>1</verstretch>
+          </sizepolicy>
+         </property>
+         <property name="text">
+          <string>ROI</string>
+         </property>
+         <property name="checkable">
+          <bool>true</bool>
+         </property>
+        </widget>
+       </item>
+       <item row="1" column="2">
+        <widget class="QPushButton" name="normBtn">
+         <property name="sizePolicy">
+          <sizepolicy hsizetype="Minimum" vsizetype="Fixed">
+           <horstretch>0</horstretch>
+           <verstretch>1</verstretch>
+          </sizepolicy>
+         </property>
+         <property name="text">
+          <string>Norm</string>
+         </property>
+         <property name="checkable">
+          <bool>true</bool>
+         </property>
+        </widget>
+       </item>
+      </layout>
+     </widget>
+     <widget class="PlotWidget" name="roiPlot" native="true">
+      <property name="sizePolicy">
+       <sizepolicy hsizetype="Preferred" vsizetype="Preferred">
+        <horstretch>0</horstretch>
+        <verstretch>0</verstretch>
+       </sizepolicy>
+      </property>
+      <property name="minimumSize">
+       <size>
+        <width>0</width>
+        <height>40</height>
+       </size>
+      </property>
+     </widget>
+    </widget>
+   </item>
+   <item row="1" column="0">
+    <widget class="QGroupBox" name="normGroup">
+     <property name="title">
+      <string>Normalization</string>
+     </property>
+     <layout class="QGridLayout" name="gridLayout_2">
+      <property name="margin">
+       <number>0</number>
+      </property>
+      <property name="spacing">
+       <number>0</number>
+      </property>
+      <item row="0" column="2">
+       <widget class="QRadioButton" name="normSubtractRadio">
+        <property name="text">
+         <string>Subtract</string>
+        </property>
+       </widget>
+      </item>
+      <item row="0" column="1">
+       <widget class="QRadioButton" name="normDivideRadio">
+        <property name="text">
+         <string>Divide</string>
+        </property>
+        <property name="checked">
+         <bool>false</bool>
+        </property>
+       </widget>
+      </item>
+      <item row="0" column="0">
+       <widget class="QLabel" name="label_5">
+        <property name="font">
+         <font>
+          <weight>75</weight>
+          <bold>true</bold>
+         </font>
+        </property>
+        <property name="text">
+         <string>Operation:</string>
+        </property>
+       </widget>
+      </item>
+      <item row="1" column="0">
+       <widget class="QLabel" name="label_3">
+        <property name="font">
+         <font>
+          <weight>75</weight>
+          <bold>true</bold>
+         </font>
+        </property>
+        <property name="text">
+         <string>Mean:</string>
+        </property>
+       </widget>
+      </item>
+      <item row="2" column="0">
+       <widget class="QLabel" name="label_4">
+        <property name="font">
+         <font>
+          <weight>75</weight>
+          <bold>true</bold>
+         </font>
+        </property>
+        <property name="text">
+         <string>Blur:</string>
+        </property>
+       </widget>
+      </item>
+      <item row="1" column="1">
+       <widget class="QCheckBox" name="normROICheck">
+        <property name="text">
+         <string>ROI</string>
+        </property>
+       </widget>
+      </item>
+      <item row="2" column="2">
+       <widget class="QDoubleSpinBox" name="normXBlurSpin"/>
+      </item>
+      <item row="2" column="1">
+       <widget class="QLabel" name="label_8">
+        <property name="text">
+         <string>X</string>
+        </property>
+        <property name="alignment">
+         <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set>
+        </property>
+       </widget>
+      </item>
+      <item row="2" column="3">
+       <widget class="QLabel" name="label_9">
+        <property name="text">
+         <string>Y</string>
+        </property>
+        <property name="alignment">
+         <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set>
+        </property>
+       </widget>
+      </item>
+      <item row="2" column="4">
+       <widget class="QDoubleSpinBox" name="normYBlurSpin"/>
+      </item>
+      <item row="2" column="5">
+       <widget class="QLabel" name="label_10">
+        <property name="text">
+         <string>T</string>
+        </property>
+        <property name="alignment">
+         <set>Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter</set>
+        </property>
+       </widget>
+      </item>
+      <item row="0" column="3">
+       <widget class="QRadioButton" name="normOffRadio">
+        <property name="text">
+         <string>Off</string>
+        </property>
+        <property name="checked">
+         <bool>true</bool>
+        </property>
+       </widget>
+      </item>
+      <item row="1" column="3">
+       <widget class="QCheckBox" name="normTimeRangeCheck">
+        <property name="text">
+         <string>Time range</string>
+        </property>
+       </widget>
+      </item>
+      <item row="1" column="2">
+       <widget class="QCheckBox" name="normFrameCheck">
+        <property name="text">
+         <string>Frame</string>
+        </property>
+       </widget>
+      </item>
+      <item row="2" column="6">
+       <widget class="QDoubleSpinBox" name="normTBlurSpin"/>
+      </item>
+     </layout>
+    </widget>
+   </item>
+  </layout>
+ </widget>
+ <customwidgets>
+  <customwidget>
+   <class>PlotWidget</class>
+   <extends>QWidget</extends>
+   <header>pyqtgraph.widgets.PlotWidget</header>
+   <container>1</container>
+  </customwidget>
+  <customwidget>
+   <class>GraphicsView</class>
+   <extends>QGraphicsView</extends>
+   <header>pyqtgraph.widgets.GraphicsView</header>
+  </customwidget>
+  <customwidget>
+   <class>HistogramLUTWidget</class>
+   <extends>QGraphicsView</extends>
+   <header>pyqtgraph.widgets.HistogramLUTWidget</header>
+  </customwidget>
+ </customwidgets>
+ <resources/>
+ <connections/>
+</ui>
diff --git a/imageview/__init__.py b/imageview/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..7bbbe122a01f0a3f440fa116dd946218169851f4
--- /dev/null
+++ b/imageview/__init__.py
@@ -0,0 +1,6 @@
+"""
+Widget used for display and analysis of 2D and 3D image data.
+Includes ROI plotting over time and image normalization.
+"""
+
+from ImageView import ImageView
diff --git a/parametertree/Parameter.py b/parametertree/Parameter.py
new file mode 100644
index 0000000000000000000000000000000000000000..39edb8809865c7056f4b905fb1750a49c31740b1
--- /dev/null
+++ b/parametertree/Parameter.py
@@ -0,0 +1,465 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import collections, os, weakref, re
+from ParameterItem import ParameterItem
+
+PARAM_TYPES = {}
+
+
+def registerParameterType(name, cls, override=False):
+    global PARAM_TYPES
+    if name in PARAM_TYPES and not override:
+        raise Exception("Parameter type '%s' already exists (use override=True to replace)" % name)
+    PARAM_TYPES[name] = cls
+
+
+
+class Parameter(QtCore.QObject):
+    """Tree of name=value pairs (modifiable or not)
+       - Value may be integer, float, string, bool, color, or list selection
+       - Optionally, a custom widget may be specified for a property
+       - Any number of extra columns may be added for other purposes
+       - Any values may be reset to a default value
+       - Parameters may be grouped / nested
+       
+    For more Parameter types, see ParameterTree.parameterTypes module.
+    """
+    ## name, type, limits, etc.
+    ## can also carry UI hints (slider vs spinbox, etc.)
+    
+    sigValueChanged = QtCore.Signal(object, object)  ## self, value   emitted when value is finished being edited
+    sigValueChanging = QtCore.Signal(object, object)  ## self, value  emitted as value is being edited
+    
+    sigChildAdded = QtCore.Signal(object, object, object)  ## self, child, index
+    sigChildRemoved = QtCore.Signal(object, object)  ## self, child
+    sigParentChanged = QtCore.Signal(object, object)  ## self, parent
+    sigLimitsChanged = QtCore.Signal(object, object)  ## self, limits
+    sigDefaultChanged = QtCore.Signal(object, object)  ## self, default
+    sigNameChanged = QtCore.Signal(object, object)  ## self, name
+    sigOptionsChanged = QtCore.Signal(object, object)  ## self, {opt:val, ...}
+    
+    ## Emitted when anything changes about this parameter at all.
+    ## The second argument is a string indicating what changed ('value', 'childAdded', etc..)
+    ## The third argument can be any extra information about the change
+    sigStateChanged = QtCore.Signal(object, object, object) ## self, change, info
+    
+    ## emitted when any child in the tree changes state
+    ## (but only if monitorChildren() is called)
+    sigTreeStateChanged = QtCore.Signal(object, object)  # self, changes
+                                                         # changes = [(param, change, info), ...]
+    
+    # bad planning.
+    #def __new__(cls, *args, **opts):
+        #try:
+            #cls = PARAM_TYPES[opts['type']]
+        #except KeyError:
+            #pass
+        #return QtCore.QObject.__new__(cls, *args, **opts)
+    
+    @staticmethod
+    def create(**opts):
+        """
+        Create a new Parameter (or subclass) instance using opts['type'] to select the 
+        appropriate class.
+        
+        Use registerParameterType() to add new class types.
+        """
+        cls = PARAM_TYPES[opts['type']]
+        return cls(**opts)
+    
+    def __init__(self, **opts):
+        QtCore.QObject.__init__(self)
+        
+        self.opts = {
+            'readonly': False,
+            'visible': True,
+            'enabled': True,
+            'renamable': False,
+            'removable': False,
+            'strictNaming': False,  # forces name to be usable as a python variable
+        }
+        self.opts.update(opts)
+        
+        self.childs = []
+        self.names = {}   ## map name:child
+        self.items = weakref.WeakKeyDictionary()  ## keeps track of tree items representing this parameter
+        self._parent = None
+        self.treeStateChanges = []  ## cache of tree state changes to be delivered on next emit
+        self.blockTreeChangeEmit = 0
+        #self.monitoringChildren = False  ## prevent calling monitorChildren more than once
+        
+        if 'value' not in self.opts:
+            self.opts['value'] = None
+        
+        if 'name' not in self.opts or not isinstance(self.opts['name'], basestring):
+            raise Exception("Parameter must have a string name specified in opts.")
+        self.setName(opts['name'])
+        
+        for chOpts in self.opts.get('children', []):
+            #print self, "Add child:", type(chOpts), id(chOpts)
+            self.addChild(chOpts)
+            
+        if 'value' in self.opts and 'default' not in self.opts:
+            self.opts['default'] = self.opts['value']
+    
+        ## Connect all state changed signals to the general sigStateChanged
+        self.sigValueChanged.connect(lambda param, data: self.emitStateChanged('value', data))
+        self.sigChildAdded.connect(lambda param, *data: self.emitStateChanged('childAdded', data))
+        self.sigChildRemoved.connect(lambda param, data: self.emitStateChanged('childRemoved', data))
+        self.sigParentChanged.connect(lambda param, data: self.emitStateChanged('parent', data))
+        self.sigLimitsChanged.connect(lambda param, data: self.emitStateChanged('limits', data))
+        self.sigDefaultChanged.connect(lambda param, data: self.emitStateChanged('default', data))
+        self.sigNameChanged.connect(lambda param, data: self.emitStateChanged('name', data))
+        self.sigOptionsChanged.connect(lambda param, data: self.emitStateChanged('options', data))
+        
+        #self.watchParam(self)  ## emit treechange signals if our own state changes
+        
+    def name(self):
+        return self.opts['name']
+
+    def setName(self, name):
+        """Attempt to change the name of this parameter; return the actual name. 
+        (The parameter may reject the name change or automatically pick a different name)"""
+        if self.opts['strictNaming']:
+            if len(name) < 1 or re.search(r'\W', name) or re.match(r'\d', name[0]):
+                raise Exception("Parameter name '%s' is invalid. (Must contain only alphanumeric and underscore characters and may not start with a number)" % name)
+        parent = self.parent()
+        if parent is not None:
+            name = parent._renameChild(self, name)  ## first ask parent if it's ok to rename
+        if self.opts['name'] != name:
+            self.opts['name'] = name
+            self.sigNameChanged.emit(self, name)
+        return name
+
+    def childPath(self, child):
+        """Return the path of parameter names from self to child."""
+        path = []
+        while child is not self:
+            path.insert(0, child.name())
+            child = child.parent()
+        return path
+
+    def setValue(self, value, blockSignal=None):
+        ## return the actual value that was set
+        ## (this may be different from the value that was requested)
+        #print self, "Set value:", value, self.opts['value'], self.opts['value'] == value
+        try:
+            if blockSignal is not None:
+                self.sigValueChanged.disconnect(blockSignal)
+            if self.opts['value'] == value:
+                return value
+            self.opts['value'] = value
+            self.sigValueChanged.emit(self, value)
+        finally:
+            if blockSignal is not None:
+                self.sigValueChanged.connect(blockSignal)
+            
+        return value
+
+    def value(self):
+        return self.opts['value']
+
+    def getValues(self):
+        """Return a tree of all values that are children of this parameter"""
+        vals = collections.OrderedDict()
+        for ch in self:
+            vals[ch.name()] = (ch.value(), ch.getValues())
+        return vals
+    
+    def saveState(self):
+        """Return a structure representing the entire state of the parameter tree."""
+        state = self.opts.copy()
+        state['children'] = {ch.name(): ch.saveState() for ch in self}
+        return state
+
+    def defaultValue(self):
+        return self.opts['default']
+        
+    def setDefault(self, val):
+        self.opts['default'] = val
+        self.sigDefaultChanged.emit(self, val)
+
+    def setToDefault(self):
+        if self.hasDefault():
+            self.setValue(self.defaultValue())
+
+    def hasDefault(self):
+        return 'default' in self.opts
+        
+    def valueIsDefault(self):
+        return self.value() == self.defaultValue()
+        
+    def setLimits(self, limits):
+        if 'limits' in self.opts and self.opts['limits'] == limits:
+            return
+        self.opts['limits'] = limits
+        self.sigLimitsChanged.emit(self, limits)
+        return limits
+
+    def writable(self):
+        return not self.opts.get('readonly', False)
+
+    def setOpts(self, **opts):
+        """For setting any arbitrary options."""
+        changed = collections.OrderedDict()
+        for k in opts:
+            if k == 'value':
+                self.setValue(opts[k])
+            elif k == 'name':
+                self.setName(opts[k])
+            elif k == 'limits':
+                self.setLimits(opts[k])
+            elif k == 'default':
+                self.setDefault(opts[k])
+            elif k not in self.opts or self.opts[k] != opts[k]:
+                self.opts[k] = opts[k]
+                changed[k] = opts[k]
+                
+        if len(changed) > 0:
+            self.sigOptionsChanged.emit(self, changed)
+        
+    def emitStateChanged(self, changeDesc, data):
+        ## Emits stateChanged signal and 
+        ## requests emission of new treeStateChanged signal
+        self.sigStateChanged.emit(self, changeDesc, data)
+        #self.treeStateChanged(self, changeDesc, data)
+        self.treeStateChanges.append((self, changeDesc, data))
+        self.emitTreeChanges()
+
+    def makeTreeItem(self, depth):
+        """Return a TreeWidgetItem suitable for displaying/controlling the content of this parameter.
+        Most subclasses will want to override this function.
+        """
+        if hasattr(self, 'itemClass'):
+            #print "Param:", self, "Make item from itemClass:", self.itemClass
+            return self.itemClass(self, depth)
+        else:
+            return ParameterItem(self, depth=depth)
+
+
+    def addChild(self, child):
+        """Add another parameter to the end of this parameter's child list."""
+        return self.insertChild(len(self.childs), child)
+        
+    def insertChild(self, pos, child):
+        """Insert a new child at pos.
+        If pos is a Parameter, then insert at the position of that Parameter.
+        If child is a dict, then a parameter is constructed as Parameter(**child)
+        """
+        if isinstance(child, dict):
+            child = Parameter.create(**child)
+        
+        name = child.name()
+        if name in self.names:
+            if child.opts.get('autoIncrementName', False):
+                name = self.incrementName(name)
+                child.setName(name)
+            else:
+                raise Exception("Already have child named %s" % str(name))
+        if isinstance(pos, Parameter):
+            pos = self.childs.index(pos)
+            
+        if child.parent() is not None:
+            child.remove()
+            
+        self.names[name] = child
+        self.childs.insert(pos, child)
+        
+        child.parentChanged(self)
+        self.sigChildAdded.emit(self, child, pos)
+        child.sigTreeStateChanged.connect(self.treeStateChanged)
+        return child
+        
+    def removeChild(self, child):
+        name = child.name()
+        if name not in self.names or self.names[name] is not child:
+            raise Exception("Parameter %s is not my child; can't remove." % str(child))
+        
+        del self.names[name]
+        self.childs.pop(self.childs.index(child))
+        child.parentChanged(None)
+        self.sigChildRemoved.emit(self, child)
+        child.sigTreeStateChanged.disconnect(self.treeStateChanged)
+
+    def clearChildren(self):
+        for ch in self.childs[:]:
+            self.removeChild(ch)
+
+    def parentChanged(self, parent):
+        self._parent = parent
+        self.sigParentChanged.emit(self, parent)
+        
+    def parent(self):
+        return self._parent
+        
+    def remove(self):
+        """Remove self from parent's child list"""
+        parent = self.parent()
+        if parent is None:
+            raise Exception("Cannot remove; no parent.")
+        parent.removeChild(self)
+
+    def incrementName(self, name):
+        ## return an unused name by adding a number to the name given
+        base, num = re.match('(.*)(\d*)', name).groups()
+        numLen = len(num)
+        if numLen == 0:
+            num = 2
+            numLen = 1
+        else:
+            num = int(num)
+        while True:
+            newName = base + ("%%0%dd"%numLen) % num
+            if newName not in self.childs:
+                return newName
+            num += 1
+
+    def __iter__(self):
+        for ch in self.childs:
+            yield ch
+
+    def __getitem__(self, names):
+        """Get the value of a child parameter"""
+        if not isinstance(names, tuple):
+            names = (names,)
+        return self.param(*names).value()
+
+    def __setitem__(self, names, value):
+        """Set the value of a child parameter"""
+        if isinstance(names, basestring):
+            names = (names,)
+        return self.param(*names).setValue(value)
+
+    def param(self, *names):
+        """Return a child parameter. 
+        Accepts the name of the child or a tuple (path, to, child)"""
+        try:
+            param = self.names[names[0]]
+        except KeyError:
+            raise Exception("Parameter %s has no child named %s" % (self.name(), names[0]))
+        
+        if len(names) > 1:
+            return param.param(*names[1:])
+        else:
+            return param
+        
+    def __repr__(self):
+        return "<%s '%s' at 0x%x>" % (self.__class__.__name__, self.name(), id(self))
+       
+    def __getattr__(self, attr):
+        #print type(self), attr
+        if attr in self.names:
+            return self.param(attr)
+        else:
+            raise AttributeError(attr)
+       
+    def _renameChild(self, child, name):
+        ## Only to be called from Parameter.rename
+        if name in self.names:
+            return child.name()
+        self.names[name] = child
+        del self.names[child.name()]
+        return name
+
+    def registerItem(self, item):
+        self.items[item] = None
+        
+    def hide(self):
+        self.show(False)
+        
+    def show(self, s=True):
+        self.opts['visible'] = s
+        self.sigOptionsChanged.emit(self, {'visible': s})
+
+
+    #def monitorChildren(self):
+        #if self.monitoringChildren:
+            #raise Exception("Already monitoring children.")
+        #self.watchParam(self)
+        #self.monitoringChildren = True
+
+    #def watchParam(self, param):
+        #param.sigChildAdded.connect(self.grandchildAdded)
+        #param.sigChildRemoved.connect(self.grandchildRemoved)
+        #param.sigStateChanged.connect(self.grandchildChanged)
+        #for ch in param:
+            #self.watchParam(ch)
+
+    #def unwatchParam(self, param):
+        #param.sigChildAdded.disconnect(self.grandchildAdded)
+        #param.sigChildRemoved.disconnect(self.grandchildRemoved)
+        #param.sigStateChanged.disconnect(self.grandchildChanged)
+        #for ch in param:
+            #self.unwatchParam(ch)
+
+    #def grandchildAdded(self, parent, child):
+        #self.watchParam(child)
+        
+    #def grandchildRemoved(self, parent, child):
+        #self.unwatchParam(child)
+        
+    #def grandchildChanged(self, param, change, data):
+        ##self.sigTreeStateChanged.emit(self, param, change, data)
+        #self.emitTreeChange((param, change, data))
+
+    def treeChangeBlocker(self):
+        """
+        Return an object that can be used to temporarily block and accumulate
+        sigTreeStateChanged signals. This is meant to be used when numerous changes are 
+        about to be made to the tree and only one change signal should be
+        emitted at the end.
+        
+        Example:
+            with param.treeChangeBlocker():
+                param.addChild(...)
+                param.removeChild(...)
+                param.setValue(...)
+        """
+        return SignalBlocker(self.blockTreeChangeSignal, self.unblockTreeChangeSignal)
+
+    def blockTreeChangeSignal(self):
+        """
+        Used to temporarily block and accumulate tree change signals.
+        *You must remember to unblock*, so it is advisable to use treeChangeBlocker() instead.
+        """
+        self.blockTreeChangeEmit += 1
+
+    def unblockTreeChangeSignal(self):
+        """Unblocks enission of sigTreeStateChanged and flushes the changes out through a single signal."""
+        self.blockTreeChangeEmit -= 1
+        self.emitTreeChanges()
+        
+        
+    def treeStateChanged(self, param, changes):
+        """
+        Called when the state of any sub-parameter has changed. 
+        Arguments:
+            param: the immediate child whose tree state has changed.
+                   note that the change may have originated from a grandchild.
+            changes: list of tuples describing all changes that have been made
+                     in this event: (param, changeDescr, data)
+                     
+        This function can be extended to react to tree state changes.
+        """
+        self.treeStateChanges.extend(changes)
+        self.emitTreeChanges()
+    
+    def emitTreeChanges(self):
+        if self.blockTreeChangeEmit == 0:
+            changes = self.treeStateChanges
+            self.treeStateChanges = []
+            self.sigTreeStateChanged.emit(self, changes)
+
+
+class SignalBlocker:
+    def __init__(self, enterFn, exitFn):
+        self.enterFn = enterFn
+        self.exitFn = exitFn
+        
+    def __enter__(self):
+        self.enterFn()
+        
+    def __exit__(self, exc_type, exc_value, tb):
+        self.exitFn()
+    
+    
+    
\ No newline at end of file
diff --git a/parametertree/ParameterItem.py b/parametertree/ParameterItem.py
new file mode 100644
index 0000000000000000000000000000000000000000..605e6317c2d3af86b73579c38856fc1e9122f5cf
--- /dev/null
+++ b/parametertree/ParameterItem.py
@@ -0,0 +1,148 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import collections, os, weakref, re
+
+class ParameterItem(QtGui.QTreeWidgetItem):
+    """
+    Abstract ParameterTree item. 
+    Used to represent the state of a Parameter from within a ParameterTree.
+        - Sets first column of item to name
+        - generates context menu if item is renamable or removable
+        - handles child added / removed events
+        - provides virtual functions for handling changes from parameter
+    For more ParameterItem types, see ParameterTree.parameterTypes module.
+    """
+    
+    def __init__(self, param, depth=0):
+        QtGui.QTreeWidgetItem.__init__(self, [param.name(), ''])
+        
+        self.param = param
+        self.param.registerItem(self)  ## let parameter know this item is connected to it (for debugging)
+        self.depth = depth
+        
+        param.sigValueChanged.connect(self.valueChanged)
+        param.sigChildAdded.connect(self.childAdded)
+        param.sigChildRemoved.connect(self.childRemoved)
+        param.sigNameChanged.connect(self.nameChanged)
+        param.sigLimitsChanged.connect(self.limitsChanged)
+        param.sigDefaultChanged.connect(self.defaultChanged)
+        param.sigOptionsChanged.connect(self.optsChanged)
+        
+        
+        opts = param.opts
+        
+        ## Generate context menu for renaming/removing parameter
+        self.contextMenu = QtGui.QMenu()
+        self.contextMenu.addSeparator()
+        flags = QtCore.Qt.ItemIsSelectable | QtCore.Qt.ItemIsEnabled
+        if opts.get('renamable', False):
+            flags |= QtCore.Qt.ItemIsEditable
+            self.contextMenu.addAction('Rename').triggered.connect(self.editName)
+        if opts.get('removable', False):
+            self.contextMenu.addAction("Remove").triggered.connect(self.param.remove)
+        
+        ## handle movable / dropEnabled options
+        if opts.get('movable', False):
+            flags |= QtCore.Qt.ItemIsDragEnabled
+        if opts.get('dropEnabled', False):
+            flags |= QtCore.Qt.ItemIsDropEnabled
+        self.setFlags(flags)
+        
+        ## flag used internally during name editing
+        self.ignoreNameColumnChange = False
+    
+    
+    def valueChanged(self, param, val):
+        ## called when the parameter's value has changed
+        pass
+    
+    def isFocusable(self):
+        """Return True if this item should be included in the tab-focus order"""
+        return False
+        
+    def setFocus(self):
+        """Give input focus to this item.
+        Can be reimplemented to display editor widgets, etc.
+        """
+        pass
+    
+    def focusNext(self, forward=True):
+        """Give focus to the next (or previous) focusable item in the parameter tree"""
+        self.treeWidget().focusNext(self, forward=forward)
+        
+    
+    def treeWidgetChanged(self):
+        """Called when this item is added or removed from a tree.
+        Expansion, visibility, and column widgets must all be configured AFTER 
+        the item is added to a tree, not during __init__.
+        """
+        self.setHidden(not self.param.opts.get('visible', True))
+        self.setExpanded(self.param.opts.get('expanded', True))
+        
+    def childAdded(self, param, child, pos):
+        item = child.makeTreeItem(depth=self.depth+1)
+        self.insertChild(pos, item)
+        item.treeWidgetChanged()
+        
+        for i, ch in enumerate(child):
+            item.childAdded(child, ch, i)
+        
+    def childRemoved(self, param, child):
+        for i in range(self.childCount()):
+            item = self.child(i)
+            if item.param is child:
+                self.takeChild(i)
+                break
+                
+    def contextMenuEvent(self, ev):
+        if not self.param.opts.get('removable', False) and not self.param.opts.get('renamable', False):
+            return
+            
+        self.contextMenu.popup(ev.globalPos())
+        
+    def columnChangedEvent(self, col):
+        """Called when the text in a column has been edited.
+        By default, we only use changes to column 0 to rename the parameter.
+        """
+        if col == 0:
+            if self.ignoreNameColumnChange:
+                return
+            try:
+                newName = self.param.setName(str(self.text(col)))
+            except:
+                self.setText(0, self.param.name())
+                raise
+                
+            try:
+                self.ignoreNameColumnChange = True
+                self.nameChanged(self, newName)  ## If the parameter rejects the name change, we need to set it back.
+            finally:
+                self.ignoreNameColumnChange = False
+                
+    def nameChanged(self, param, name):
+        ## called when the parameter's name has changed.
+        self.setText(0, name)
+
+    def limitsChanged(self, param, limits):
+        """Called when the parameter's limits have changed"""
+        pass
+    
+    def defaultChanged(self, param, default):
+        """Called when the parameter's default value has changed"""
+        pass
+
+    def optsChanged(self, param, opts):
+        """Called when any options are changed that are not
+        name, value, default, or limits"""
+        #print opts
+        if 'visible' in opts:
+            self.setHidden(not opts['visible'])
+        
+    def editName(self):
+        self.treeWidget().editItem(self, 0)
+        
+    def selected(self, sel):
+        """Called when this item has been selected (sel=True) OR deselected (sel=False)"""
+        pass
+
+
+
diff --git a/parametertree/ParameterTree.py b/parametertree/ParameterTree.py
new file mode 100644
index 0000000000000000000000000000000000000000..6f90de07e4db666f0c75fc394ff7905e1cad353e
--- /dev/null
+++ b/parametertree/ParameterTree.py
@@ -0,0 +1,108 @@
+from pyqtgraph.Qt import QtCore, QtGui
+from pyqtgraph.widgets.TreeWidget import TreeWidget
+import collections, os, weakref, re
+#import functions as fn
+        
+            
+
+class ParameterTree(TreeWidget):
+    """Widget used to display or control data from a ParameterSet"""
+    
+    def __init__(self, parent=None):
+        TreeWidget.__init__(self, parent)
+        self.setVerticalScrollMode(self.ScrollPerPixel)
+        self.setHorizontalScrollMode(self.ScrollPerPixel)
+        self.setAnimated(False)
+        self.setColumnCount(2)
+        self.setHeaderLabels(["Parameter", "Value"])
+        self.setRootIsDecorated(False)
+        self.setAlternatingRowColors(True)
+        self.paramSet = None
+        self.header().setResizeMode(QtGui.QHeaderView.ResizeToContents)
+        self.itemChanged.connect(self.itemChangedEvent)
+        self.lastSel = None
+        self.setRootIsDecorated(False)
+        
+    def setParameters(self, param, root=None, depth=0, showTop=True):
+        item = param.makeTreeItem(depth=depth)
+        if root is None:
+            root = self.invisibleRootItem()
+            ## Hide top-level item
+            if not showTop:
+                item.setText(0, '')
+                item.setSizeHint(0, QtCore.QSize(1,1))
+                item.setSizeHint(1, QtCore.QSize(1,1))
+                depth -= 1
+        root.addChild(item)
+        item.treeWidgetChanged()
+            
+        for ch in param:
+            self.setParameters(ch, root=item, depth=depth+1)
+            
+    def focusNext(self, item, forward=True):
+        ## Give input focus to the next (or previous) item after 'item'
+        while True:
+            parent = item.parent()
+            if parent is None:
+                return
+            nextItem = self.nextFocusableChild(parent, item, forward=forward)
+            if nextItem is not None:
+                nextItem.setFocus()
+                self.setCurrentItem(nextItem)
+                return
+            item = parent
+
+    def focusPrevious(self, item):
+        self.focusNext(item, forward=False)
+
+    def nextFocusableChild(self, root, startItem=None, forward=True):
+        if startItem is None:
+            if forward:
+                index = 0
+            else:
+                index = root.childCount()-1
+        else:
+            if forward:
+                index = root.indexOfChild(startItem) + 1
+            else:
+                index = root.indexOfChild(startItem) - 1
+            
+        if forward:
+            inds = range(index, root.childCount())
+        else:
+            inds = range(index, -1, -1)
+            
+        for i in inds:
+            item = root.child(i)
+            if hasattr(item, 'isFocusable') and item.isFocusable():
+                return item
+            else:
+                item = self.nextFocusableChild(item, forward=forward)
+                if item is not None:
+                    return item
+        return None
+
+    def contextMenuEvent(self, ev):
+        item = self.currentItem()
+        if hasattr(item, 'contextMenuEvent'):
+            item.contextMenuEvent(ev)
+            
+    def itemChangedEvent(self, item, col):
+        if hasattr(item, 'columnChangedEvent'):
+            item.columnChangedEvent(col)
+            
+    def selectionChanged(self, *args):
+        sel = self.selectedItems()
+        if len(sel) != 1:
+            sel = None
+        if self.lastSel is not None:
+            self.lastSel.selected(False)
+        if sel is None:
+            self.lastSel = None
+            return
+        self.lastSel = sel[0]
+        if hasattr(sel[0], 'selected'):
+            sel[0].selected(True)
+        return TreeWidget.selectionChanged(self, *args)
+        
+
diff --git a/parametertree/__init__.py b/parametertree/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..b5912f57e3ea3a77d2feed2cb25e9b34fe76d7b4
--- /dev/null
+++ b/parametertree/__init__.py
@@ -0,0 +1,5 @@
+from Parameter import Parameter, registerParameterType
+from ParameterTree import ParameterTree
+from ParameterItem import ParameterItem
+
+import parameterTypes as types
\ No newline at end of file
diff --git a/parametertree/__main__.py b/parametertree/__main__.py
new file mode 100644
index 0000000000000000000000000000000000000000..a3f0b11a4848a897715bc9eeff00ecfa7e59d680
--- /dev/null
+++ b/parametertree/__main__.py
@@ -0,0 +1,140 @@
+## tests for ParameterTree
+
+## make sure pyqtgraph is in path
+import sys,os
+md = os.path.abspath(os.path.dirname(__file__))
+sys.path.append(os.path.join(md, '..', '..'))
+
+from pyqtgraph.Qt import QtCore, QtGui
+import collections, user
+app = QtGui.QApplication([])
+import pyqtgraph.parametertree.parameterTypes as pTypes
+from pyqtgraph.parametertree import Parameter, ParameterTree, ParameterItem, registerParameterType
+
+
+## test subclassing parameters
+## This parameter automatically generates two child parameters which are always reciprocals of each other
+class ComplexParameter(Parameter):
+    def __init__(self, **opts):
+        opts['type'] = 'bool'
+        opts['value'] = True
+        Parameter.__init__(self, **opts)
+        
+        self.addChild({'name': 'A = 1/B', 'type': 'float', 'value': 7, 'suffix': 'Hz', 'siPrefix': True})
+        self.addChild({'name': 'B = 1/A', 'type': 'float', 'value': 1/7., 'suffix': 's', 'siPrefix': True})
+        self.a = self.param('A = 1/B')
+        self.b = self.param('B = 1/A')
+        self.a.sigValueChanged.connect(self.aChanged)
+        self.b.sigValueChanged.connect(self.bChanged)
+        
+    def aChanged(self):
+        try:
+            self.b.sigValueChanged.disconnect(self.bChanged)
+            self.b.setValue(1.0 / self.a.value())
+        finally:
+            self.b.sigValueChanged.connect(self.bChanged)
+
+    def bChanged(self):
+        try:
+            self.a.sigValueChanged.disconnect(self.aChanged)
+            self.a.setValue(1.0 / self.b.value())
+        finally:
+            self.a.sigValueChanged.connect(self.aChanged)
+
+
+## test add/remove
+## this group includes a menu allowing the user to add new parameters into its child list
+class ScalableGroup(pTypes.GroupParameter):
+    def __init__(self, **opts):
+        opts['type'] = 'group'
+        opts['addText'] = "Add"
+        opts['addList'] = ['str', 'float', 'int']
+        pTypes.GroupParameter.__init__(self, **opts)
+    
+    def addNew(self, typ):
+        val = {
+            'str': '',
+            'float': 0.0,
+            'int': 0
+        }[typ]
+        self.addChild(dict(name="ScalableParam %d" % (len(self.childs)+1), type=typ, value=val, removable=True, renamable=True))
+
+
+## test column spanning (widget sub-item that spans all columns)
+class TextParameterItem(pTypes.WidgetParameterItem):
+    def __init__(self, param, depth):
+        pTypes.WidgetParameterItem.__init__(self, param, depth)
+        self.subItem = QtGui.QTreeWidgetItem()
+        self.addChild(self.subItem)
+
+    def treeWidgetChanged(self):
+        self.treeWidget().setFirstItemColumnSpanned(self.subItem, True)
+        self.treeWidget().setItemWidget(self.subItem, 0, self.textBox)
+        self.setExpanded(True)
+        
+    def makeWidget(self):
+        self.textBox = QtGui.QTextEdit()
+        self.textBox.setMaximumHeight(100)
+        self.textBox.value = lambda: str(self.textBox.toPlainText())
+        self.textBox.setValue = self.textBox.setPlainText
+        self.textBox.sigChanged = self.textBox.textChanged
+        return self.textBox
+        
+class TextParameter(Parameter):
+    type = 'text'
+    itemClass = TextParameterItem
+    
+registerParameterType('text', TextParameter)
+
+
+
+
+params = [
+    {'name': 'Group 0', 'type': 'group', 'children': [
+        {'name': 'Param 1', 'type': 'int', 'value': 10},
+        {'name': 'Param 2', 'type': 'float', 'value': 10},
+    ]},
+    {'name': 'Group 1', 'type': 'group', 'children': [
+        {'name': 'Param 1.1', 'type': 'float', 'value': 1.2e-6, 'dec': True, 'siPrefix': True, 'suffix': 'V'},
+        {'name': 'Param 1.2', 'type': 'float', 'value': 1.2e6, 'dec': True, 'siPrefix': True, 'suffix': 'Hz'},
+        {'name': 'Group 1.3', 'type': 'group', 'children': [
+            {'name': 'Param 1.3.1', 'type': 'int', 'value': 11, 'limits': (-7, 15), 'default': -6},
+            {'name': 'Param 1.3.2', 'type': 'float', 'value': 1.2e6, 'dec': True, 'siPrefix': True, 'suffix': 'Hz', 'readonly': True},
+        ]},
+        {'name': 'Param 1.4', 'type': 'str', 'value': "hi"},
+        {'name': 'Param 1.5', 'type': 'list', 'values': [1,2,3], 'value': 2},
+        {'name': 'Param 1.6', 'type': 'list', 'values': {"one": 1, "two": 2, "three": 3}, 'value': 2},
+        ComplexParameter(name='ComplexParam'),
+        ScalableGroup(name="ScalableGroup", children=[
+            {'name': 'ScalableParam 1', 'type': 'str', 'value': "hi"},
+            {'name': 'ScalableParam 2', 'type': 'str', 'value': "hi"},
+            
+        ])
+    ]},
+    {'name': 'Param 5', 'type': 'bool', 'value': True, 'tip': "This is a checkbox"},
+    {'name': 'Param 6', 'type': 'color', 'value': "FF0", 'tip': "This is a color button. It cam be renamed.", 'renamable': True},
+    {'name': 'TextParam', 'type': 'text', 'value': 'Some text...'},
+]
+
+#p = pTypes.ParameterSet("params", params)
+p = Parameter(name='params', type='group', children=params)
+def change(param, changes):
+    print "tree changes:"
+    for param, change, data in changes:
+        print "  [" + '.'.join(p.childPath(param))+ "]   ", change, data
+    
+p.sigTreeStateChanged.connect(change)
+
+
+t = ParameterTree()
+t.setParameters(p, showTop=False)
+t.show()
+t.resize(400,600)
+t2 = ParameterTree()
+t2.setParameters(p, showTop=False)
+t2.show()
+t2.resize(400,600)
+    
+import sys
+if sys.flags.interactive == 0:
+    app.exec_()
diff --git a/parametertree/default.png b/parametertree/default.png
new file mode 100644
index 0000000000000000000000000000000000000000..f12394214dadb66bd90e7c671d87a5810c1571a6
Binary files /dev/null and b/parametertree/default.png differ
diff --git a/parametertree/parameterTypes.py b/parametertree/parameterTypes.py
new file mode 100644
index 0000000000000000000000000000000000000000..2025c6012635ef3eaac35c9e2654930cb77a3fdb
--- /dev/null
+++ b/parametertree/parameterTypes.py
@@ -0,0 +1,480 @@
+from pyqtgraph.Qt import QtCore, QtGui
+from Parameter import Parameter, registerParameterType
+from ParameterItem import ParameterItem
+from pyqtgraph.widgets.SpinBox import SpinBox
+from pyqtgraph.widgets.ColorButton import ColorButton
+import os, collections
+
+class WidgetParameterItem(ParameterItem):
+    """
+    ParameterTree item with:
+        - label in second column for displaying value
+        - simple widget for editing value (displayed instead of label when item is selected)
+        - button that resets value to default
+        - provides SpinBox, CheckBox, LineEdit, and ColorButton types
+    This class can be subclassed by overriding makeWidget() to provide a custom widget.
+    """
+    def __init__(self, param, depth):
+        ParameterItem.__init__(self, param, depth)
+        
+        self.hideWidget = True  ## hide edit widget, replace with label when not selected
+                                ## set this to False to keep the editor widget always visible
+        
+        
+        ## build widget into column 1 with a display label and default button.
+        w = self.makeWidget()  
+        self.widget = w
+        self.eventProxy = EventProxy(w, self.widgetEventFilter)
+        
+        opts = self.param.opts
+        if 'tip' in opts:
+            w.setToolTip(opts['tip'])
+        
+        self.defaultBtn = QtGui.QPushButton()
+        self.defaultBtn.setFixedWidth(20)
+        self.defaultBtn.setFixedHeight(20)
+        modDir = os.path.dirname(__file__)
+        self.defaultBtn.setIcon(QtGui.QIcon(os.path.join(modDir, 'default.png')))
+        self.defaultBtn.clicked.connect(self.defaultClicked)
+        
+        self.displayLabel = QtGui.QLabel()
+        
+        layout = QtGui.QHBoxLayout()
+        layout.setContentsMargins(0, 0, 0, 0)
+        layout.setSpacing(2)
+        layout.addWidget(w)
+        layout.addWidget(self.displayLabel)
+        layout.addWidget(self.defaultBtn)
+        self.layoutWidget = QtGui.QWidget()
+        self.layoutWidget.setLayout(layout)
+        
+        if w.sigChanged is not None:
+            w.sigChanged.connect(self.widgetValueChanged)
+            
+        if hasattr(w, 'sigChanging'):
+            w.sigChanging.connect(self.widgetValueChanging)
+            
+        ## update value shown in widget. 
+        self.valueChanged(self, opts['value'], force=True)
+
+
+    def makeWidget(self):
+        """
+        Return a single widget that should be placed in the second tree column.
+        The widget must be given three attributes:
+            sigChanged -- a signal that is emitted when the widget's value is changed
+            value -- a function that returns the value
+            setValue -- a function that sets the value
+        This is a good function to override in subclasses.
+        """
+        opts = self.param.opts
+        t = opts['type']
+        if t == 'int':
+            defs = {
+                'value': 0, 'min': None, 'max': None, 'int': True, 
+                'step': 1.0, 'minStep': 1.0, 'dec': False, 
+                'siPrefix': False, 'suffix': ''
+            } 
+            defs.update(opts)
+            if 'limits' in opts:
+                defs['bounds'] = opts['limits']
+            w = SpinBox()
+            w.setOpts(**defs)
+            w.sigChanged = w.sigValueChanged
+            w.sigChanging = w.sigValueChanging
+        elif t == 'float':
+            defs = {
+                'value': 0, 'min': None, 'max': None, 
+                'step': 1.0, 'dec': False, 
+                'siPrefix': False, 'suffix': ''
+            }
+            defs.update(opts)
+            if 'limits' in opts:
+                defs['bounds'] = opts['limits']
+            w = SpinBox()
+            w.setOpts(**defs)
+            w.sigChanged = w.sigValueChanged
+            w.sigChanging = w.sigValueChanging
+        elif t == 'bool':
+            w = QtGui.QCheckBox()
+            w.sigChanged = w.toggled
+            w.value = w.isChecked
+            w.setValue = w.setChecked
+            self.hideWidget = False
+        elif t == 'str':
+            w = QtGui.QLineEdit()
+            w.sigChanged = w.editingFinished
+            w.value = lambda: unicode(w.text())
+            w.setValue = lambda v: w.setText(unicode(v))
+            w.sigChanging = w.textChanged
+        elif t == 'color':
+            w = ColorButton()
+            w.sigChanged = w.sigColorChanged
+            w.sigChanging = w.sigColorChanging
+            w.value = w.color
+            w.setValue = w.setColor
+            self.hideWidget = False
+            w.setFlat(True)
+        else:
+            raise Exception("Unknown type '%s'" % unicode(t))
+        return w
+        
+    def widgetEventFilter(self, obj, ev):
+        ## filter widget's events
+        ## catch TAB to change focus
+        ## catch focusOut to hide editor
+        if ev.type() == ev.KeyPress:
+            if ev.key() == QtCore.Qt.Key_Tab:
+                self.focusNext(forward=True)
+                return True ## don't let anyone else see this event
+            elif ev.key() == QtCore.Qt.Key_Backtab:
+                self.focusNext(forward=False)
+                return True ## don't let anyone else see this event
+            
+        #elif ev.type() == ev.FocusOut:
+            #self.hideEditor()
+        return False
+        
+    def setFocus(self):
+        self.showEditor()
+        
+    def isFocusable(self):
+        return self.param.writable()        
+        
+    def valueChanged(self, param, val, force=False):
+        ## called when the parameter's value has changed
+        ParameterItem.valueChanged(self, param, val)
+        
+        self.widget.sigChanged.disconnect(self.widgetValueChanged)
+        try:
+            if force or val != self.widget.value():
+                self.widget.setValue(val)
+            self.updateDisplayLabel(val)  ## always make sure label is updated, even if values match!
+        finally:
+            self.widget.sigChanged.connect(self.widgetValueChanged)
+        self.updateDefaultBtn()
+        
+    def updateDefaultBtn(self):
+        ## enable/disable default btn 
+        self.defaultBtn.setEnabled(not self.param.valueIsDefault() and self.param.writable())        
+
+    def updateDisplayLabel(self, value=None):
+        """Update the display label to reflect the value of the parameter."""
+        if value is None:
+            value = self.param.value()
+        opts = self.param.opts
+        if isinstance(self.widget, QtGui.QAbstractSpinBox):
+            text = unicode(self.widget.lineEdit().text())
+        elif isinstance(self.widget, QtGui.QComboBox):
+            text = self.widget.currentText()
+        else:
+            text = unicode(value)
+        self.displayLabel.setText(text)
+
+    def widgetValueChanged(self):
+        ## called when the widget's value has been changed by the user
+        val = self.widget.value()
+        newVal = self.param.setValue(val)
+
+    def widgetValueChanging(self):
+        """
+        Called when the widget's value is changing, but not finalized.
+        For example: editing text before pressing enter or changing focus.
+        """
+        pass
+        
+    def selected(self, sel):
+        """Called when this item has been selected (sel=True) OR deselected (sel=False)"""
+        ParameterItem.selected(self, sel)
+        
+        if self.widget is None:
+            return
+        if sel and self.param.writable():
+            self.showEditor()
+        elif self.hideWidget:
+            self.hideEditor()
+
+    def showEditor(self):
+        self.widget.show()
+        self.displayLabel.hide()
+        self.widget.setFocus(QtCore.Qt.OtherFocusReason)
+
+    def hideEditor(self):
+        self.widget.hide()
+        self.displayLabel.show()
+
+    def limitsChanged(self, param, limits):
+        """Called when the parameter's limits have changed"""
+        ParameterItem.limitsChanged(self, param, limits)
+        
+        t = self.param.opts['type']
+        if t == 'int' or t == 'float':
+            self.widget.setOpts(bounds=limits)
+        else:
+            return  ## don't know what to do with any other types..
+
+    def defaultChanged(self, param, value):
+        self.updateDefaultBtn()
+
+    def treeWidgetChanged(self):
+        """Called when this item is added or removed from a tree."""
+        ParameterItem.treeWidgetChanged(self)
+        
+        ## add all widgets for this item into the tree
+        if self.widget is not None:
+            tree = self.treeWidget()
+            if tree is None:
+                return
+            tree.setItemWidget(self, 1, self.layoutWidget)
+            self.displayLabel.hide()
+            self.selected(False)            
+
+    def defaultClicked(self):
+        self.param.setToDefault()
+
+    def optsChanged(self, param, opts):
+        """Called when any options are changed that are not
+        name, value, default, or limits"""
+        #print "opts changed:", opts
+        ParameterItem.optsChanged(self, param, opts)
+        
+        if 'readonly' in opts:
+            self.updateDefaultBtn()
+        
+        ## If widget is a SpinBox, pass options straight through
+        if isinstance(self.widget, SpinBox):
+            if 'units' in opts and 'suffix' not in opts:
+                opts['suffix'] = opts['units']
+            self.widget.setOpts(**opts)
+            self.updateDisplayLabel()
+            
+class EventProxy(QtCore.QObject):
+    def __init__(self, qobj, callback):
+        QtCore.QObject.__init__(self)
+        self.callback = callback
+        qobj.installEventFilter(self)
+        
+    def eventFilter(self, obj, ev):
+        return self.callback(obj, ev)
+
+        
+
+
+class SimpleParameter(Parameter):
+    itemClass = WidgetParameterItem
+    
+registerParameterType('int', SimpleParameter, override=True)
+registerParameterType('float', SimpleParameter, override=True)
+registerParameterType('bool', SimpleParameter, override=True)
+registerParameterType('str', SimpleParameter, override=True)
+registerParameterType('color', SimpleParameter, override=True)
+
+
+
+
+class GroupParameterItem(ParameterItem):
+    """
+    Group parameters are used mainly as a generic parent item that holds (and groups!) a set
+    of child parameters. It also provides a simple mechanism for displaying a button or combo
+    that can be used to add new parameters to the group.
+    """
+    def __init__(self, param, depth):
+        ParameterItem.__init__(self, param, depth)
+        if depth == 0:
+            for c in [0,1]:
+                self.setBackground(c, QtGui.QBrush(QtGui.QColor(100,100,100)))
+                self.setForeground(c, QtGui.QBrush(QtGui.QColor(220,220,255)))
+                font = self.font(c)
+                font.setBold(True)
+                font.setPointSize(font.pointSize()+1)
+                self.setFont(c, font)
+                self.setSizeHint(0, QtCore.QSize(0, 25))
+        else:
+            for c in [0,1]:
+                self.setBackground(c, QtGui.QBrush(QtGui.QColor(220,220,220)))
+                font = self.font(c)
+                font.setBold(True)
+                #font.setPointSize(font.pointSize()+1)
+                self.setFont(c, font)
+                self.setSizeHint(0, QtCore.QSize(0, 20))
+                
+        self.addItem = None
+        if 'addText' in param.opts:
+            addText = param.opts['addText']
+            if 'addList' in param.opts:
+                self.addWidget = QtGui.QComboBox()
+                self.addWidget.addItem(addText)
+                for t in param.opts['addList']:
+                    self.addWidget.addItem(t)
+                self.addWidget.currentIndexChanged.connect(self.addChanged)
+            else:
+                self.addWidget = QtGui.QPushButton(addText)
+                self.addWidget.clicked.connect(self.addClicked)
+            w = QtGui.QWidget()
+            l = QtGui.QHBoxLayout()
+            l.setContentsMargins(0,0,0,0)
+            w.setLayout(l)
+            l.addWidget(self.addWidget)
+            l.addItem(QtGui.QSpacerItem(200, 10, QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Minimum))
+            self.addWidgetBox = w
+            self.addItem = QtGui.QTreeWidgetItem([])
+            self.addItem.setFlags(QtCore.Qt.ItemIsEnabled)
+            ParameterItem.addChild(self, self.addItem)
+            
+    def addClicked(self):
+        """Called when "add new" button is clicked
+        The parameter MUST have an 'addNew' method defined.
+        """
+        self.param.addNew()
+
+    def addChanged(self):
+        """Called when "add new" combo is changed
+        The parameter MUST have an 'addNew' method defined.
+        """
+        if self.addWidget.currentIndex() == 0:
+            return
+        typ = unicode(self.addWidget.currentText())
+        self.param.addNew(typ)
+        self.addWidget.setCurrentIndex(0)
+
+    def treeWidgetChanged(self):
+        ParameterItem.treeWidgetChanged(self)
+        if self.addItem is not None:
+            self.treeWidget().setItemWidget(self.addItem, 0, self.addWidgetBox)
+            self.treeWidget().setFirstItemColumnSpanned(self.addItem, True)
+        
+    def addChild(self, child):  ## make sure added childs are actually inserted before add btn
+        if self.addItem is not None:
+            ParameterItem.insertChild(self, self.childCount()-1, child)
+        else:
+            ParameterItem.addChild(self, child)
+
+class GroupParameter(Parameter):
+    """
+    Group parameters are used mainly as a generic parent item that holds (and groups!) a set
+    of child parameters. It also provides a simple mechanism for displaying a button or combo
+    that can be used to add new parameters to the group.
+    """
+    type = 'group'
+    itemClass = GroupParameterItem
+
+    def addNew(self, typ=None):
+        raise Exception("Must override this function in subclass.")
+
+registerParameterType('group', GroupParameter, override=True)
+
+
+
+
+
+class ListParameterItem(WidgetParameterItem):
+    """
+    WidgetParameterItem subclass providing comboBox that lets the user select from a list of options.
+    
+    """
+    def __init__(self, param, depth):
+        WidgetParameterItem.__init__(self, param, depth)
+        
+    def makeWidget(self):
+        opts = self.param.opts
+        t = opts['type']
+        w = QtGui.QComboBox()
+        w.setMaximumHeight(20)  ## set to match height of spin box and line edit
+        w.sigChanged = w.currentIndexChanged
+        w.value = self.value
+        w.setValue = self.setValue
+        self.widget = w  ## needs to be set before limits are changed
+        self.limitsChanged(self.param, self.param.opts['limits'])
+        if len(self.forward) > 0:
+            self.setValue(self.param.value())
+        return w
+        
+    def value(self):
+        #vals = self.param.opts['limits']
+        key = unicode(self.widget.currentText())
+        #if isinstance(vals, dict):
+            #return vals[key]
+        #else:
+            #return key
+        print key, self.forward
+        return self.forward[key]
+            
+    def setValue(self, val):
+        #vals = self.param.opts['limits']
+        #if isinstance(vals, dict):
+            #key = None
+            #for k,v in vals.iteritems():
+                #if v == val:
+                    #key = k
+            #if key is None:
+                #raise Exception("Value '%s' not allowed." % val)
+        #else:
+            #key = unicode(val)
+        if val not in self.reverse:
+            self.widget.setCurrentIndex(0)
+        else:
+            key = self.reverse[val]
+            ind = self.widget.findText(key)
+            self.widget.setCurrentIndex(ind)
+
+    def limitsChanged(self, param, limits):
+        # set up forward / reverse mappings for name:value
+        self.forward = collections.OrderedDict()  ## name: value
+        self.reverse = collections.OrderedDict()  ## value: name
+        if isinstance(limits, dict):
+            for k, v in limits.iteritems():
+                self.forward[k] = v
+                self.reverse[v] = k
+        else:
+            for v in limits:
+                n = unicode(v)
+                self.forward[n] = v
+                self.reverse[v] = n
+        
+        try:
+            self.widget.blockSignals(True)
+            val = unicode(self.widget.currentText())
+            self.widget.clear()
+            for k in self.forward:
+                self.widget.addItem(k)
+                if k == val:
+                    self.widget.setCurrentIndex(self.widget.count()-1)
+            
+        finally:
+            self.widget.blockSignals(False)
+            
+
+
+class ListParameter(Parameter):
+    type = 'list'
+    itemClass = ListParameterItem
+
+    def __init__(self, **opts):
+        self.forward = collections.OrderedDict()  ## name: value
+        self.reverse = collections.OrderedDict()  ## value: name
+        if 'values' in opts:
+            opts['limits'] = opts['values']
+        Parameter.__init__(self, **opts)
+        
+    def setLimits(self, limits):
+        self.forward = collections.OrderedDict()  ## name: value
+        self.reverse = collections.OrderedDict()  ## value: name
+        if isinstance(limits, dict):
+            for k, v in limits.iteritems():
+                self.forward[k] = v
+                self.reverse[v] = k
+        else:
+            for v in limits:
+                n = unicode(v)
+                self.forward[n] = v
+                self.reverse[v] = n
+        
+        Parameter.setLimits(self, limits)
+        #print self.name(), self.value(), limits
+        if self.value() not in self.reverse and len(self.reverse) > 0:
+            self.setValue(self.reverse.keys()[0])
+            
+
+registerParameterType('list', ListParameter, override=True)
+
+
diff --git a/plotConfigTemplate.py b/plotConfigTemplate.py
deleted file mode 100644
index e0063b14e8606fd1d686d6724cde6a540c359e35..0000000000000000000000000000000000000000
--- a/plotConfigTemplate.py
+++ /dev/null
@@ -1,295 +0,0 @@
-# -*- coding: utf-8 -*-
-
-# Form implementation generated from reading ui file './lib/util/pyqtgraph/plotConfigTemplate.ui'
-#
-# Created: Wed May 18 20:44:20 2011
-#      by: PyQt4 UI code generator 4.8.3
-#
-# WARNING! All changes made in this file will be lost!
-
-from PyQt4 import QtCore, QtGui
-
-try:
-    _fromUtf8 = QtCore.QString.fromUtf8
-except AttributeError:
-    _fromUtf8 = lambda s: s
-
-class Ui_Form(object):
-    def setupUi(self, Form):
-        Form.setObjectName(_fromUtf8("Form"))
-        Form.resize(250, 340)
-        Form.setMaximumSize(QtCore.QSize(250, 350))
-        self.gridLayout_3 = QtGui.QGridLayout(Form)
-        self.gridLayout_3.setMargin(0)
-        self.gridLayout_3.setSpacing(0)
-        self.gridLayout_3.setObjectName(_fromUtf8("gridLayout_3"))
-        self.tabWidget = QtGui.QTabWidget(Form)
-        self.tabWidget.setMaximumSize(QtCore.QSize(16777215, 16777215))
-        self.tabWidget.setObjectName(_fromUtf8("tabWidget"))
-        self.tab = QtGui.QWidget()
-        self.tab.setObjectName(_fromUtf8("tab"))
-        self.verticalLayout = QtGui.QVBoxLayout(self.tab)
-        self.verticalLayout.setSpacing(0)
-        self.verticalLayout.setMargin(0)
-        self.verticalLayout.setObjectName(_fromUtf8("verticalLayout"))
-        self.groupBox = QtGui.QGroupBox(self.tab)
-        self.groupBox.setObjectName(_fromUtf8("groupBox"))
-        self.gridLayout = QtGui.QGridLayout(self.groupBox)
-        self.gridLayout.setMargin(0)
-        self.gridLayout.setSpacing(0)
-        self.gridLayout.setObjectName(_fromUtf8("gridLayout"))
-        self.xManualRadio = QtGui.QRadioButton(self.groupBox)
-        self.xManualRadio.setObjectName(_fromUtf8("xManualRadio"))
-        self.gridLayout.addWidget(self.xManualRadio, 0, 0, 1, 1)
-        self.xMinText = QtGui.QLineEdit(self.groupBox)
-        self.xMinText.setObjectName(_fromUtf8("xMinText"))
-        self.gridLayout.addWidget(self.xMinText, 0, 1, 1, 1)
-        self.xMaxText = QtGui.QLineEdit(self.groupBox)
-        self.xMaxText.setObjectName(_fromUtf8("xMaxText"))
-        self.gridLayout.addWidget(self.xMaxText, 0, 2, 1, 1)
-        self.xAutoRadio = QtGui.QRadioButton(self.groupBox)
-        self.xAutoRadio.setChecked(True)
-        self.xAutoRadio.setObjectName(_fromUtf8("xAutoRadio"))
-        self.gridLayout.addWidget(self.xAutoRadio, 1, 0, 1, 1)
-        self.xAutoPercentSpin = QtGui.QSpinBox(self.groupBox)
-        self.xAutoPercentSpin.setEnabled(True)
-        self.xAutoPercentSpin.setMinimum(1)
-        self.xAutoPercentSpin.setMaximum(100)
-        self.xAutoPercentSpin.setSingleStep(1)
-        self.xAutoPercentSpin.setProperty(_fromUtf8("value"), 100)
-        self.xAutoPercentSpin.setObjectName(_fromUtf8("xAutoPercentSpin"))
-        self.gridLayout.addWidget(self.xAutoPercentSpin, 1, 1, 1, 2)
-        self.xLinkCombo = QtGui.QComboBox(self.groupBox)
-        self.xLinkCombo.setObjectName(_fromUtf8("xLinkCombo"))
-        self.gridLayout.addWidget(self.xLinkCombo, 2, 1, 1, 2)
-        self.xMouseCheck = QtGui.QCheckBox(self.groupBox)
-        self.xMouseCheck.setChecked(True)
-        self.xMouseCheck.setObjectName(_fromUtf8("xMouseCheck"))
-        self.gridLayout.addWidget(self.xMouseCheck, 3, 1, 1, 1)
-        self.xLogCheck = QtGui.QCheckBox(self.groupBox)
-        self.xLogCheck.setObjectName(_fromUtf8("xLogCheck"))
-        self.gridLayout.addWidget(self.xLogCheck, 3, 0, 1, 1)
-        self.label = QtGui.QLabel(self.groupBox)
-        self.label.setObjectName(_fromUtf8("label"))
-        self.gridLayout.addWidget(self.label, 2, 0, 1, 1)
-        self.verticalLayout.addWidget(self.groupBox)
-        self.groupBox_2 = QtGui.QGroupBox(self.tab)
-        self.groupBox_2.setObjectName(_fromUtf8("groupBox_2"))
-        self.gridLayout_2 = QtGui.QGridLayout(self.groupBox_2)
-        self.gridLayout_2.setMargin(0)
-        self.gridLayout_2.setSpacing(0)
-        self.gridLayout_2.setObjectName(_fromUtf8("gridLayout_2"))
-        self.yManualRadio = QtGui.QRadioButton(self.groupBox_2)
-        self.yManualRadio.setObjectName(_fromUtf8("yManualRadio"))
-        self.gridLayout_2.addWidget(self.yManualRadio, 0, 0, 1, 1)
-        self.yMinText = QtGui.QLineEdit(self.groupBox_2)
-        self.yMinText.setObjectName(_fromUtf8("yMinText"))
-        self.gridLayout_2.addWidget(self.yMinText, 0, 1, 1, 1)
-        self.yMaxText = QtGui.QLineEdit(self.groupBox_2)
-        self.yMaxText.setObjectName(_fromUtf8("yMaxText"))
-        self.gridLayout_2.addWidget(self.yMaxText, 0, 2, 1, 1)
-        self.yAutoRadio = QtGui.QRadioButton(self.groupBox_2)
-        self.yAutoRadio.setChecked(True)
-        self.yAutoRadio.setObjectName(_fromUtf8("yAutoRadio"))
-        self.gridLayout_2.addWidget(self.yAutoRadio, 1, 0, 1, 1)
-        self.yAutoPercentSpin = QtGui.QSpinBox(self.groupBox_2)
-        self.yAutoPercentSpin.setEnabled(True)
-        self.yAutoPercentSpin.setMinimum(1)
-        self.yAutoPercentSpin.setMaximum(100)
-        self.yAutoPercentSpin.setSingleStep(1)
-        self.yAutoPercentSpin.setProperty(_fromUtf8("value"), 100)
-        self.yAutoPercentSpin.setObjectName(_fromUtf8("yAutoPercentSpin"))
-        self.gridLayout_2.addWidget(self.yAutoPercentSpin, 1, 1, 1, 2)
-        self.yLinkCombo = QtGui.QComboBox(self.groupBox_2)
-        self.yLinkCombo.setObjectName(_fromUtf8("yLinkCombo"))
-        self.gridLayout_2.addWidget(self.yLinkCombo, 2, 1, 1, 2)
-        self.yMouseCheck = QtGui.QCheckBox(self.groupBox_2)
-        self.yMouseCheck.setChecked(True)
-        self.yMouseCheck.setObjectName(_fromUtf8("yMouseCheck"))
-        self.gridLayout_2.addWidget(self.yMouseCheck, 3, 1, 1, 1)
-        self.yLogCheck = QtGui.QCheckBox(self.groupBox_2)
-        self.yLogCheck.setObjectName(_fromUtf8("yLogCheck"))
-        self.gridLayout_2.addWidget(self.yLogCheck, 3, 0, 1, 1)
-        self.label_2 = QtGui.QLabel(self.groupBox_2)
-        self.label_2.setObjectName(_fromUtf8("label_2"))
-        self.gridLayout_2.addWidget(self.label_2, 2, 0, 1, 1)
-        self.verticalLayout.addWidget(self.groupBox_2)
-        self.tabWidget.addTab(self.tab, _fromUtf8(""))
-        self.tab_2 = QtGui.QWidget()
-        self.tab_2.setObjectName(_fromUtf8("tab_2"))
-        self.verticalLayout_2 = QtGui.QVBoxLayout(self.tab_2)
-        self.verticalLayout_2.setSpacing(0)
-        self.verticalLayout_2.setMargin(0)
-        self.verticalLayout_2.setObjectName(_fromUtf8("verticalLayout_2"))
-        self.powerSpectrumGroup = QtGui.QGroupBox(self.tab_2)
-        self.powerSpectrumGroup.setCheckable(True)
-        self.powerSpectrumGroup.setChecked(False)
-        self.powerSpectrumGroup.setObjectName(_fromUtf8("powerSpectrumGroup"))
-        self.verticalLayout_2.addWidget(self.powerSpectrumGroup)
-        self.decimateGroup = QtGui.QGroupBox(self.tab_2)
-        self.decimateGroup.setCheckable(True)
-        self.decimateGroup.setObjectName(_fromUtf8("decimateGroup"))
-        self.gridLayout_4 = QtGui.QGridLayout(self.decimateGroup)
-        self.gridLayout_4.setMargin(0)
-        self.gridLayout_4.setSpacing(0)
-        self.gridLayout_4.setObjectName(_fromUtf8("gridLayout_4"))
-        self.manualDecimateRadio = QtGui.QRadioButton(self.decimateGroup)
-        self.manualDecimateRadio.setChecked(True)
-        self.manualDecimateRadio.setObjectName(_fromUtf8("manualDecimateRadio"))
-        self.gridLayout_4.addWidget(self.manualDecimateRadio, 0, 0, 1, 1)
-        self.downsampleSpin = QtGui.QSpinBox(self.decimateGroup)
-        self.downsampleSpin.setMinimum(1)
-        self.downsampleSpin.setMaximum(100000)
-        self.downsampleSpin.setProperty(_fromUtf8("value"), 1)
-        self.downsampleSpin.setObjectName(_fromUtf8("downsampleSpin"))
-        self.gridLayout_4.addWidget(self.downsampleSpin, 0, 1, 1, 1)
-        self.autoDecimateRadio = QtGui.QRadioButton(self.decimateGroup)
-        self.autoDecimateRadio.setChecked(False)
-        self.autoDecimateRadio.setObjectName(_fromUtf8("autoDecimateRadio"))
-        self.gridLayout_4.addWidget(self.autoDecimateRadio, 1, 0, 1, 1)
-        self.maxTracesCheck = QtGui.QCheckBox(self.decimateGroup)
-        self.maxTracesCheck.setObjectName(_fromUtf8("maxTracesCheck"))
-        self.gridLayout_4.addWidget(self.maxTracesCheck, 2, 0, 1, 1)
-        self.maxTracesSpin = QtGui.QSpinBox(self.decimateGroup)
-        self.maxTracesSpin.setObjectName(_fromUtf8("maxTracesSpin"))
-        self.gridLayout_4.addWidget(self.maxTracesSpin, 2, 1, 1, 1)
-        self.forgetTracesCheck = QtGui.QCheckBox(self.decimateGroup)
-        self.forgetTracesCheck.setObjectName(_fromUtf8("forgetTracesCheck"))
-        self.gridLayout_4.addWidget(self.forgetTracesCheck, 3, 0, 1, 2)
-        self.verticalLayout_2.addWidget(self.decimateGroup)
-        self.averageGroup = QtGui.QGroupBox(self.tab_2)
-        self.averageGroup.setCheckable(True)
-        self.averageGroup.setChecked(False)
-        self.averageGroup.setObjectName(_fromUtf8("averageGroup"))
-        self.gridLayout_5 = QtGui.QGridLayout(self.averageGroup)
-        self.gridLayout_5.setMargin(0)
-        self.gridLayout_5.setSpacing(0)
-        self.gridLayout_5.setObjectName(_fromUtf8("gridLayout_5"))
-        self.avgParamList = QtGui.QListWidget(self.averageGroup)
-        self.avgParamList.setObjectName(_fromUtf8("avgParamList"))
-        self.gridLayout_5.addWidget(self.avgParamList, 0, 0, 1, 1)
-        self.verticalLayout_2.addWidget(self.averageGroup)
-        self.tabWidget.addTab(self.tab_2, _fromUtf8(""))
-        self.tab_3 = QtGui.QWidget()
-        self.tab_3.setObjectName(_fromUtf8("tab_3"))
-        self.verticalLayout_3 = QtGui.QVBoxLayout(self.tab_3)
-        self.verticalLayout_3.setObjectName(_fromUtf8("verticalLayout_3"))
-        self.alphaGroup = QtGui.QGroupBox(self.tab_3)
-        self.alphaGroup.setCheckable(True)
-        self.alphaGroup.setObjectName(_fromUtf8("alphaGroup"))
-        self.horizontalLayout = QtGui.QHBoxLayout(self.alphaGroup)
-        self.horizontalLayout.setObjectName(_fromUtf8("horizontalLayout"))
-        self.autoAlphaCheck = QtGui.QCheckBox(self.alphaGroup)
-        self.autoAlphaCheck.setChecked(False)
-        self.autoAlphaCheck.setObjectName(_fromUtf8("autoAlphaCheck"))
-        self.horizontalLayout.addWidget(self.autoAlphaCheck)
-        self.alphaSlider = QtGui.QSlider(self.alphaGroup)
-        self.alphaSlider.setMaximum(1000)
-        self.alphaSlider.setProperty(_fromUtf8("value"), 1000)
-        self.alphaSlider.setOrientation(QtCore.Qt.Horizontal)
-        self.alphaSlider.setObjectName(_fromUtf8("alphaSlider"))
-        self.horizontalLayout.addWidget(self.alphaSlider)
-        self.verticalLayout_3.addWidget(self.alphaGroup)
-        self.gridGroup = QtGui.QGroupBox(self.tab_3)
-        self.gridGroup.setCheckable(True)
-        self.gridGroup.setChecked(False)
-        self.gridGroup.setObjectName(_fromUtf8("gridGroup"))
-        self.verticalLayout_4 = QtGui.QVBoxLayout(self.gridGroup)
-        self.verticalLayout_4.setObjectName(_fromUtf8("verticalLayout_4"))
-        self.gridAlphaSlider = QtGui.QSlider(self.gridGroup)
-        self.gridAlphaSlider.setMaximum(255)
-        self.gridAlphaSlider.setProperty(_fromUtf8("value"), 70)
-        self.gridAlphaSlider.setOrientation(QtCore.Qt.Horizontal)
-        self.gridAlphaSlider.setObjectName(_fromUtf8("gridAlphaSlider"))
-        self.verticalLayout_4.addWidget(self.gridAlphaSlider)
-        self.verticalLayout_3.addWidget(self.gridGroup)
-        self.pointsGroup = QtGui.QGroupBox(self.tab_3)
-        self.pointsGroup.setCheckable(True)
-        self.pointsGroup.setObjectName(_fromUtf8("pointsGroup"))
-        self.verticalLayout_5 = QtGui.QVBoxLayout(self.pointsGroup)
-        self.verticalLayout_5.setObjectName(_fromUtf8("verticalLayout_5"))
-        self.autoPointsCheck = QtGui.QCheckBox(self.pointsGroup)
-        self.autoPointsCheck.setChecked(True)
-        self.autoPointsCheck.setObjectName(_fromUtf8("autoPointsCheck"))
-        self.verticalLayout_5.addWidget(self.autoPointsCheck)
-        self.verticalLayout_3.addWidget(self.pointsGroup)
-        spacerItem = QtGui.QSpacerItem(20, 40, QtGui.QSizePolicy.Minimum, QtGui.QSizePolicy.Expanding)
-        self.verticalLayout_3.addItem(spacerItem)
-        self.tabWidget.addTab(self.tab_3, _fromUtf8(""))
-        self.tab_4 = QtGui.QWidget()
-        self.tab_4.setObjectName(_fromUtf8("tab_4"))
-        self.gridLayout_7 = QtGui.QGridLayout(self.tab_4)
-        self.gridLayout_7.setObjectName(_fromUtf8("gridLayout_7"))
-        spacerItem1 = QtGui.QSpacerItem(59, 20, QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Minimum)
-        self.gridLayout_7.addItem(spacerItem1, 0, 0, 1, 1)
-        self.gridLayout_6 = QtGui.QGridLayout()
-        self.gridLayout_6.setObjectName(_fromUtf8("gridLayout_6"))
-        self.saveSvgBtn = QtGui.QPushButton(self.tab_4)
-        self.saveSvgBtn.setObjectName(_fromUtf8("saveSvgBtn"))
-        self.gridLayout_6.addWidget(self.saveSvgBtn, 0, 0, 1, 1)
-        self.saveImgBtn = QtGui.QPushButton(self.tab_4)
-        self.saveImgBtn.setObjectName(_fromUtf8("saveImgBtn"))
-        self.gridLayout_6.addWidget(self.saveImgBtn, 1, 0, 1, 1)
-        self.saveMaBtn = QtGui.QPushButton(self.tab_4)
-        self.saveMaBtn.setObjectName(_fromUtf8("saveMaBtn"))
-        self.gridLayout_6.addWidget(self.saveMaBtn, 2, 0, 1, 1)
-        self.saveCsvBtn = QtGui.QPushButton(self.tab_4)
-        self.saveCsvBtn.setObjectName(_fromUtf8("saveCsvBtn"))
-        self.gridLayout_6.addWidget(self.saveCsvBtn, 3, 0, 1, 1)
-        self.gridLayout_7.addLayout(self.gridLayout_6, 0, 1, 1, 1)
-        spacerItem2 = QtGui.QSpacerItem(59, 20, QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Minimum)
-        self.gridLayout_7.addItem(spacerItem2, 0, 2, 1, 1)
-        spacerItem3 = QtGui.QSpacerItem(20, 211, QtGui.QSizePolicy.Minimum, QtGui.QSizePolicy.Expanding)
-        self.gridLayout_7.addItem(spacerItem3, 1, 1, 1, 1)
-        self.tabWidget.addTab(self.tab_4, _fromUtf8(""))
-        self.gridLayout_3.addWidget(self.tabWidget, 0, 0, 1, 1)
-
-        self.retranslateUi(Form)
-        self.tabWidget.setCurrentIndex(0)
-        QtCore.QMetaObject.connectSlotsByName(Form)
-
-    def retranslateUi(self, Form):
-        Form.setWindowTitle(QtGui.QApplication.translate("Form", "Form", None, QtGui.QApplication.UnicodeUTF8))
-        self.groupBox.setTitle(QtGui.QApplication.translate("Form", "X Axis", None, QtGui.QApplication.UnicodeUTF8))
-        self.xManualRadio.setText(QtGui.QApplication.translate("Form", "Manual", None, QtGui.QApplication.UnicodeUTF8))
-        self.xMinText.setText(QtGui.QApplication.translate("Form", "0", None, QtGui.QApplication.UnicodeUTF8))
-        self.xMaxText.setText(QtGui.QApplication.translate("Form", "0", None, QtGui.QApplication.UnicodeUTF8))
-        self.xAutoRadio.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
-        self.xAutoPercentSpin.setSuffix(QtGui.QApplication.translate("Form", "%", None, QtGui.QApplication.UnicodeUTF8))
-        self.xMouseCheck.setText(QtGui.QApplication.translate("Form", "Mouse", None, QtGui.QApplication.UnicodeUTF8))
-        self.xLogCheck.setText(QtGui.QApplication.translate("Form", "Log", None, QtGui.QApplication.UnicodeUTF8))
-        self.label.setText(QtGui.QApplication.translate("Form", "Link with:", None, QtGui.QApplication.UnicodeUTF8))
-        self.groupBox_2.setTitle(QtGui.QApplication.translate("Form", "Y Axis", None, QtGui.QApplication.UnicodeUTF8))
-        self.yManualRadio.setText(QtGui.QApplication.translate("Form", "Manual", None, QtGui.QApplication.UnicodeUTF8))
-        self.yMinText.setText(QtGui.QApplication.translate("Form", "0", None, QtGui.QApplication.UnicodeUTF8))
-        self.yMaxText.setText(QtGui.QApplication.translate("Form", "0", None, QtGui.QApplication.UnicodeUTF8))
-        self.yAutoRadio.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
-        self.yAutoPercentSpin.setSuffix(QtGui.QApplication.translate("Form", "%", None, QtGui.QApplication.UnicodeUTF8))
-        self.yMouseCheck.setText(QtGui.QApplication.translate("Form", "Mouse", None, QtGui.QApplication.UnicodeUTF8))
-        self.yLogCheck.setText(QtGui.QApplication.translate("Form", "Log", None, QtGui.QApplication.UnicodeUTF8))
-        self.label_2.setText(QtGui.QApplication.translate("Form", "Link with:", None, QtGui.QApplication.UnicodeUTF8))
-        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab), QtGui.QApplication.translate("Form", "Scale", None, QtGui.QApplication.UnicodeUTF8))
-        self.powerSpectrumGroup.setTitle(QtGui.QApplication.translate("Form", "Power Spectrum", None, QtGui.QApplication.UnicodeUTF8))
-        self.decimateGroup.setTitle(QtGui.QApplication.translate("Form", "Downsample", None, QtGui.QApplication.UnicodeUTF8))
-        self.manualDecimateRadio.setText(QtGui.QApplication.translate("Form", "Manual", None, QtGui.QApplication.UnicodeUTF8))
-        self.autoDecimateRadio.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
-        self.maxTracesCheck.setToolTip(QtGui.QApplication.translate("Form", "If multiple curves are displayed in this plot, check this box to limit the number of traces that are displayed.", None, QtGui.QApplication.UnicodeUTF8))
-        self.maxTracesCheck.setText(QtGui.QApplication.translate("Form", "Max Traces:", None, QtGui.QApplication.UnicodeUTF8))
-        self.maxTracesSpin.setToolTip(QtGui.QApplication.translate("Form", "If multiple curves are displayed in this plot, check \"Max Traces\" and set this value to limit the number of traces that are displayed.", None, QtGui.QApplication.UnicodeUTF8))
-        self.forgetTracesCheck.setToolTip(QtGui.QApplication.translate("Form", "If MaxTraces is checked, remove curves from memory after they are hidden (saves memory, but traces can not be un-hidden).", None, QtGui.QApplication.UnicodeUTF8))
-        self.forgetTracesCheck.setText(QtGui.QApplication.translate("Form", "Forget hidden traces", None, QtGui.QApplication.UnicodeUTF8))
-        self.averageGroup.setToolTip(QtGui.QApplication.translate("Form", "Display averages of the curves displayed in this plot. The parameter list allows you to choose parameters to average over (if any are available).", None, QtGui.QApplication.UnicodeUTF8))
-        self.averageGroup.setTitle(QtGui.QApplication.translate("Form", "Average", None, QtGui.QApplication.UnicodeUTF8))
-        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab_2), QtGui.QApplication.translate("Form", "Data", None, QtGui.QApplication.UnicodeUTF8))
-        self.alphaGroup.setTitle(QtGui.QApplication.translate("Form", "Alpha", None, QtGui.QApplication.UnicodeUTF8))
-        self.autoAlphaCheck.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
-        self.gridGroup.setTitle(QtGui.QApplication.translate("Form", "Grid", None, QtGui.QApplication.UnicodeUTF8))
-        self.pointsGroup.setTitle(QtGui.QApplication.translate("Form", "Points", None, QtGui.QApplication.UnicodeUTF8))
-        self.autoPointsCheck.setText(QtGui.QApplication.translate("Form", "Auto", None, QtGui.QApplication.UnicodeUTF8))
-        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab_3), QtGui.QApplication.translate("Form", "Display", None, QtGui.QApplication.UnicodeUTF8))
-        self.saveSvgBtn.setText(QtGui.QApplication.translate("Form", "SVG", None, QtGui.QApplication.UnicodeUTF8))
-        self.saveImgBtn.setText(QtGui.QApplication.translate("Form", "Image", None, QtGui.QApplication.UnicodeUTF8))
-        self.saveMaBtn.setText(QtGui.QApplication.translate("Form", "MetaArray", None, QtGui.QApplication.UnicodeUTF8))
-        self.saveCsvBtn.setText(QtGui.QApplication.translate("Form", "CSV", None, QtGui.QApplication.UnicodeUTF8))
-        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab_4), QtGui.QApplication.translate("Form", "Save", None, QtGui.QApplication.UnicodeUTF8))
-
diff --git a/plotConfigTemplate.ui b/plotConfigTemplate.ui
deleted file mode 100644
index 7baeb337c5a03a67fa23d3e1fe603474a0bd301a..0000000000000000000000000000000000000000
--- a/plotConfigTemplate.ui
+++ /dev/null
@@ -1,563 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<ui version="4.0">
- <class>Form</class>
- <widget class="QWidget" name="Form">
-  <property name="geometry">
-   <rect>
-    <x>0</x>
-    <y>0</y>
-    <width>250</width>
-    <height>340</height>
-   </rect>
-  </property>
-  <property name="maximumSize">
-   <size>
-    <width>250</width>
-    <height>350</height>
-   </size>
-  </property>
-  <property name="windowTitle">
-   <string>Form</string>
-  </property>
-  <layout class="QGridLayout" name="gridLayout_3">
-   <property name="margin">
-    <number>0</number>
-   </property>
-   <property name="spacing">
-    <number>0</number>
-   </property>
-   <item row="0" column="0">
-    <widget class="QTabWidget" name="tabWidget">
-     <property name="maximumSize">
-      <size>
-       <width>16777215</width>
-       <height>16777215</height>
-      </size>
-     </property>
-     <property name="currentIndex">
-      <number>0</number>
-     </property>
-     <widget class="QWidget" name="tab">
-      <attribute name="title">
-       <string>Scale</string>
-      </attribute>
-      <layout class="QVBoxLayout" name="verticalLayout">
-       <property name="spacing">
-        <number>0</number>
-       </property>
-       <property name="margin">
-        <number>0</number>
-       </property>
-       <item>
-        <widget class="QGroupBox" name="groupBox">
-         <property name="title">
-          <string>X Axis</string>
-         </property>
-         <layout class="QGridLayout" name="gridLayout">
-          <property name="margin">
-           <number>0</number>
-          </property>
-          <property name="spacing">
-           <number>0</number>
-          </property>
-          <item row="0" column="0">
-           <widget class="QRadioButton" name="xManualRadio">
-            <property name="text">
-             <string>Manual</string>
-            </property>
-           </widget>
-          </item>
-          <item row="0" column="1">
-           <widget class="QLineEdit" name="xMinText">
-            <property name="text">
-             <string>0</string>
-            </property>
-           </widget>
-          </item>
-          <item row="0" column="2">
-           <widget class="QLineEdit" name="xMaxText">
-            <property name="text">
-             <string>0</string>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="0">
-           <widget class="QRadioButton" name="xAutoRadio">
-            <property name="text">
-             <string>Auto</string>
-            </property>
-            <property name="checked">
-             <bool>true</bool>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="1" colspan="2">
-           <widget class="QSpinBox" name="xAutoPercentSpin">
-            <property name="enabled">
-             <bool>true</bool>
-            </property>
-            <property name="suffix">
-             <string>%</string>
-            </property>
-            <property name="minimum">
-             <number>1</number>
-            </property>
-            <property name="maximum">
-             <number>100</number>
-            </property>
-            <property name="singleStep">
-             <number>1</number>
-            </property>
-            <property name="value">
-             <number>100</number>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="1" colspan="2">
-           <widget class="QComboBox" name="xLinkCombo"/>
-          </item>
-          <item row="3" column="1">
-           <widget class="QCheckBox" name="xMouseCheck">
-            <property name="text">
-             <string>Mouse</string>
-            </property>
-            <property name="checked">
-             <bool>true</bool>
-            </property>
-           </widget>
-          </item>
-          <item row="3" column="0">
-           <widget class="QCheckBox" name="xLogCheck">
-            <property name="text">
-             <string>Log</string>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="0">
-           <widget class="QLabel" name="label">
-            <property name="text">
-             <string>Link with:</string>
-            </property>
-           </widget>
-          </item>
-         </layout>
-        </widget>
-       </item>
-       <item>
-        <widget class="QGroupBox" name="groupBox_2">
-         <property name="title">
-          <string>Y Axis</string>
-         </property>
-         <layout class="QGridLayout" name="gridLayout_2">
-          <property name="margin">
-           <number>0</number>
-          </property>
-          <property name="spacing">
-           <number>0</number>
-          </property>
-          <item row="0" column="0">
-           <widget class="QRadioButton" name="yManualRadio">
-            <property name="text">
-             <string>Manual</string>
-            </property>
-           </widget>
-          </item>
-          <item row="0" column="1">
-           <widget class="QLineEdit" name="yMinText">
-            <property name="text">
-             <string>0</string>
-            </property>
-           </widget>
-          </item>
-          <item row="0" column="2">
-           <widget class="QLineEdit" name="yMaxText">
-            <property name="text">
-             <string>0</string>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="0">
-           <widget class="QRadioButton" name="yAutoRadio">
-            <property name="text">
-             <string>Auto</string>
-            </property>
-            <property name="checked">
-             <bool>true</bool>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="1" colspan="2">
-           <widget class="QSpinBox" name="yAutoPercentSpin">
-            <property name="enabled">
-             <bool>true</bool>
-            </property>
-            <property name="suffix">
-             <string>%</string>
-            </property>
-            <property name="minimum">
-             <number>1</number>
-            </property>
-            <property name="maximum">
-             <number>100</number>
-            </property>
-            <property name="singleStep">
-             <number>1</number>
-            </property>
-            <property name="value">
-             <number>100</number>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="1" colspan="2">
-           <widget class="QComboBox" name="yLinkCombo"/>
-          </item>
-          <item row="3" column="1">
-           <widget class="QCheckBox" name="yMouseCheck">
-            <property name="text">
-             <string>Mouse</string>
-            </property>
-            <property name="checked">
-             <bool>true</bool>
-            </property>
-           </widget>
-          </item>
-          <item row="3" column="0">
-           <widget class="QCheckBox" name="yLogCheck">
-            <property name="text">
-             <string>Log</string>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="0">
-           <widget class="QLabel" name="label_2">
-            <property name="text">
-             <string>Link with:</string>
-            </property>
-           </widget>
-          </item>
-         </layout>
-        </widget>
-       </item>
-      </layout>
-     </widget>
-     <widget class="QWidget" name="tab_2">
-      <attribute name="title">
-       <string>Data</string>
-      </attribute>
-      <layout class="QVBoxLayout" name="verticalLayout_2">
-       <property name="spacing">
-        <number>0</number>
-       </property>
-       <property name="margin">
-        <number>0</number>
-       </property>
-       <item>
-        <widget class="QGroupBox" name="powerSpectrumGroup">
-         <property name="title">
-          <string>Power Spectrum</string>
-         </property>
-         <property name="checkable">
-          <bool>true</bool>
-         </property>
-         <property name="checked">
-          <bool>false</bool>
-         </property>
-        </widget>
-       </item>
-       <item>
-        <widget class="QGroupBox" name="decimateGroup">
-         <property name="title">
-          <string>Downsample</string>
-         </property>
-         <property name="checkable">
-          <bool>true</bool>
-         </property>
-         <layout class="QGridLayout" name="gridLayout_4">
-          <property name="margin">
-           <number>0</number>
-          </property>
-          <property name="spacing">
-           <number>0</number>
-          </property>
-          <item row="0" column="0">
-           <widget class="QRadioButton" name="manualDecimateRadio">
-            <property name="text">
-             <string>Manual</string>
-            </property>
-            <property name="checked">
-             <bool>true</bool>
-            </property>
-           </widget>
-          </item>
-          <item row="0" column="1">
-           <widget class="QSpinBox" name="downsampleSpin">
-            <property name="minimum">
-             <number>1</number>
-            </property>
-            <property name="maximum">
-             <number>100000</number>
-            </property>
-            <property name="value">
-             <number>1</number>
-            </property>
-           </widget>
-          </item>
-          <item row="1" column="0">
-           <widget class="QRadioButton" name="autoDecimateRadio">
-            <property name="text">
-             <string>Auto</string>
-            </property>
-            <property name="checked">
-             <bool>false</bool>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="0">
-           <widget class="QCheckBox" name="maxTracesCheck">
-            <property name="toolTip">
-             <string>If multiple curves are displayed in this plot, check this box to limit the number of traces that are displayed.</string>
-            </property>
-            <property name="text">
-             <string>Max Traces:</string>
-            </property>
-           </widget>
-          </item>
-          <item row="2" column="1">
-           <widget class="QSpinBox" name="maxTracesSpin">
-            <property name="toolTip">
-             <string>If multiple curves are displayed in this plot, check &quot;Max Traces&quot; and set this value to limit the number of traces that are displayed.</string>
-            </property>
-           </widget>
-          </item>
-          <item row="3" column="0" colspan="2">
-           <widget class="QCheckBox" name="forgetTracesCheck">
-            <property name="toolTip">
-             <string>If MaxTraces is checked, remove curves from memory after they are hidden (saves memory, but traces can not be un-hidden).</string>
-            </property>
-            <property name="text">
-             <string>Forget hidden traces</string>
-            </property>
-           </widget>
-          </item>
-         </layout>
-        </widget>
-       </item>
-       <item>
-        <widget class="QGroupBox" name="averageGroup">
-         <property name="toolTip">
-          <string>Display averages of the curves displayed in this plot. The parameter list allows you to choose parameters to average over (if any are available).</string>
-         </property>
-         <property name="title">
-          <string>Average</string>
-         </property>
-         <property name="checkable">
-          <bool>true</bool>
-         </property>
-         <property name="checked">
-          <bool>false</bool>
-         </property>
-         <layout class="QGridLayout" name="gridLayout_5">
-          <property name="margin">
-           <number>0</number>
-          </property>
-          <property name="spacing">
-           <number>0</number>
-          </property>
-          <item row="0" column="0">
-           <widget class="QListWidget" name="avgParamList"/>
-          </item>
-         </layout>
-        </widget>
-       </item>
-      </layout>
-     </widget>
-     <widget class="QWidget" name="tab_3">
-      <attribute name="title">
-       <string>Display</string>
-      </attribute>
-      <layout class="QVBoxLayout" name="verticalLayout_3">
-       <item>
-        <widget class="QGroupBox" name="alphaGroup">
-         <property name="title">
-          <string>Alpha</string>
-         </property>
-         <property name="checkable">
-          <bool>true</bool>
-         </property>
-         <layout class="QHBoxLayout" name="horizontalLayout">
-          <item>
-           <widget class="QCheckBox" name="autoAlphaCheck">
-            <property name="text">
-             <string>Auto</string>
-            </property>
-            <property name="checked">
-             <bool>false</bool>
-            </property>
-           </widget>
-          </item>
-          <item>
-           <widget class="QSlider" name="alphaSlider">
-            <property name="maximum">
-             <number>1000</number>
-            </property>
-            <property name="value">
-             <number>1000</number>
-            </property>
-            <property name="orientation">
-             <enum>Qt::Horizontal</enum>
-            </property>
-           </widget>
-          </item>
-         </layout>
-        </widget>
-       </item>
-       <item>
-        <widget class="QGroupBox" name="gridGroup">
-         <property name="title">
-          <string>Grid</string>
-         </property>
-         <property name="checkable">
-          <bool>true</bool>
-         </property>
-         <property name="checked">
-          <bool>false</bool>
-         </property>
-         <layout class="QVBoxLayout" name="verticalLayout_4">
-          <item>
-           <widget class="QSlider" name="gridAlphaSlider">
-            <property name="maximum">
-             <number>255</number>
-            </property>
-            <property name="value">
-             <number>70</number>
-            </property>
-            <property name="orientation">
-             <enum>Qt::Horizontal</enum>
-            </property>
-           </widget>
-          </item>
-         </layout>
-        </widget>
-       </item>
-       <item>
-        <widget class="QGroupBox" name="pointsGroup">
-         <property name="title">
-          <string>Points</string>
-         </property>
-         <property name="checkable">
-          <bool>true</bool>
-         </property>
-         <layout class="QVBoxLayout" name="verticalLayout_5">
-          <item>
-           <widget class="QCheckBox" name="autoPointsCheck">
-            <property name="text">
-             <string>Auto</string>
-            </property>
-            <property name="checked">
-             <bool>true</bool>
-            </property>
-           </widget>
-          </item>
-         </layout>
-        </widget>
-       </item>
-       <item>
-        <spacer name="verticalSpacer_2">
-         <property name="orientation">
-          <enum>Qt::Vertical</enum>
-         </property>
-         <property name="sizeHint" stdset="0">
-          <size>
-           <width>20</width>
-           <height>40</height>
-          </size>
-         </property>
-        </spacer>
-       </item>
-      </layout>
-     </widget>
-     <widget class="QWidget" name="tab_4">
-      <attribute name="title">
-       <string>Save</string>
-      </attribute>
-      <layout class="QGridLayout" name="gridLayout_7">
-       <item row="0" column="0">
-        <spacer name="horizontalSpacer">
-         <property name="orientation">
-          <enum>Qt::Horizontal</enum>
-         </property>
-         <property name="sizeHint" stdset="0">
-          <size>
-           <width>59</width>
-           <height>20</height>
-          </size>
-         </property>
-        </spacer>
-       </item>
-       <item row="0" column="1">
-        <layout class="QGridLayout" name="gridLayout_6">
-         <item row="0" column="0">
-          <widget class="QPushButton" name="saveSvgBtn">
-           <property name="text">
-            <string>SVG</string>
-           </property>
-          </widget>
-         </item>
-         <item row="1" column="0">
-          <widget class="QPushButton" name="saveImgBtn">
-           <property name="text">
-            <string>Image</string>
-           </property>
-          </widget>
-         </item>
-         <item row="2" column="0">
-          <widget class="QPushButton" name="saveMaBtn">
-           <property name="text">
-            <string>MetaArray</string>
-           </property>
-          </widget>
-         </item>
-         <item row="3" column="0">
-          <widget class="QPushButton" name="saveCsvBtn">
-           <property name="text">
-            <string>CSV</string>
-           </property>
-          </widget>
-         </item>
-        </layout>
-       </item>
-       <item row="0" column="2">
-        <spacer name="horizontalSpacer_2">
-         <property name="orientation">
-          <enum>Qt::Horizontal</enum>
-         </property>
-         <property name="sizeHint" stdset="0">
-          <size>
-           <width>59</width>
-           <height>20</height>
-          </size>
-         </property>
-        </spacer>
-       </item>
-       <item row="1" column="1">
-        <spacer name="verticalSpacer">
-         <property name="orientation">
-          <enum>Qt::Vertical</enum>
-         </property>
-         <property name="sizeHint" stdset="0">
-          <size>
-           <width>20</width>
-           <height>211</height>
-          </size>
-         </property>
-        </spacer>
-       </item>
-      </layout>
-     </widget>
-    </widget>
-   </item>
-  </layout>
- </widget>
- <resources/>
- <connections/>
-</ui>
diff --git a/ptime.pyc b/ptime.pyc
new file mode 100644
index 0000000000000000000000000000000000000000..3761c6f2d6f56dfcf0adb2d955187786880931e3
Binary files /dev/null and b/ptime.pyc differ
diff --git a/widgets/CheckTable.py b/widgets/CheckTable.py
new file mode 100644
index 0000000000000000000000000000000000000000..5e2fc1e6a5947b0b724cc13a4a4cdacaa9a87990
--- /dev/null
+++ b/widgets/CheckTable.py
@@ -0,0 +1,89 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtGui, QtCore
+import VerticalLabel
+
+__all__ = ['CheckTable']
+
+class CheckTable(QtGui.QWidget):
+    
+    sigStateChanged = QtCore.Signal(object, object, object) # (row, col, state)
+    
+    def __init__(self, columns):
+        QtGui.QWidget.__init__(self)
+        self.layout = QtGui.QGridLayout()
+        self.layout.setSpacing(0)
+        self.setLayout(self.layout)
+        self.headers = []
+        self.columns = columns
+        col = 1
+        for c in columns:
+            label = VerticalLabel.VerticalLabel(c, orientation='vertical')
+            self.headers.append(label)
+            self.layout.addWidget(label, 0, col)
+            col += 1
+        
+        self.rowNames = []
+        self.rowWidgets = []
+        
+
+    def updateRows(self, rows):
+        for r in self.rowNames[:]:
+            if r not in rows:
+                self.removeRow(r)
+        for r in rows:
+            if r not in self.rowNames:
+                self.addRow(r)
+
+    def addRow(self, name):
+        label = QtGui.QLabel(name)
+        row = len(self.rowNames)+1
+        self.layout.addWidget(label, row, 0)
+        checks = []
+        col = 1
+        for c in self.columns:
+            check = QtGui.QCheckBox('')
+            check.col = c
+            check.row = name
+            self.layout.addWidget(check, row, col)
+            checks.append(check)
+            col += 1
+            #QtCore.QObject.connect(check, QtCore.SIGNAL('stateChanged(int)'), self.checkChanged)
+            check.stateChanged.connect(self.checkChanged)
+        self.rowNames.append(name)
+        self.rowWidgets.append([label] + checks)
+        
+    def removeRow(self, name):
+        row = self.rowNames.index(name)
+        self.rowNames.pop(row)
+        for w in self.rowWidgets[row]:
+            w.setParent(None)
+            #QtCore.QObject.disconnect(w, QtCore.SIGNAL('stateChanged(int)'), self.checkChanged)
+            if isinstance(w, QtGui.QCheckBox):
+                w.stateChanged.disconnect(self.checkChanged)
+        self.rowWidgets.pop(row)
+        for i in range(row, len(self.rowNames)):
+            widgets = self.rowWidgets[i]
+            for j in range(len(widgets)):
+                widgets[j].setParent(None)
+                self.layout.addWidget(widgets[j], i+1, j)
+
+    def checkChanged(self, state):
+        check = QtCore.QObject.sender(self)
+        #self.emit(QtCore.SIGNAL('stateChanged'), check.row, check.col, state)
+        self.sigStateChanged.emit(check.row, check.col, state)
+        
+    def saveState(self):
+        rows = []
+        for i in range(len(self.rowNames)):
+            row = [self.rowNames[i]] + [c.isChecked() for c in self.rowWidgets[i][1:]]
+            rows.append(row)
+        return {'cols': self.columns, 'rows': rows}
+        
+    def restoreState(self, state):
+        rows = [r[0] for r in state['rows']]
+        self.updateRows(rows)
+        for r in state['rows']:
+            rowNum = self.rowNames.index(r[0])
+            for i in range(1, len(r)):
+                self.rowWidgets[rowNum][i].setChecked(r[i])
+            
\ No newline at end of file
diff --git a/ColorButton.py b/widgets/ColorButton.py
similarity index 83%
rename from ColorButton.py
rename to widgets/ColorButton.py
index cc967c3b5180a067821059a5adc569d70b30e998..7e677f735be7f581ce05301008264d836cf9fc00 100644
--- a/ColorButton.py
+++ b/widgets/ColorButton.py
@@ -1,8 +1,8 @@
 # -*- coding: utf-8 -*-
-from PyQt4 import QtGui, QtCore
-if not hasattr(QtCore, 'Signal'):
-    QtCore.Signal = QtCore.pyqtSignal
-import functions
+from pyqtgraph.Qt import QtGui, QtCore
+import pyqtgraph.functions as functions
+
+__all__ = ['ColorButton']
 
 class ColorButton(QtGui.QPushButton):
     
@@ -27,8 +27,14 @@ class ColorButton(QtGui.QPushButton):
     def paintEvent(self, ev):
         QtGui.QPushButton.paintEvent(self, ev)
         p = QtGui.QPainter(self)
+        rect = self.rect().adjusted(6, 6, -6, -6)
+        ## draw white base, then texture for indicating transparency, then actual color
+        p.setBrush(functions.mkBrush('w'))
+        p.drawRect(rect)
+        p.setBrush(QtGui.QBrush(QtCore.Qt.DiagCrossPattern))
+        p.drawRect(rect)
         p.setBrush(functions.mkBrush(self._color))
-        p.drawRect(self.rect().adjusted(5, 5, -5, -5))
+        p.drawRect(rect)
         p.end()
     
     def setColor(self, color, finished=True):
@@ -80,4 +86,8 @@ if __name__ == '__main__':
         
     btn.sigColorChanging.connect(change)
     btn.sigColorChanged.connect(done)
-    
\ No newline at end of file
+    
+    ## Start Qt event loop unless running in interactive mode.
+    import sys
+    if sys.flags.interactive != 1:
+        app.exec_()
diff --git a/widgets/DataTreeWidget.py b/widgets/DataTreeWidget.py
new file mode 100644
index 0000000000000000000000000000000000000000..8a310af6aa66a9e9d7c989a6d930826b2c55b9fc
--- /dev/null
+++ b/widgets/DataTreeWidget.py
@@ -0,0 +1,106 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtGui, QtCore
+from collections import OrderedDict
+import types, traceback
+import numpy as np
+
+try:
+    import metaarray
+    HAVE_METAARRAY = True
+except:
+    HAVE_METAARRAY = False
+
+__all__ = ['DataTreeWidget']
+
+class DataTreeWidget(QtGui.QTreeWidget):
+    """
+    Widget for displaying hierarchical python data structures
+    (eg, nested dicts, lists, and arrays)
+    """
+    
+    
+    def __init__(self, parent=None, data=None):
+        QtGui.QTreeWidget.__init__(self, parent)
+        self.setVerticalScrollMode(self.ScrollPerPixel)
+        self.setData(data)
+        self.setColumnCount(3)
+        self.setHeaderLabels(['key / index', 'type', 'value'])
+        
+    def setData(self, data, hideRoot=False):
+        """data should be a dictionary."""
+        self.clear()
+        self.buildTree(data, self.invisibleRootItem(), hideRoot=hideRoot)
+        #node = self.mkNode('', data)
+        #while node.childCount() > 0:
+            #c = node.child(0)
+            #node.removeChild(c)
+            #self.invisibleRootItem().addChild(c)
+        self.expandToDepth(3)
+        self.resizeColumnToContents(0)
+        
+    def buildTree(self, data, parent, name='', hideRoot=False):
+        if hideRoot:
+            node = parent
+        else:
+            typeStr = type(data).__name__
+            if typeStr == 'instance':
+                typeStr += ": " + data.__class__.__name__
+            node = QtGui.QTreeWidgetItem([name, typeStr, ""])
+            parent.addChild(node)
+        
+        if isinstance(data, types.TracebackType):  ## convert traceback to a list of strings
+            data = map(str.strip, traceback.format_list(traceback.extract_tb(data)))
+        elif HAVE_METAARRAY and isinstance(data, metaarray.MetaArray):
+            data = {
+                'data': data.view(np.ndarray),
+                'meta': data.infoCopy()
+            }
+            
+        if isinstance(data, dict):
+            for k in data:
+                self.buildTree(data[k], node, str(k))
+        elif isinstance(data, list) or isinstance(data, tuple):
+            for i in range(len(data)):
+                self.buildTree(data[i], node, str(i))
+        else:
+            node.setText(2, str(data))
+        
+        
+    #def mkNode(self, name, v):
+        #if type(v) is list and len(v) > 0 and isinstance(v[0], dict):
+            #inds = map(unicode, range(len(v)))
+            #v = OrderedDict(zip(inds, v))
+        #if isinstance(v, dict):
+            ##print "\nadd tree", k, v
+            #node = QtGui.QTreeWidgetItem([name])
+            #for k in v:
+                #newNode = self.mkNode(k, v[k])
+                #node.addChild(newNode)
+        #else:
+            ##print "\nadd value", k, str(v)
+            #node = QtGui.QTreeWidgetItem([unicode(name), unicode(v)])
+        #return node
+        
+        
+if __name__ == '__main__':
+    app = QtGui.QApplication([])
+    d = {
+        'list1': [1,2,3,4,5,6, {'nested1': 'aaaaa', 'nested2': 'bbbbb'}, "seven"],
+        'dict1': {
+            'x': 1,
+            'y': 2,
+            'z': 'three'
+        },
+        'array1 (20x20)': np.ones((10,10))
+    }
+        
+    tree = DataTreeWidget(data=d)
+    tree.show()
+    tree.resize(600,600)
+    
+    
+    ## Start Qt event loop unless running in interactive mode.
+    import sys
+    if sys.flags.interactive != 1:
+        app.exec_()
+        
\ No newline at end of file
diff --git a/widgets/FileDialog.py b/widgets/FileDialog.py
new file mode 100644
index 0000000000000000000000000000000000000000..33b838a2282644e658ff6cf3994a0ae2541c9f46
--- /dev/null
+++ b/widgets/FileDialog.py
@@ -0,0 +1,14 @@
+from pyqtgraph.Qt import QtGui, QtCore
+import sys
+
+__all__ = ['FileDialog']
+
+class FileDialog(QtGui.QFileDialog):
+    ## Compatibility fix for OSX:
+    ## For some reason the native dialog doesn't show up when you set AcceptMode to AcceptSave on OS X, so we don't use the native dialog    
+    
+    def __init__(self, *args):
+        QtGui.QFileDialog.__init__(self, *args)
+        
+        if sys.platform == 'darwin': 
+            self.setOption(QtGui.QFileDialog.DontUseNativeDialog)
\ No newline at end of file
diff --git a/widgets/GradientWidget.py b/widgets/GradientWidget.py
new file mode 100644
index 0000000000000000000000000000000000000000..47d6ab4513076643490308a42d9c9dfc48a17c03
--- /dev/null
+++ b/widgets/GradientWidget.py
@@ -0,0 +1,620 @@
+# -*- coding: utf-8 -*-
+if __name__ == '__main__':
+    import os, sys
+    path = os.path.join(os.path.dirname(__file__), '..', '..')
+    sys.path = [path] + sys.path
+    
+    
+from pyqtgraph.Qt import QtGui, QtCore
+from GraphicsView import GraphicsView
+from pyqtgraph.graphicsItems.GradientEditorItem import GradientEditorItem
+import weakref
+import numpy as np
+import collections
+
+__all__ = ['TickSlider', 'GradientWidget', 'BlackWhiteSlider']
+
+
+class GradientWidget(GraphicsView):
+    
+    sigGradientChanged = QtCore.Signal(object)
+    
+    def __init__(self, parent=None, orientation='bottom',  *args, **kargs):
+        GraphicsView.__init__(self, parent, useOpenGL=False, background=None)
+        self.maxDim = 27
+        kargs['tickPen'] = 'k'
+        self.item = GradientEditorItem(*args, **kargs)
+        self.item.sigGradientChanged.connect(self.sigGradientChanged)
+        self.setCentralItem(self.item)
+        self.setOrientation(orientation)
+        self.setCacheMode(self.CacheNone)
+        self.setRenderHints(QtGui.QPainter.Antialiasing | QtGui.QPainter.TextAntialiasing)
+        self.setFrameStyle(QtGui.QFrame.NoFrame | QtGui.QFrame.Plain)
+        self.setBackgroundRole(QtGui.QPalette.NoRole)
+        #self.setBackgroundBrush(QtGui.QBrush(QtCore.Qt.NoBrush))
+        #self.setAutoFillBackground(False)
+        #self.setAttribute(QtCore.Qt.WA_PaintOnScreen, False)
+        #self.setAttribute(QtCore.Qt.WA_OpaquePaintEvent, True)
+
+    def setOrientation(self, ort):
+        self.item.setOrientation(ort)
+        self.orientation = ort
+        self.setMaxDim()
+        
+    def setMaxDim(self, mx=None):
+        if mx is None:
+            mx = self.maxDim
+        else:
+            self.maxDim = mx
+            
+        if self.orientation in ['bottom', 'top']:
+            self.setFixedHeight(mx)
+            self.setMaximumWidth(16777215)
+        else:
+            self.setFixedWidth(mx)
+            self.setMaximumHeight(16777215)
+        
+    def __getattr__(self, attr):
+        return getattr(self.item, attr)
+
+
+
+#Gradients = collections.OrderedDict([
+    #('thermal', {'ticks': [(0.3333, (185, 0, 0, 255)), (0.6666, (255, 220, 0, 255)), (1, (255, 255, 255, 255)), (0, (0, 0, 0, 255))], 'mode': 'rgb'}),
+    #('flame', {'ticks': [(0.2, (7, 0, 220, 255)), (0.5, (236, 0, 134, 255)), (0.8, (246, 246, 0, 255)), (1.0, (255, 255, 255, 255)), (0.0, (0, 0, 0, 255))], 'mode': 'rgb'}),
+    #('yellowy', {'ticks': [(0.0, (0, 0, 0, 255)), (0.2328863796753704, (32, 0, 129, 255)), (0.8362738179251941, (255, 255, 0, 255)), (0.5257586450247, (115, 15, 255, 255)), (1.0, (255, 255, 255, 255))], 'mode': 'rgb'} ),
+    #('bipolar', {'ticks': [(0.0, (0, 255, 255, 255)), (1.0, (255, 255, 0, 255)), (0.5, (0, 0, 0, 255)), (0.25, (0, 0, 255, 255)), (0.75, (255, 0, 0, 255))], 'mode': 'rgb'}),
+    #('spectrum', {'ticks': [(1.0, (255, 0, 255, 255)), (0.0, (255, 0, 0, 255))], 'mode': 'hsv'}),
+    #('cyclic', {'ticks': [(0.0, (255, 0, 4, 255)), (1.0, (255, 0, 0, 255))], 'mode': 'hsv'}),
+    #('greyclip', {'ticks': [(0.0, (0, 0, 0, 255)), (0.99, (255, 255, 255, 255)), (1.0, (255, 0, 0, 255))], 'mode': 'rgb'}),
+#])
+
+
+#class TickSlider(GraphicsView):
+    #def __init__(self, parent=None, orientation='bottom', allowAdd=True, **kargs):
+        #self.orientation = orientation
+        #self.length = 100
+        #self.tickSize = 15
+        #self.ticks = {}
+        #self.maxDim = 20
+        #GraphicsView.__init__(self, parent, useOpenGL=False)
+        #self.allowAdd = allowAdd
+        ##self.setVerticalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOff)
+        ##self.setHorizontalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOff)
+        ##self.setTransformationAnchor(QtGui.QGraphicsView.NoAnchor)
+        ##self.setResizeAnchor(QtGui.QGraphicsView.AnchorViewCenter)
+        #self.setRenderHints(QtGui.QPainter.Antialiasing | QtGui.QPainter.TextAntialiasing)
+        #self.orientations = {
+            #'left': (270, 1, -1), 
+            #'right': (270, 1, 1), 
+            #'top': (0, 1, -1), 
+            #'bottom': (0, 1, 1)
+        #}
+            
+        ##self.scene = QtGui.QGraphicsScene()
+        ##self.setScene(self.scene)
+        
+        #self.setOrientation(orientation)
+        #self.setFrameStyle(QtGui.QFrame.NoFrame | QtGui.QFrame.Plain)
+        #self.setBackgroundRole(QtGui.QPalette.NoRole)
+        #self.setMouseTracking(True)
+        
+        
+    #def keyPressEvent(self, ev):
+        #ev.ignore()
+     
+    #def setMaxDim(self, mx=None):
+        #if mx is None:
+            #mx = self.maxDim
+        #else:
+            #self.maxDim = mx
+            
+        #if self.orientation in ['bottom', 'top']:
+            #self.setFixedHeight(mx)
+            #self.setMaximumWidth(16777215)
+        #else:
+            #self.setFixedWidth(mx)
+            #self.setMaximumHeight(16777215)
+        
+    #def setOrientation(self, ort):
+        #self.orientation = ort
+        #self.resetTransform()
+        #self.rotate(self.orientations[ort][0])
+        #self.scale(*self.orientations[ort][1:])
+        #self.setMaxDim()
+        
+    #def addTick(self, x, color=None, movable=True):
+        #if color is None:
+            #color = QtGui.QColor(255,255,255)
+        #tick = Tick(self, [x*self.length, 0], color, movable, self.tickSize)
+        #self.ticks[tick] = x
+        #self.scene.addItem(tick)
+        #return tick
+                
+    #def removeTick(self, tick):
+        #del self.ticks[tick]
+        #self.scene.removeItem(tick)
+                
+    #def tickMoved(self, tick, pos):
+        ##print "tick changed"
+        ### Correct position of tick if it has left bounds.
+        #newX = min(max(0, pos.x()), self.length)
+        #pos.setX(newX)
+        #tick.setPos(pos)
+        #self.ticks[tick] = float(newX) / self.length
+    
+    #def tickClicked(self, tick, ev):
+        #if ev.button() == QtCore.Qt.RightButton:
+            #self.removeTick(tick)
+    
+    #def widgetLength(self):
+        #if self.orientation in ['bottom', 'top']:
+            #return self.width()
+        #else:
+            #return self.height()
+    
+    #def resizeEvent(self, ev):
+        #wlen = max(40, self.widgetLength())
+        #self.setLength(wlen-self.tickSize)
+        #bounds = self.scene().itemsBoundingRect()
+        #bounds.setLeft(min(-self.tickSize*0.5, bounds.left()))
+        #bounds.setRight(max(self.length + self.tickSize, bounds.right()))
+        ##bounds.setTop(min(bounds.top(), self.tickSize))
+        ##bounds.setBottom(max(0, bounds.bottom()))
+        #self.setSceneRect(bounds)
+        #self.fitInView(bounds, QtCore.Qt.KeepAspectRatio)
+        
+    #def setLength(self, newLen):
+        #for t, x in self.ticks.items():
+            #t.setPos(x * newLen, t.pos().y())
+        #self.length = float(newLen)
+        
+    #def mousePressEvent(self, ev):
+        #QtGui.QGraphicsView.mousePressEvent(self, ev)
+        #self.ignoreRelease = False
+        #for i in self.items(ev.pos()):
+            #if isinstance(i, Tick):
+                #self.ignoreRelease = True
+                #break
+        ##if len(self.items(ev.pos())) > 0:  ## Let items handle their own clicks
+            ##self.ignoreRelease = True
+        
+    #def mouseReleaseEvent(self, ev):
+        #QtGui.QGraphicsView.mouseReleaseEvent(self, ev)
+        #if self.ignoreRelease:
+            #return
+            
+        #pos = self.mapToScene(ev.pos())
+            
+        #if ev.button() == QtCore.Qt.LeftButton and self.allowAdd:
+            #if pos.x() < 0 or pos.x() > self.length:
+                #return
+            #if pos.y() < 0 or pos.y() > self.tickSize:
+                #return
+            #pos.setX(min(max(pos.x(), 0), self.length))
+            #self.addTick(pos.x()/self.length)
+        #elif ev.button() == QtCore.Qt.RightButton:
+            #self.showMenu(ev)
+            
+        
+    #def showMenu(self, ev):
+        #pass
+
+    #def setTickColor(self, tick, color):
+        #tick = self.getTick(tick)
+        #tick.color = color
+        #tick.setBrush(QtGui.QBrush(QtGui.QColor(tick.color)))
+
+    #def setTickValue(self, tick, val):
+        #tick = self.getTick(tick)
+        #val = min(max(0.0, val), 1.0)
+        #x = val * self.length
+        #pos = tick.pos()
+        #pos.setX(x)
+        #tick.setPos(pos)
+        #self.ticks[tick] = val
+        
+    #def tickValue(self, tick):
+        #tick = self.getTick(tick)
+        #return self.ticks[tick]
+        
+    #def getTick(self, tick):
+        #if type(tick) is int:
+            #tick = self.listTicks()[tick][0]
+        #return tick
+
+    #def mouseMoveEvent(self, ev):
+        #QtGui.QGraphicsView.mouseMoveEvent(self, ev)
+        ##print ev.pos(), ev.buttons()
+
+    #def listTicks(self):
+        #ticks = self.ticks.items()
+        #ticks.sort(lambda a,b: cmp(a[1], b[1]))
+        #return ticks
+
+
+#class GradientWidget(TickSlider):
+    
+    #sigGradientChanged = QtCore.Signal(object)
+    
+    #def __init__(self, *args, **kargs):
+        #self.currentTick = None
+        #self.currentTickColor = None
+        #self.rectSize = 15
+        #self.gradRect = QtGui.QGraphicsRectItem(QtCore.QRectF(0, -self.rectSize, 100, self.rectSize))
+        #self.backgroundRect = QtGui.QGraphicsRectItem(QtCore.QRectF(0, -self.rectSize, 100, self.rectSize))
+        #self.backgroundRect.setBrush(QtGui.QBrush(QtCore.Qt.DiagCrossPattern))
+        #self.colorMode = 'rgb'
+        #TickSlider.__init__(self, *args, **kargs)
+        #self.colorDialog = QtGui.QColorDialog()
+        #self.colorDialog.setOption(QtGui.QColorDialog.ShowAlphaChannel, True)
+        #self.colorDialog.setOption(QtGui.QColorDialog.DontUseNativeDialog, True)
+        
+        #self.colorDialog.currentColorChanged.connect(self.currentColorChanged)
+        #self.colorDialog.rejected.connect(self.currentColorRejected)
+        
+        ##self.gradient = QtGui.QLinearGradient(QtCore.QPointF(0,0), QtCore.QPointF(100,0))
+        #self.scene.addItem(self.backgroundRect)
+        #self.scene.addItem(self.gradRect)
+        
+        #self.setMaxDim(self.rectSize + self.tickSize)
+            
+        ##self.btn = QtGui.QPushButton('RGB')
+        ##self.btnProxy = self.scene.addWidget(self.btn)
+        ##self.btnProxy.setFlag(self.btnProxy.ItemIgnoresTransformations)
+        ##self.btnProxy.scale(0.7, 0.7)
+        ##self.btnProxy.translate(-self.btnProxy.sceneBoundingRect().width()+self.tickSize/2., 0)
+        ##if self.orientation == 'bottom':
+            ##self.btnProxy.translate(0, -self.rectSize)
+        #self.rgbAction = QtGui.QAction('RGB', self)
+        #self.rgbAction.setCheckable(True)
+        #self.rgbAction.triggered.connect(lambda: self.setColorMode('rgb'))
+        #self.hsvAction = QtGui.QAction('HSV', self)
+        #self.hsvAction.setCheckable(True)
+        #self.hsvAction.triggered.connect(lambda: self.setColorMode('hsv'))
+            
+        #self.menu = QtGui.QMenu()
+        
+        ### build context menu of gradients
+        #global Gradients
+        #for g in Gradients:
+            #px = QtGui.QPixmap(100, 15)
+            #p = QtGui.QPainter(px)
+            #self.restoreState(Gradients[g])
+            #grad = self.getGradient()
+            #brush = QtGui.QBrush(grad)
+            #p.fillRect(QtCore.QRect(0, 0, 100, 15), brush)
+            #p.end()
+            #label = QtGui.QLabel()
+            #label.setPixmap(px)
+            #label.setContentsMargins(1, 1, 1, 1)
+            #act = QtGui.QWidgetAction(self)
+            #act.setDefaultWidget(label)
+            #act.triggered.connect(self.contextMenuClicked)
+            #act.name = g
+            #self.menu.addAction(act)
+            
+        #self.menu.addSeparator()
+        #self.menu.addAction(self.rgbAction)
+        #self.menu.addAction(self.hsvAction)
+        
+        
+        #for t in self.ticks.keys():
+            #self.removeTick(t)
+        #self.addTick(0, QtGui.QColor(0,0,0), True)
+        #self.addTick(1, QtGui.QColor(255,0,0), True)
+        #self.setColorMode('rgb')
+        #self.updateGradient()
+    
+    #def showMenu(self, ev):
+        #self.menu.popup(ev.globalPos())
+    
+    #def contextMenuClicked(self, b):
+        #global Gradients
+        #act = self.sender()
+        #self.restoreState(Gradients[act.name])
+    
+    #def setColorMode(self, cm):
+        #if cm not in ['rgb', 'hsv']:
+            #raise Exception("Unknown color mode %s. Options are 'rgb' and 'hsv'." % str(cm))
+        
+        #try:
+            #self.rgbAction.blockSignals(True)
+            #self.hsvAction.blockSignals(True)
+            #self.rgbAction.setChecked(cm == 'rgb')
+            #self.hsvAction.setChecked(cm == 'hsv')
+        #finally:
+            #self.rgbAction.blockSignals(False)
+            #self.hsvAction.blockSignals(False)
+        #self.colorMode = cm
+        #self.updateGradient()
+        
+    #def updateGradient(self):
+        #self.gradient = self.getGradient()
+        #self.gradRect.setBrush(QtGui.QBrush(self.gradient))
+        #self.sigGradientChanged.emit(self)
+        
+    #def setLength(self, newLen):
+        #TickSlider.setLength(self, newLen)
+        #self.backgroundRect.setRect(0, -self.rectSize, newLen, self.rectSize)
+        #self.gradRect.setRect(0, -self.rectSize, newLen, self.rectSize)
+        #self.updateGradient()
+        
+    #def currentColorChanged(self, color):
+        #if color.isValid() and self.currentTick is not None:
+            #self.setTickColor(self.currentTick, color)
+            #self.updateGradient()
+            
+    #def currentColorRejected(self):
+        #self.setTickColor(self.currentTick, self.currentTickColor)
+        #self.updateGradient()
+        
+    #def tickClicked(self, tick, ev):
+        #if ev.button() == QtCore.Qt.LeftButton:
+            #if not tick.colorChangeAllowed:
+                #return
+            #self.currentTick = tick
+            #self.currentTickColor = tick.color
+            #self.colorDialog.setCurrentColor(tick.color)
+            #self.colorDialog.open()
+            ##color = QtGui.QColorDialog.getColor(tick.color, self, "Select Color", QtGui.QColorDialog.ShowAlphaChannel)
+            ##if color.isValid():
+                ##self.setTickColor(tick, color)
+                ##self.updateGradient()
+        #elif ev.button() == QtCore.Qt.RightButton:
+            #if not tick.removeAllowed:
+                #return
+            #if len(self.ticks) > 2:
+                #self.removeTick(tick)
+                #self.updateGradient()
+                
+    #def tickMoved(self, tick, pos):
+        #TickSlider.tickMoved(self, tick, pos)
+        #self.updateGradient()
+
+
+    #def getGradient(self):
+        #g = QtGui.QLinearGradient(QtCore.QPointF(0,0), QtCore.QPointF(self.length,0))
+        #if self.colorMode == 'rgb':
+            #ticks = self.listTicks()
+            #g.setStops([(x, QtGui.QColor(t.color)) for t,x in ticks])
+        #elif self.colorMode == 'hsv':  ## HSV mode is approximated for display by interpolating 10 points between each stop
+            #ticks = self.listTicks()
+            #stops = []
+            #stops.append((ticks[0][1], ticks[0][0].color))
+            #for i in range(1,len(ticks)):
+                #x1 = ticks[i-1][1]
+                #x2 = ticks[i][1]
+                #dx = (x2-x1) / 10.
+                #for j in range(1,10):
+                    #x = x1 + dx*j
+                    #stops.append((x, self.getColor(x)))
+                #stops.append((x2, self.getColor(x2)))
+            #g.setStops(stops)
+        #return g
+        
+    #def getColor(self, x, toQColor=True):
+        #ticks = self.listTicks()
+        #if x <= ticks[0][1]:
+            #c = ticks[0][0].color
+            #if toQColor:
+                #return QtGui.QColor(c)  # always copy colors before handing them out
+            #else:
+                #return (c.red(), c.green(), c.blue(), c.alpha())
+        #if x >= ticks[-1][1]:
+            #c = ticks[-1][0].color
+            #if toQColor:
+                #return QtGui.QColor(c)  # always copy colors before handing them out
+            #else:
+                #return (c.red(), c.green(), c.blue(), c.alpha())
+            
+        #x2 = ticks[0][1]
+        #for i in range(1,len(ticks)):
+            #x1 = x2
+            #x2 = ticks[i][1]
+            #if x1 <= x and x2 >= x:
+                #break
+                
+        #dx = (x2-x1)
+        #if dx == 0:
+            #f = 0.
+        #else:
+            #f = (x-x1) / dx
+        #c1 = ticks[i-1][0].color
+        #c2 = ticks[i][0].color
+        #if self.colorMode == 'rgb':
+            #r = c1.red() * (1.-f) + c2.red() * f
+            #g = c1.green() * (1.-f) + c2.green() * f
+            #b = c1.blue() * (1.-f) + c2.blue() * f
+            #a = c1.alpha() * (1.-f) + c2.alpha() * f
+            #if toQColor:
+                #return QtGui.QColor(r, g, b,a)
+            #else:
+                #return (r,g,b,a)
+        #elif self.colorMode == 'hsv':
+            #h1,s1,v1,_ = c1.getHsv()
+            #h2,s2,v2,_ = c2.getHsv()
+            #h = h1 * (1.-f) + h2 * f
+            #s = s1 * (1.-f) + s2 * f
+            #v = v1 * (1.-f) + v2 * f
+            #c = QtGui.QColor()
+            #c.setHsv(h,s,v)
+            #if toQColor:
+                #return c
+            #else:
+                #return (c.red(), c.green(), c.blue(), c.alpha())
+                    
+    #def getLookupTable(self, nPts, alpha=True):
+        #"""Return an RGB/A lookup table."""
+        #if alpha:
+            #table = np.empty((nPts,4), dtype=np.ubyte)
+        #else:
+            #table = np.empty((nPts,3), dtype=np.ubyte)
+            
+        #for i in range(nPts):
+            #x = float(i)/(nPts-1)
+            #color = self.getColor(x, toQColor=False)
+            #table[i] = color[:table.shape[1]]
+            
+        #return table
+            
+            
+
+    #def mouseReleaseEvent(self, ev):
+        #TickSlider.mouseReleaseEvent(self, ev)
+        #self.updateGradient()
+        
+    #def addTick(self, x, color=None, movable=True):
+        #if color is None:
+            #color = self.getColor(x)
+        #t = TickSlider.addTick(self, x, color=color, movable=movable)
+        #t.colorChangeAllowed = True
+        #t.removeAllowed = True
+        #return t
+        
+    #def saveState(self):
+        #ticks = []
+        #for t in self.ticks:
+            #c = t.color
+            #ticks.append((self.ticks[t], (c.red(), c.green(), c.blue(), c.alpha())))
+        #state = {'mode': self.colorMode, 'ticks': ticks}
+        #return state
+        
+    #def restoreState(self, state):
+        #self.setColorMode(state['mode'])
+        #for t in self.ticks.keys():
+            #self.removeTick(t)
+        #for t in state['ticks']:
+            #c = QtGui.QColor(*t[1])
+            #self.addTick(t[0], c)
+        #self.updateGradient()
+
+
+
+#class BlackWhiteSlider(GradientWidget):
+    #def __init__(self, parent):
+        #GradientWidget.__init__(self, parent)
+        #self.getTick(0).colorChangeAllowed = False
+        #self.getTick(1).colorChangeAllowed = False
+        #self.allowAdd = False
+        #self.setTickColor(self.getTick(1), QtGui.QColor(255,255,255))
+        #self.setOrientation('right')
+
+    #def getLevels(self):
+        #return (self.tickValue(0), self.tickValue(1))
+
+    #def setLevels(self, black, white):
+        #self.setTickValue(0, black)
+        #self.setTickValue(1, white)
+
+
+
+
+#class GammaWidget(TickSlider):
+    #pass
+    
+        
+#class Tick(QtGui.QGraphicsPolygonItem):
+    #def __init__(self, view, pos, color, movable=True, scale=10):
+        ##QObjectWorkaround.__init__(self)
+        #self.movable = movable
+        #self.view = weakref.ref(view)
+        #self.scale = scale
+        #self.color = color
+        ##self.endTick = endTick
+        #self.pg = QtGui.QPolygonF([QtCore.QPointF(0,0), QtCore.QPointF(-scale/3**0.5,scale), QtCore.QPointF(scale/3**0.5,scale)])
+        #QtGui.QGraphicsPolygonItem.__init__(self, self.pg)
+        #self.setPos(pos[0], pos[1])
+        #self.setFlags(QtGui.QGraphicsItem.ItemIsMovable | QtGui.QGraphicsItem.ItemIsSelectable)
+        #self.setBrush(QtGui.QBrush(QtGui.QColor(self.color)))
+        #if self.movable:
+            #self.setZValue(1)
+        #else:
+            #self.setZValue(0)
+
+    ##def x(self):
+        ##return self.pos().x()/100.
+
+    #def mouseMoveEvent(self, ev):
+        ##print self, "move", ev.scenePos()
+        #if not self.movable:
+            #return
+        #if not ev.buttons() & QtCore.Qt.LeftButton:
+            #return
+            
+            
+        #newPos = ev.scenePos() + self.mouseOffset
+        #newPos.setY(self.pos().y())
+        ##newPos.setX(min(max(newPos.x(), 0), 100))
+        #self.setPos(newPos)
+        #self.view().tickMoved(self, newPos)
+        #self.movedSincePress = True
+        ##self.emit(QtCore.SIGNAL('tickChanged'), self)
+        #ev.accept()
+
+    #def mousePressEvent(self, ev):
+        #self.movedSincePress = False
+        #if ev.button() == QtCore.Qt.LeftButton:
+            #ev.accept()
+            #self.mouseOffset = self.pos() - ev.scenePos()
+            #self.pressPos = ev.scenePos()
+        #elif ev.button() == QtCore.Qt.RightButton:
+            #ev.accept()
+            ##if self.endTick:
+                ##return
+            ##self.view.tickChanged(self, delete=True)
+            
+    #def mouseReleaseEvent(self, ev):
+        ##print self, "release", ev.scenePos()
+        #if not self.movedSincePress:
+            #self.view().tickClicked(self, ev)
+        
+        ##if ev.button() == QtCore.Qt.LeftButton and ev.scenePos() == self.pressPos:
+            ##color = QtGui.QColorDialog.getColor(self.color, None, "Select Color", QtGui.QColorDialog.ShowAlphaChannel)
+            ##if color.isValid():
+                ##self.color = color
+                ##self.setBrush(QtGui.QBrush(QtGui.QColor(self.color)))
+                ###self.emit(QtCore.SIGNAL('tickChanged'), self)
+                ##self.view.tickChanged(self)
+        
+        
+    
+    
+    
+if __name__ == '__main__':
+    app = QtGui.QApplication([])
+    w = QtGui.QMainWindow()
+    w.show()
+    w.resize(400,400)
+    cw = QtGui.QWidget()
+    w.setCentralWidget(cw)
+
+    l = QtGui.QGridLayout()
+    l.setSpacing(0)
+    cw.setLayout(l)
+
+    w1 = GradientWidget(orientation='top')
+    w2 = GradientWidget(orientation='right', allowAdd=False)
+    #w2.setTickColor(1, QtGui.QColor(255,255,255))
+    w3 = GradientWidget(orientation='bottom')
+    w4 = GradientWidget(orientation='left')
+    label = QtGui.QLabel("""
+    - Click a triangle to change its color
+    - Drag triangles to move
+    - Click in an empty area to add a new color
+      (adding is disabled for the right-side widget)
+    - Right click a triangle to remove
+    """)
+
+    l.addWidget(w1, 0, 1)
+    l.addWidget(w2, 1, 2)
+    l.addWidget(w3, 2, 1)
+    l.addWidget(w4, 1, 0)
+    l.addWidget(label, 1, 1)
+    
+    ## Start Qt event loop unless running in interactive mode.
+    import sys
+    if sys.flags.interactive != 1:
+        app.exec_()
+    
+    
\ No newline at end of file
diff --git a/widgets/GraphicsLayoutWidget.py b/widgets/GraphicsLayoutWidget.py
new file mode 100644
index 0000000000000000000000000000000000000000..937c880adb1dc1afb4629d2a13b4505aa4631dc5
--- /dev/null
+++ b/widgets/GraphicsLayoutWidget.py
@@ -0,0 +1,12 @@
+from pyqtgraph.Qt import QtGui
+from pyqtgraph.graphicsItems.GraphicsLayout import GraphicsLayout
+from GraphicsView import GraphicsView
+
+__all__ = ['GraphicsLayoutWidget']
+class GraphicsLayoutWidget(GraphicsView):
+    def __init__(self, parent=None, **kargs):
+        GraphicsView.__init__(self, parent)
+        self.ci = GraphicsLayout(**kargs)
+        for n in ['nextRow', 'nextCol', 'addPlot', 'addViewBox', 'addItem', 'getItem']:
+            setattr(self, n, getattr(self.ci, n))
+        self.setCentralItem(self.ci)
diff --git a/GraphicsView.py b/widgets/GraphicsView.py
similarity index 81%
rename from GraphicsView.py
rename to widgets/GraphicsView.py
index 9846d0c4cdf1cdd2f13b8ee1683ed748e6ae8227..899db42056cf09ca9862a0e57c4aa9773a3e4d11 100644
--- a/GraphicsView.py
+++ b/widgets/GraphicsView.py
@@ -5,23 +5,30 @@ Copyright 2010  Luke Campagnola
 Distributed under MIT/X11 license. See license.txt for more infomation.
 """
 
-from PyQt4 import QtCore, QtGui, QtOpenGL, QtSvg
+from pyqtgraph.Qt import QtCore, QtGui, QtOpenGL, QtSvg
 #from numpy import vstack
 #import time
-from Point import *
+from pyqtgraph.Point import Point
 #from vector import *
 import sys, os
 import debug    
-        
+from FileDialog import FileDialog
+from pyqtgraph.GraphicsScene import GraphicsScene
+import numpy as np
+import pyqtgraph.functions as fn
+
+__all__ = ['GraphicsView']
+
 class GraphicsView(QtGui.QGraphicsView):
     
     sigRangeChanged = QtCore.Signal(object, object)
     sigMouseReleased = QtCore.Signal(object)
     sigSceneMouseMoved = QtCore.Signal(object)
     #sigRegionChanged = QtCore.Signal(object)
+    sigScaleChanged = QtCore.Signal(object)
     lastFileDir = None
     
-    def __init__(self, parent=None, useOpenGL=False):
+    def __init__(self, parent=None, useOpenGL=None, background='k'):
         """Re-implementation of QGraphicsView that removes scrollbars and allows unambiguous control of the 
         viewed coordinate range. Also automatically creates a QGraphicsScene and a central QGraphicsWidget
         that is automatically scaled to the full view geometry.
@@ -35,14 +42,23 @@ class GraphicsView(QtGui.QGraphicsView):
         self.closed = False
         
         QtGui.QGraphicsView.__init__(self, parent)
-        if 'linux' in sys.platform:  ## linux has bugs in opengl implementation
-            useOpenGL = False
+        
+        ## in general openGL is poorly supported in Qt. 
+        ## we only enable it where the performance benefit is critical.
+        if useOpenGL is None:
+            if 'linux' in sys.platform:  ## linux has numerous bugs in opengl implementation
+                useOpenGL = False
+            elif 'darwin' in sys.platform: ## openGL greatly speeds up display on mac
+                useOpenGL = True
+            else:
+                useOpenGL = False
         self.useOpenGL(useOpenGL)
         
         self.setCacheMode(self.CacheBackground)
         
-        brush = QtGui.QBrush(QtGui.QColor(0,0,0))
-        self.setBackgroundBrush(brush)
+        if background is not None:
+            brush = fn.mkBrush(background)
+            self.setBackgroundBrush(brush)
         
         self.setFocusPolicy(QtCore.Qt.StrongFocus)
         self.setFrameShape(QtGui.QFrame.NoFrame)
@@ -57,7 +73,7 @@ class GraphicsView(QtGui.QGraphicsView):
         
         self.lockedViewports = []
         self.lastMousePos = None
-        #self.setMouseTracking(False)
+        self.setMouseTracking(True)
         self.aspectLocked = False
         #self.yInverted = True
         self.range = QtCore.QRectF(0, 0, 1, 1)
@@ -65,7 +81,7 @@ class GraphicsView(QtGui.QGraphicsView):
         self.currentItem = None
         self.clearMouse()
         self.updateMatrix()
-        self.sceneObj = QtGui.QGraphicsScene()
+        self.sceneObj = GraphicsScene()
         self.setScene(self.sceneObj)
         
         ## by default we set up a central widget with a grid layout.
@@ -103,9 +119,15 @@ class GraphicsView(QtGui.QGraphicsView):
         self.setViewport(v)
             
     def keyPressEvent(self, ev):
-        ev.ignore()
+        #QtGui.QGraphicsView.keyPressEvent(self, ev)
+        self.scene().keyPressEvent(ev)  ## bypass view, hand event directly to scene
+                                        ## (view likes to eat arrow key events)
+        
         
     def setCentralItem(self, item):
+        return self.setCentralWidget(item)
+        
+    def setCentralWidget(self, item):
         """Sets a QGraphicsWidget to automatically fill the entire view."""
         if self.centralWidget is not None:
             self.scene().removeItem(self.centralWidget)
@@ -142,49 +164,22 @@ class GraphicsView(QtGui.QGraphicsView):
         else:
             self.fitInView(self.range, QtCore.Qt.IgnoreAspectRatio)
             
-        ##print "udpateMatrix:"
-        #translate = Point(self.range.center())
-        #if self.range.width() == 0 or self.range.height() == 0:
-            #return
-        #scale = Point(self.size().width()/self.range.width(), self.size().height()/self.range.height())
-        
-        #m = QtGui.QTransform()
-        
-        ### First center the viewport at 0
-        #self.resetMatrix()
-        #center = self.viewportTransform().inverted()[0].map(Point(self.width()/2., self.height()/2.))
-        #if self.yInverted:
-            #m.translate(center.x(), center.y())
-            ##print "  inverted; translate", center.x(), center.y()
-        #else:
-            #m.translate(center.x(), -center.y())
-            ##print "  not inverted; translate", center.x(), -center.y()
-            
-        ### Now scale and translate properly
-        #if self.aspectLocked:
-            #scale = Point(scale.min())
-        #if not self.yInverted:
-            #scale = scale * Point(1, -1)
-        #m.scale(scale[0], scale[1])
-        ##print "  scale:", scale
-        #st = translate
-        #m.translate(-st[0], -st[1])
-        ##print "  translate:", st
-        #self.setTransform(m)
-        #self.currentScale = scale
-        ##self.emit(QtCore.SIGNAL('viewChanged'), self.range)
         self.sigRangeChanged.emit(self, self.range)
         
         if propagate:
             for v in self.lockedViewports:
                 v.setXRange(self.range, padding=0)
         
-    def visibleRange(self):
+    def viewRect(self):
         """Return the boundaries of the view in scene coordinates"""
         ## easier to just return self.range ?
         r = QtCore.QRectF(self.rect())
         return self.viewportTransform().inverted()[0].mapRect(r)
 
+    def visibleRange(self):
+        ## for backward compatibility
+        return self.viewRect()
+
     def translate(self, dx, dy):
         self.range.adjust(dx, dy, dx, dy)
         self.updateMatrix()
@@ -210,6 +205,7 @@ class GraphicsView(QtGui.QGraphicsView):
         
         
         self.updateMatrix()
+        self.sigScaleChanged.emit(self)
 
     def setRange(self, newRect=None, padding=0.05, lockAspect=None, propagate=True, disableAutoPixel=True):
         if disableAutoPixel:
@@ -217,23 +213,36 @@ class GraphicsView(QtGui.QGraphicsView):
         if newRect is None:
             newRect = self.visibleRange()
             padding = 0
+        
         padding = Point(padding)
         newRect = QtCore.QRectF(newRect)
         pw = newRect.width() * padding[0]
         ph = newRect.height() * padding[1]
-        self.range = newRect.adjusted(-pw, -ph, pw, ph)
+        newRect = newRect.adjusted(-pw, -ph, pw, ph)
+        scaleChanged = False
+        if self.range.width() != newRect.width() or self.range.height() != newRect.height():
+            scaleChanged = True
+        self.range = newRect
         #print "New Range:", self.range
         self.centralWidget.setGeometry(self.range)
         self.updateMatrix(propagate)
+        if scaleChanged:
+            self.sigScaleChanged.emit(self)
 
     def scaleToImage(self, image):
         """Scales such that pixels in image are the same size as screen pixels. This may result in a significant performance increase."""
         pxSize = image.pixelSize()
+        image.setPxMode(True)
+        try:
+            self.sigScaleChanged.disconnect(image.setScaledMode)
+        except TypeError:
+            pass
         tl = image.sceneBoundingRect().topLeft()
         w = self.size().width() * pxSize[0]
         h = self.size().height() * pxSize[1]
         range = QtCore.QRectF(tl.x(), tl.y(), w, h)
         self.setRange(range, padding=0)
+        self.sigScaleChanged.connect(image.setScaledMode)
         
         
         
@@ -294,6 +303,9 @@ class GraphicsView(QtGui.QGraphicsView):
             #ev1.setButtonDownScreenPos(fev.screenPos())
         #return ev1
         
+    def leaveEvent(self, ev):
+        self.scene().leaveEvent(ev)  ## inform scene when mouse leaves
+        
     def mousePressEvent(self, ev):
         QtGui.QGraphicsView.mousePressEvent(self, ev)
 
@@ -364,7 +376,7 @@ class GraphicsView(QtGui.QGraphicsView):
             return
         
         if ev.buttons() == QtCore.Qt.RightButton:
-            delta = Point(clip(delta[0], -50, 50), clip(-delta[1], -50, 50))
+            delta = Point(np.clip(delta[0], -50, 50), np.clip(-delta[1], -50, 50))
             scale = 1.01 ** delta
             #if self.yInverted:
                 #scale[0] = 1. / scale[0]
@@ -401,7 +413,7 @@ class GraphicsView(QtGui.QGraphicsView):
         
     def writeSvg(self, fileName=None):
         if fileName is None:
-            self.fileDialog = QtGui.QFileDialog()
+            self.fileDialog = FileDialog()
             self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
             self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave)
             if GraphicsView.lastFileDir is not None:
@@ -420,13 +432,13 @@ class GraphicsView(QtGui.QGraphicsView):
         
     def writeImage(self, fileName=None):
         if fileName is None:
-            self.fileDialog = QtGui.QFileDialog()
+            self.fileDialog = FileDialog()
             self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
-            self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave)
+            self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave) ## this is the line that makes the fileDialog not show on mac
             if GraphicsView.lastFileDir is not None:
                 self.fileDialog.setDirectory(GraphicsView.lastFileDir)
             self.fileDialog.show()
-            self.fileDialog.fileSelected.connect(self.writePng)
+            self.fileDialog.fileSelected.connect(self.writeImage)
             return
         fileName = str(fileName)
         GraphicsView.lastFileDir = os.path.split(fileName)[0]
@@ -440,7 +452,14 @@ class GraphicsView(QtGui.QGraphicsView):
         
     def writePs(self, fileName=None):
         if fileName is None:
-            fileName = str(QtGui.QFileDialog.getSaveFileName())
+            self.fileDialog = FileDialog()
+            self.fileDialog.setFileMode(QtGui.QFileDialog.AnyFile)
+            self.fileDialog.setAcceptMode(QtGui.QFileDialog.AcceptSave) 
+            self.fileDialog.show()
+            self.fileDialog.fileSelected.connect(self.writePs)
+            return
+        #if fileName is None:
+        #    fileName = str(QtGui.QFileDialog.getSaveFileName())
         printer = QtGui.QPrinter(QtGui.QPrinter.HighResolution)
         printer.setOutputFileName(fileName)
         painter = QtGui.QPainter(printer)
@@ -468,54 +487,3 @@ class GraphicsView(QtGui.QGraphicsView):
         #return fl[-1]
     
 
-#class GraphicsSceneMouseEvent(QtGui.QGraphicsSceneMouseEvent):
-    #"""Stand-in class for QGraphicsSceneMouseEvent"""
-    #def __init__(self):
-        #QtGui.QGraphicsSceneMouseEvent.__init__(self)
-            
-    #def setPos(self, p):
-        #self.vpos = p
-    #def setButtons(self, p):
-        #self.vbuttons = p
-    #def setButton(self, p):
-        #self.vbutton = p
-    #def setModifiers(self, p):
-        #self.vmodifiers = p
-    #def setScenePos(self, p):
-        #self.vscenePos = p
-    #def setLastPos(self, p):
-        #self.vlastPos = p
-    #def setLastScenePos(self, p):
-        #self.vlastScenePos = p
-    #def setLastScreenPos(self, p):
-        #self.vlastScreenPos = p
-    #def setButtonDownPos(self, p):
-        #self.vbuttonDownPos = p
-    #def setButtonDownScenePos(self, p):
-        #self.vbuttonDownScenePos = p
-    #def setButtonDownScreenPos(self, p):
-        #self.vbuttonDownScreenPos = p
-    
-    #def pos(self):
-        #return self.vpos
-    #def buttons(self):
-        #return self.vbuttons
-    #def button(self):
-        #return self.vbutton
-    #def modifiers(self):
-        #return self.vmodifiers
-    #def scenePos(self):
-        #return self.vscenePos
-    #def lastPos(self):
-        #return self.vlastPos
-    #def lastScenePos(self):
-        #return self.vlastScenePos
-    #def lastScreenPos(self):
-        #return self.vlastScreenPos
-    #def buttonDownPos(self):
-        #return self.vbuttonDownPos
-    #def buttonDownScenePos(self):
-        #return self.vbuttonDownScenePos
-    #def buttonDownScreenPos(self):
-        #return self.vbuttonDownScreenPos
-    
diff --git a/widgets/HistogramLUTWidget.py b/widgets/HistogramLUTWidget.py
new file mode 100644
index 0000000000000000000000000000000000000000..f05d3f1c8361deb78dec12f769993d03cf70334b
--- /dev/null
+++ b/widgets/HistogramLUTWidget.py
@@ -0,0 +1,33 @@
+"""
+Widget displaying an image histogram along with gradient editor. Can be used to adjust the appearance of images.
+This is a wrapper around HistogramLUTItem
+"""
+
+from pyqtgraph.Qt import QtGui, QtCore
+from GraphicsView import GraphicsView
+from pyqtgraph.graphicsItems.HistogramLUTItem import HistogramLUTItem
+
+__all__ = ['HistogramLUTWidget']
+
+
+class HistogramLUTWidget(GraphicsView):
+    
+    def __init__(self, parent=None,  *args, **kargs):
+        background = kargs.get('background', 'k')
+        GraphicsView.__init__(self, parent, useOpenGL=False, background=background)
+        self.item = HistogramLUTItem(*args, **kargs)
+        self.setCentralItem(self.item)
+        self.setSizePolicy(QtGui.QSizePolicy.Preferred, QtGui.QSizePolicy.Expanding)
+        self.setMinimumWidth(92)
+        
+
+    def sizeHint(self):
+        return QtCore.QSize(115, 200)
+    
+    
+
+    def __getattr__(self, attr):
+        return getattr(self.item, attr)
+
+
+
diff --git a/widgets/JoystickButton.py b/widgets/JoystickButton.py
new file mode 100644
index 0000000000000000000000000000000000000000..5320563f4f95c1149a39e14efa31f71fcd1853d6
--- /dev/null
+++ b/widgets/JoystickButton.py
@@ -0,0 +1,90 @@
+from pyqtgraph.Qt import QtGui, QtCore
+
+
+__all__ = ['JoystickButton']
+
+class JoystickButton(QtGui.QPushButton):
+    sigStateChanged = QtCore.Signal(object, object)
+    
+    def __init__(self, parent=None):
+        QtGui.QPushButton.__init__(self, parent)
+        self.radius = 200
+        self.setCheckable(True)
+        self.state = None
+        self.setState(0,0)
+        
+        
+    def mousePressEvent(self, ev):
+        self.setChecked(True)
+        self.pressPos = ev.pos()
+        ev.accept()
+        
+    def mouseMoveEvent(self, ev):
+        dif = ev.pos()-self.pressPos
+        self.setState(dif.x(), -dif.y())
+        
+    def mouseReleaseEvent(self, ev):
+        self.setChecked(False)
+        self.setState(0,0)
+        
+    def wheelEvent(self, ev):
+        ev.accept()
+        
+        
+    def doubleClickEvent(self, ev):
+        ev.accept()
+        
+    def setState(self, *xy):
+        xy = list(xy)
+        d = (xy[0]**2 + xy[1]**2)**0.5
+        nxy = [0,0]
+        for i in [0,1]:
+            if xy[i] == 0:
+                nxy[i] = 0
+            else:
+                nxy[i] = xy[i]/d
+        
+        if d > self.radius:
+            d = self.radius
+        d = (d/self.radius)**2
+        xy = [nxy[0]*d, nxy[1]*d]
+        
+        w2 = self.width()/2.
+        h2 = self.height()/2
+        self.spotPos = QtCore.QPoint(w2*(1+xy[0]), h2*(1-xy[1]))
+        self.update()
+        if self.state == xy:
+            return
+        self.state = xy
+        self.sigStateChanged.emit(self, self.state)
+        
+    def paintEvent(self, ev):
+        QtGui.QPushButton.paintEvent(self, ev)
+        p = QtGui.QPainter(self)
+        p.setBrush(QtGui.QBrush(QtGui.QColor(0,0,0)))
+        p.drawEllipse(self.spotPos.x()-3,self.spotPos.y()-3,6,6)
+        
+    def resizeEvent(self, ev):
+        self.setState(*self.state)
+        QtGui.QPushButton.resizeEvent(self, ev)
+        
+        
+        
+if __name__ == '__main__':
+    app = QtGui.QApplication([])
+    w = QtGui.QMainWindow()
+    b = JoystickButton()
+    w.setCentralWidget(b)
+    w.show()
+    w.resize(100, 100)
+    
+    def fn(b, s):
+        print "state changed:", s
+        
+    b.sigStateChanged.connect(fn)
+        
+    ## Start Qt event loop unless running in interactive mode.
+    import sys
+    if sys.flags.interactive != 1:
+        app.exec_()
+        
\ No newline at end of file
diff --git a/MultiPlotWidget.py b/widgets/MultiPlotWidget.py
similarity index 88%
rename from MultiPlotWidget.py
rename to widgets/MultiPlotWidget.py
index 8071127a78e29ec2456134f18a77ada69856e823..00e2c2d8b6ef395971272e1a91194ae957763298 100644
--- a/MultiPlotWidget.py
+++ b/widgets/MultiPlotWidget.py
@@ -5,16 +5,17 @@ Copyright 2010  Luke Campagnola
 Distributed under MIT/X11 license. See license.txt for more infomation.
 """
 
-from GraphicsView import *
-from MultiPlotItem import *
+from GraphicsView import GraphicsView
+import pyqtgraph.graphicsItems.MultiPlotItem as MultiPlotItem
 import exceptions
 
+__all__ = ['MultiPlotWidget']
 class MultiPlotWidget(GraphicsView):
     """Widget implementing a graphicsView with a single PlotItem inside."""
     def __init__(self, parent=None):
         GraphicsView.__init__(self, parent)
         self.enableMouse(False)
-        self.mPlotItem = MultiPlotItem()
+        self.mPlotItem = MultiPlotItem.MultiPlotItem()
         self.setCentralItem(self.mPlotItem)
         ## Explicitly wrap methods from mPlotItem
         #for m in ['setData']:
diff --git a/PlotWidget.py b/widgets/PlotWidget.py
similarity index 95%
rename from PlotWidget.py
rename to widgets/PlotWidget.py
index 1254b963a8262d92e081bc44d1739f280ea59f0a..310838c5400fa79e4dd134209e79bcacbbfd62e0 100644
--- a/PlotWidget.py
+++ b/widgets/PlotWidget.py
@@ -5,10 +5,12 @@ Copyright 2010  Luke Campagnola
 Distributed under MIT/X11 license. See license.txt for more infomation.
 """
 
+from pyqtgraph.Qt import QtCore, QtGui
 from GraphicsView import *
-from PlotItem import *
+from pyqtgraph.graphicsItems.PlotItem import *
 import exceptions
 
+__all__ = ['PlotWidget']
 class PlotWidget(GraphicsView):
     
     #sigRangeChanged = QtCore.Signal(object, object)  ## already defined in GraphicsView
diff --git a/widgets/ProgressDialog.py b/widgets/ProgressDialog.py
new file mode 100644
index 0000000000000000000000000000000000000000..d5f8a2ca0cfbadee4806e0265ffb5764ac90639e
--- /dev/null
+++ b/widgets/ProgressDialog.py
@@ -0,0 +1,105 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtGui, QtCore
+
+__all__ = ['ProgressDialog']
+class ProgressDialog(QtGui.QProgressDialog):
+    """Extends QProgressDialog for use in 'with' statements.
+    Arguments:
+        labelText   (required)
+        cancelText   Text to display on cancel button, or None to disable it.
+        minimum
+        maximum
+        parent       
+        wait         Length of time (im ms) to wait before displaying dialog
+        busyCursor   If True, show busy cursor until dialog finishes
+    
+    
+    Example:
+        with ProgressDialog("Processing..", minVal, maxVal) as dlg:
+            # do stuff
+            dlg.setValue(i)   ## could also use dlg += 1
+            if dlg.wasCanceled():
+                raise Exception("Processing canceled by user")
+    """
+    def __init__(self, labelText, minimum=0, maximum=100, cancelText='Cancel', parent=None, wait=250, busyCursor=False):
+        isGuiThread = QtCore.QThread.currentThread() == QtCore.QCoreApplication.instance().thread()
+        if not isGuiThread:
+            self.disabled = True
+            return
+        
+        self.disabled = False
+
+        noCancel = False
+        if cancelText is None:
+            cancelText = ''
+            noCancel = True
+            
+        self.busyCursor = busyCursor
+            
+        QtGui.QProgressDialog.__init__(self, labelText, cancelText, minimum, maximum, parent)
+        self.setMinimumDuration(wait)
+        self.setWindowModality(QtCore.Qt.WindowModal)
+        self.setValue(self.minimum())
+        if noCancel:
+            self.setCancelButton(None)
+        
+
+    def __enter__(self):
+        if self.disabled:
+            return self
+        if self.busyCursor:
+            QtGui.QApplication.setOverrideCursor(QtGui.QCursor(QtCore.Qt.WaitCursor))
+        return self
+
+    def __exit__(self, exType, exValue, exTrace):
+        if self.disabled:
+            return
+        if self.busyCursor:
+            QtGui.QApplication.restoreOverrideCursor()
+        self.setValue(self.maximum())
+        
+    def __iadd__(self, val):
+        """Use inplace-addition operator for easy incrementing."""
+        if self.disabled:
+            return self
+        self.setValue(self.value()+val)
+        return self
+
+
+    ## wrap all other functions to make sure they aren't being called from non-gui threads
+    
+    def setValue(self, val):
+        if self.disabled:
+            return
+        QtGui.QProgressDialog.setValue(self, val)
+        
+    def setLabelText(self, val):
+        if self.disabled:
+            return
+        QtGui.QProgressDialog.setLabelText(self, val)
+    
+    def setMaximum(self, val):
+        if self.disabled:
+            return
+        QtGui.QProgressDialog.setMaximum(self, val)
+
+    def setMinimum(self, val):
+        if self.disabled:
+            return
+        QtGui.QProgressDialog.setMinimum(self, val)
+        
+    def wasCanceled(self):
+        if self.disabled:
+            return False
+        return QtGui.QProgressDialog.wasCanceled(self)
+
+    def maximum(self):
+        if self.disabled:
+            return 0
+        return QtGui.QProgressDialog.maximum(self)
+
+    def minimum(self):
+        if self.disabled:
+            return 0
+        return QtGui.QProgressDialog.minimum(self)
+        
\ No newline at end of file
diff --git a/widgets/RawImageWidget.py b/widgets/RawImageWidget.py
new file mode 100644
index 0000000000000000000000000000000000000000..84c061a1e4e6f6311b830b9d1864fd51b3827f79
--- /dev/null
+++ b/widgets/RawImageWidget.py
@@ -0,0 +1,79 @@
+from pyqtgraph.Qt import QtCore, QtGui, QtOpenGL
+
+import pyqtgraph.functions as fn
+import numpy as np
+
+class RawImageWidget(QtGui.QWidget):
+    """
+    Widget optimized for very fast video display. 
+    Generally using an ImageItem inside GraphicsView is fast enough,
+    but if you need even more performance, this widget is about as fast as it gets (but only in unscaled mode).
+    """
+    def __init__(self, parent=None, scaled=False):
+        """
+        Setting scaled=True will cause the entire image to be displayed within the boundaries of the widget. This also greatly reduces the speed at which it will draw frames.
+        """
+        QtGui.QWidget.__init__(self, parent=None)
+        self.setSizePolicy(QtGui.QSizePolicy(QtGui.QSizePolicy.Expanding,QtGui.QSizePolicy.Expanding))
+        self.scaled = scaled
+        self.opts = None
+        self.image = None
+    
+    def setImage(self, img, *args, **kargs):
+        """
+        img must be ndarray of shape (x,y), (x,y,3), or (x,y,4).
+        Extra arguments are sent to functions.makeARGB
+        """
+        self.opts = (img, args, kargs)
+        self.image = None
+        self.update()
+
+    def paintEvent(self, ev):
+        if self.opts is None:
+            return
+        if self.image is None:
+            argb, alpha = fn.makeARGB(self.opts[0], *self.opts[1], **self.opts[2])
+            self.image = fn.makeQImage(argb, alpha)
+            self.opts = ()
+        #if self.pixmap is None:
+            #self.pixmap = QtGui.QPixmap.fromImage(self.image)
+        p = QtGui.QPainter(self)
+        if self.scaled:
+            rect = self.rect()
+            ar = rect.width() / float(rect.height())
+            imar = self.image.width() / float(self.image.height())
+            if ar > imar:
+                rect.setWidth(int(rect.width() * imar/ar))
+            else:
+                rect.setHeight(int(rect.height() * ar/imar))
+                
+            p.drawImage(rect, self.image)
+        else:
+            p.drawImage(QtCore.QPointF(), self.image)
+        #p.drawPixmap(self.rect(), self.pixmap)
+        p.end()
+
+
+class RawImageGLWidget(QtOpenGL.QGLWidget):
+    """
+    Similar to RawImageWidget, but uses a GL widget to do all drawing. 
+    Generally this will be about as fast as using GraphicsView + ImageItem,
+    but performance may vary on some platforms.
+    """
+    def __init__(self, parent=None, scaled=False):
+        QtOpenGL.QGLWidget.__init__(self, parent=None)
+        self.scaled = scaled
+        self.image = None
+    
+    def setImage(self, img):
+        self.image = fn.makeQImage(img)
+        self.update()
+
+    def paintEvent(self, ev):
+        if self.image is None:
+            return
+        p = QtGui.QPainter(self)
+        p.drawImage(self.rect(), self.image)
+        p.end()
+
+
diff --git a/widgets/SpinBox.py b/widgets/SpinBox.py
new file mode 100644
index 0000000000000000000000000000000000000000..b2b166a3ed2ee36ee859c70b19adf210caf998be
--- /dev/null
+++ b/widgets/SpinBox.py
@@ -0,0 +1,481 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtGui, QtCore
+from pyqtgraph.SignalProxy import SignalProxy
+
+import pyqtgraph.functions as fn
+from math import log
+from decimal import Decimal as D  ## Use decimal to avoid accumulating floating-point errors
+from decimal import *
+import weakref
+
+__all__ = ['SpinBox']
+class SpinBox(QtGui.QAbstractSpinBox):
+    """QSpinBox widget on steroids. Allows selection of numerical value, with extra features:
+      - SI prefix notation
+      - Float values with linear and decimal stepping (1-9, 10-90, 100-900, etc.)
+      - Option for unbounded values
+      - Delayed signals (allows multiple rapid changes with only one change signal)
+    """
+    
+    ## There's a PyQt bug that leaks a reference to the 
+    ## QLineEdit returned from QAbstractSpinBox.lineEdit()
+    ## This makes it possible to crash the entire program 
+    ## by making accesses to the LineEdit after the spinBox has been deleted.
+    ## I have no idea how to get around this..
+    
+    
+    valueChanged = QtCore.Signal(object)     # (value)  for compatibility with QSpinBox
+    sigValueChanged = QtCore.Signal(object)  # (self)
+    sigValueChanging = QtCore.Signal(object, object)  # (self, value)  sent immediately; no delay.
+    
+    def __init__(self, parent=None, value=0.0, **kwargs):
+        QtGui.QAbstractSpinBox.__init__(self, parent)
+        self.lastValEmitted = None
+        self.lastText = ''
+        self.textValid = True  ## If false, we draw a red border
+        self.setMinimumWidth(0)
+        self.setMaximumHeight(20)
+        self.setSizePolicy(QtGui.QSizePolicy.Expanding, QtGui.QSizePolicy.Preferred)
+        self.opts = {
+            'bounds': [None, None],
+            
+            ## Log scaling options   #### Log mode is no longer supported.
+            #'step': 0.1,
+            #'minStep': 0.001,
+            #'log': True,
+            #'dec': False,
+            
+            ## decimal scaling option - example
+            #'step': 0.1,    
+            #'minStep': .001,    
+            #'log': False,
+            #'dec': True,
+           
+            ## normal arithmetic step
+            'step': D('0.01'),  ## if 'dec' is false, the spinBox steps by 'step' every time
+                                ## if 'dec' is True, the step size is relative to the value
+                                ## 'step' needs to be an integral divisor of ten, ie 'step'*n=10 for some integer value of n (but only if dec is True)
+            'log': False,
+            'dec': False,   ## if true, does decimal stepping. ie from 1-10 it steps by 'step', from 10 to 100 it steps by 10*'step', etc. 
+                            ## if true, minStep must be set in order to cross zero.
+            
+            
+            'int': False, ## Set True to force value to be integer
+            
+            'suffix': '',
+            'siPrefix': False,   ## Set to True to display numbers with SI prefix (ie, 100pA instead of 1e-10A)
+            
+            'delayUntilEditFinished': True,   ## do not send signals until text editing has finished
+            
+            ## for compatibility with QDoubleSpinBox and QSpinBox
+            'decimals': 2
+        }
+        
+        self.decOpts = ['step', 'minStep']
+        
+        self.val = D(unicode(value))  ## Value is precise decimal. Ordinary math not allowed.
+        self.updateText()
+        self.skipValidate = False
+        self.setCorrectionMode(self.CorrectToPreviousValue)
+        self.setKeyboardTracking(False)
+        self.setOpts(**kwargs)
+        
+        
+        self.editingFinished.connect(self.editingFinishedEvent)
+        self.proxy = SignalProxy(self.sigValueChanging, slot=self.delayedChange)
+        
+    ##lots of config options, just gonna stuff 'em all in here rather than do the get/set crap.
+    def setOpts(self, **opts):
+        for k in opts:
+            if k == 'bounds':
+                #print opts[k]
+                self.setMinimum(opts[k][0], update=False)
+                self.setMaximum(opts[k][1], update=False)
+                #for i in [0,1]:
+                    #if opts[k][i] is None:
+                        #self.opts[k][i] = None
+                    #else:
+                        #self.opts[k][i] = D(unicode(opts[k][i]))
+            elif k in ['step', 'minStep']:
+                self.opts[k] = D(unicode(opts[k]))
+            elif k == 'value':
+                pass   ## don't set value until bounds have been set
+            else:
+                self.opts[k] = opts[k]
+        if 'value' in opts:
+            self.setValue(opts['value'])
+            
+        ## If bounds have changed, update value to match
+        if 'bounds' in opts and 'value' not in opts:
+            self.setValue()   
+            
+        ## sanity checks:
+        if self.opts['int']:
+            step = self.opts['step']
+            mStep = self.opts['minStep']
+            if (int(step) != step) or (self.opts['dec'] and (int(mStep) != mStep)):
+                raise Exception("Integer SpinBox may only have integer step and minStep.")
+            
+        self.updateText()
+
+
+
+    def setMaximum(self, m, update=True):
+        if m is not None:
+            m = D(unicode(m))
+        self.opts['bounds'][1] = m
+        if update:
+            self.setValue()
+    
+    def setMinimum(self, m, update=True):
+        if m is not None:
+            m = D(unicode(m))
+        self.opts['bounds'][0] = m
+        if update:
+            self.setValue()
+        
+    def setPrefix(self, p):
+        self.setOpts(prefix=p)
+    
+    def setRange(self, r0, r1):
+        self.setOpts(bounds = [r0,r1])
+        
+    def setProperty(self, prop, val):
+        """setProperty is just for compatibility with QSpinBox"""
+        if prop == 'value':
+            #if type(val) is QtCore.QVariant:
+                #val = val.toDouble()[0]
+            self.setValue(val)
+        else:
+            print "Warning: SpinBox.setProperty('%s', ..) not supported." % prop
+
+    def setSuffix(self, suf):
+        self.setOpts(suffix=suf)
+
+    def setSingleStep(self, step):
+        self.setOpts(step=step)
+        
+    def setDecimals(self, decimals):
+        self.setOpts(decimals=decimals)
+
+    def value(self):
+        if self.opts['int']:
+            return int(self.val)
+        else:
+            return float(self.val)
+
+    def setValue(self, value=None, update=True, delaySignal=False):
+        """
+        Set the value of this spin. 
+        If the value is out of bounds, it will be moved to the nearest boundary
+        If the spin is integer type, the value will be coerced to int
+        Returns the actual value set.
+        
+        If value is None, then the current value is used (this is for resetting
+        the value after bounds, etc. have changed)
+        """
+        
+        if value is None:
+            value = self.value()
+        
+        bounds = self.opts['bounds']
+        if bounds[0] is not None and value < bounds[0]:
+            value = bounds[0]
+        if bounds[1] is not None and value > bounds[1]:
+            value = bounds[1]
+
+        if self.opts['int']:
+            value = int(value)
+
+        value = D(unicode(value))
+        if value == self.val:
+            return
+        prev = self.val
+        
+        self.val = value
+        if update:
+            self.updateText(prev=prev)
+            
+        self.sigValueChanging.emit(self, float(self.val))  ## change will be emitted in 300ms if there are no subsequent changes.
+        if not delaySignal:
+            self.emitChanged()
+        
+        return value
+
+            
+    def emitChanged(self):
+        self.lastValEmitted = self.val
+        self.valueChanged.emit(float(self.val))
+        self.sigValueChanged.emit(self)
+        
+    def delayedChange(self):
+        try:
+            if self.val != self.lastValEmitted:
+                self.emitChanged()
+        except RuntimeError:
+            pass  ## This can happen if we try to handle a delayed signal after someone else has already deleted the underlying C++ object.
+        
+    def widgetGroupInterface(self):
+        return (self.valueChanged, SpinBox.value, SpinBox.setValue)
+        
+    def sizeHint(self):
+        return QtCore.QSize(120, 0)
+        
+    
+    def stepEnabled(self):
+        return self.StepUpEnabled | self.StepDownEnabled        
+    
+    #def fixup(self, *args):
+        #print "fixup:", args
+    
+    def stepBy(self, n):
+        n = D(int(n))   ## n must be integral number of steps.
+        s = [D(-1), D(1)][n >= 0]  ## determine sign of step
+        val = self.val
+        
+        for i in range(abs(n)):
+            
+            if self.opts['log']:
+                raise Exception("Log mode no longer supported.")
+            #    step = abs(val) * self.opts['step']
+            #    if 'minStep' in self.opts:
+            #        step = max(step, self.opts['minStep'])
+            #    val += step * s
+            if self.opts['dec']:
+                if val == 0:
+                    step = self.opts['minStep']
+                    exp = None
+                else:
+                    vs = [D(-1), D(1)][val >= 0]
+                    #exp = D(int(abs(val*(D('1.01')**(s*vs))).log10()))
+                    fudge = D('1.01')**(s*vs) ## fudge factor. at some places, the step size depends on the step sign.
+                    exp = abs(val * fudge).log10().quantize(1, ROUND_FLOOR)
+                    step = self.opts['step'] * D(10)**exp
+                if 'minStep' in self.opts:
+                    step = max(step, self.opts['minStep'])
+                val += s * step
+                #print "Exp:", exp, "step", step, "val", val
+            else:
+                val += s*self.opts['step']
+                
+            if 'minStep' in self.opts and abs(val) < self.opts['minStep']:
+                val = D(0)
+        self.setValue(val, delaySignal=True)  ## note all steps (arrow buttons, wheel, up/down keys..) emit delayed signals only.
+        
+
+    def valueInRange(self, value):
+        bounds = self.opts['bounds']
+        if bounds[0] is not None and value < bounds[0]:
+            return False
+        if bounds[1] is not None and value > bounds[1]:
+            return False
+        if self.opts.get('int', False):
+            if int(value) != value:
+                return False
+        return True
+        
+
+    def updateText(self, prev=None):
+        #print "Update text."
+        self.skipValidate = True
+        if self.opts['siPrefix']:
+            if self.val == 0 and prev is not None:
+                (s, p) = fn.siScale(prev)
+                txt = "0.0 %s%s" % (p, self.opts['suffix'])
+            else:
+                txt = fn.siFormat(float(self.val), suffix=self.opts['suffix'])
+        else:
+            txt = '%g%s' % (self.val , self.opts['suffix'])
+        self.lineEdit().setText(txt)
+        self.lastText = txt
+        self.skipValidate = False
+        
+    def validate(self, strn, pos):
+        if self.skipValidate:
+            #print "skip validate"
+            #self.textValid = False
+            ret = QtGui.QValidator.Acceptable
+        else:
+            try:
+                ## first make sure we didn't mess with the suffix
+                suff = self.opts.get('suffix', '')
+                if len(suff) > 0 and unicode(strn)[-len(suff):] != suff:
+                    #print '"%s" != "%s"' % (unicode(strn)[-len(suff):], suff)
+                    ret = QtGui.QValidator.Invalid
+                    
+                ## next see if we actually have an interpretable value
+                else:
+                    val = self.interpret()
+                    if val is False:
+                        #print "can't interpret"
+                        #self.setStyleSheet('SpinBox {border: 2px solid #C55;}')
+                        #self.textValid = False
+                        ret = QtGui.QValidator.Intermediate
+                    else:
+                        if self.valueInRange(val):
+                            if not self.opts['delayUntilEditFinished']:
+                                self.setValue(val, update=False)
+                            #print "  OK:", self.val
+                            #self.setStyleSheet('')
+                            #self.textValid = True
+                            
+                            ret = QtGui.QValidator.Acceptable
+                        else:
+                            ret = QtGui.QValidator.Intermediate
+                        
+            except:
+                #print "  BAD"
+                #import sys
+                #sys.excepthook(*sys.exc_info())
+                #self.textValid = False
+                #self.setStyleSheet('SpinBox {border: 2px solid #C55;}')
+                ret = QtGui.QValidator.Intermediate
+            
+        ## draw / clear border
+        if ret == QtGui.QValidator.Intermediate:
+            self.textValid = False
+        elif ret == QtGui.QValidator.Acceptable:
+            self.textValid = True
+        ## note: if text is invalid, we don't change the textValid flag 
+        ## since the text will be forced to its previous state anyway
+        self.update()
+        
+        ## support 2 different pyqt APIs. Bleh.
+        if hasattr(QtCore, 'QString'):
+            return (ret, pos)
+        else:
+            return (ret, strn, pos)
+        
+    def paintEvent(self, ev):
+        QtGui.QAbstractSpinBox.paintEvent(self, ev)
+        
+        ## draw red border if text is invalid
+        if not self.textValid:
+            p = QtGui.QPainter(self)
+            p.setRenderHint(p.Antialiasing)
+            p.setPen(fn.mkPen((200,50,50), width=2))
+            p.drawRoundedRect(self.rect().adjusted(2, 2, -2, -2), 4, 4)
+            p.end()
+
+
+    def interpret(self):
+        """Return value of text. Return False if text is invalid, raise exception if text is intermediate"""
+        strn = self.lineEdit().text()
+        suf = self.opts['suffix']
+        if len(suf) > 0:
+            if strn[-len(suf):] != suf:
+                return False
+            #raise Exception("Units are invalid.")
+            strn = strn[:-len(suf)]
+        try:
+            val = fn.siEval(strn)
+        except:
+            #sys.excepthook(*sys.exc_info())
+            #print "invalid"
+            return False
+        #print val
+        return val
+        
+    #def interpretText(self, strn=None):
+        #print "Interpret:", strn
+        #if strn is None:
+            #strn = self.lineEdit().text()
+        #self.setValue(siEval(strn), update=False)
+        ##QtGui.QAbstractSpinBox.interpretText(self)
+        
+        
+    def editingFinishedEvent(self):
+        """Edit has finished; set value."""
+        #print "Edit finished."
+        if unicode(self.lineEdit().text()) == self.lastText:
+            #print "no text change."
+            return
+        try:
+            val = self.interpret()
+        except:
+            return
+        
+        if val is False:
+            #print "value invalid:", str(self.lineEdit().text())
+            return
+        if val == self.val:
+            #print "no value change:", val, self.val
+            return
+        self.setValue(val, delaySignal=False)  ## allow text update so that values are reformatted pretty-like
+        
+    #def textChanged(self):
+        #print "Text changed."
+        
+        
+### Drop-in replacement for SpinBox; just for crash-testing
+#class SpinBox(QtGui.QDoubleSpinBox):
+    #valueChanged = QtCore.Signal(object)     # (value)  for compatibility with QSpinBox
+    #sigValueChanged = QtCore.Signal(object)  # (self)
+    #sigValueChanging = QtCore.Signal(object)  # (value)
+    #def __init__(self, parent=None, *args, **kargs):
+        #QtGui.QSpinBox.__init__(self, parent)
+    
+    #def  __getattr__(self, attr):
+        #return lambda *args, **kargs: None
+        
+    #def widgetGroupInterface(self):
+        #return (self.valueChanged, SpinBox.value, SpinBox.setValue)
+    
+        
+if __name__ == '__main__':
+    import sys
+    app = QtGui.QApplication([])
+    
+    def valueChanged(sb):
+        #sb = QtCore.QObject.sender()
+        print str(sb) + " valueChanged: %s" % str(sb.value())
+    
+    def valueChanging(sb, value):
+        #sb = QtCore.QObject.sender()
+        print str(sb) + " valueChanging: %s" % str(sb.value())
+    
+    def mkWin():
+        win = QtGui.QMainWindow()
+        g = QtGui.QFormLayout()
+        w = QtGui.QWidget()
+        w.setLayout(g)
+        win.setCentralWidget(w)
+        s1 = SpinBox(value=5, step=0.1, bounds=[-1.5, None], suffix='units')
+        t1 = QtGui.QLineEdit()
+        g.addRow(s1, t1)
+        s2 = SpinBox(value=10e-6, dec=True, step=0.1, minStep=1e-6, suffix='A', siPrefix=True)
+        t2 = QtGui.QLineEdit()
+        g.addRow(s2, t2)
+        s3 = SpinBox(value=1000, dec=True, step=0.5, minStep=1e-6, bounds=[1, 1e9], suffix='Hz', siPrefix=True)
+        t3 = QtGui.QLineEdit()
+        g.addRow(s3, t3)
+        s4 = SpinBox(int=True, dec=True, step=1, minStep=1, bounds=[-10, 1000])
+        t4 = QtGui.QLineEdit()
+        g.addRow(s4, t4)
+
+        win.show()
+        
+        import sys
+        for sb in [s1, s2, s3,s4]:
+            
+            #QtCore.QObject.connect(sb, QtCore.SIGNAL('valueChanged(double)'), lambda v: sys.stdout.write(str(sb) + " valueChanged\n"))
+            #QtCore.QObject.connect(sb, QtCore.SIGNAL('editingFinished()'), lambda: sys.stdout.write(str(sb) + " editingFinished\n"))
+            sb.sigValueChanged.connect(valueChanged)
+            sb.sigValueChanging.connect(valueChanging)
+            sb.editingFinished.connect(lambda: sys.stdout.write(str(sb) + " editingFinished\n"))
+        return win, w, [s1, s2, s3, s4]
+    a = mkWin()
+    
+        
+    def test(n=100):
+        for i in range(n):
+            win, w, sb = mkWin()
+            for s in sb:
+                w.setParent(None)
+                s.setParent(None)
+                s.valueChanged.disconnect()
+                s.editingFinished.disconnect()
+                
+    ## Start Qt event loop unless running in interactive mode.
+    if sys.flags.interactive != 1:
+        app.exec_()
diff --git a/widgets/TableWidget.py b/widgets/TableWidget.py
new file mode 100644
index 0000000000000000000000000000000000000000..b1d38a92b6e676765ee4c711b505fa5d77e6e444
--- /dev/null
+++ b/widgets/TableWidget.py
@@ -0,0 +1,249 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtGui, QtCore
+
+import numpy as np
+try:
+    import metaarray
+    HAVE_METAARRAY = True
+except:
+    HAVE_METAARRAY = False
+
+__all__ = ['TableWidget']
+class TableWidget(QtGui.QTableWidget):
+    """Extends QTableWidget with some useful functions for automatic data handling.
+    Can automatically format and display:
+        numpy arrays
+        numpy record arrays 
+        metaarrays
+        list-of-lists  [[1,2,3], [4,5,6]]
+        dict-of-lists  {'x': [1,2,3], 'y': [4,5,6]}
+        list-of-dicts  [
+                         {'x': 1, 'y': 4}, 
+                         {'x': 2, 'y': 5}, 
+                         {'x': 3, 'y': 6}
+                       ]
+    """
+    
+    def __init__(self, *args):
+        QtGui.QTableWidget.__init__(self, *args)
+        self.setVerticalScrollMode(self.ScrollPerPixel)
+        self.setSelectionMode(QtGui.QAbstractItemView.ContiguousSelection)
+        self.clear()
+        self.contextMenu = QtGui.QMenu()
+        self.contextMenu.addAction('Copy Selection').triggered.connect(self.copySel)
+        self.contextMenu.addAction('Copy All').triggered.connect(self.copyAll)
+        self.contextMenu.addAction('Save Selection').triggered.connect(self.saveSel)
+        self.contextMenu.addAction('Save All').triggered.connect(self.saveAll)
+        
+    def clear(self):
+        QtGui.QTableWidget.clear(self)
+        self.verticalHeadersSet = False
+        self.horizontalHeadersSet = False
+        self.items = []
+        self.setRowCount(0)
+        self.setColumnCount(0)
+        
+    def setData(self, data):
+        self.clear()
+        self.appendData(data)
+        
+    def appendData(self, data):
+        """Types allowed:
+        1 or 2D numpy array or metaArray
+        1D numpy record array
+        list-of-lists, list-of-dicts or dict-of-lists
+        """
+        fn0, header0 = self.iteratorFn(data)
+        if fn0 is None:
+            self.clear()
+            return
+        it0 = fn0(data)
+        try:
+            first = it0.next()
+        except StopIteration:
+            return
+        #if type(first) == type(np.float64(1)):
+        #   return
+        fn1, header1 = self.iteratorFn(first)
+        if fn1 is None:
+            self.clear()
+            return
+        
+        #print fn0, header0
+        #print fn1, header1
+        firstVals = [x for x in fn1(first)]
+        self.setColumnCount(len(firstVals))
+        
+        #print header0, header1
+        if not self.verticalHeadersSet and header0 is not None:
+            #print "set header 0:", header0
+            self.setRowCount(len(header0))
+            self.setVerticalHeaderLabels(header0)
+            self.verticalHeadersSet = True
+        if not self.horizontalHeadersSet and header1 is not None:
+            #print "set header 1:", header1
+            self.setHorizontalHeaderLabels(header1)
+            self.horizontalHeadersSet = True
+        
+        self.setRow(0, firstVals)
+        i = 1
+        for row in it0:
+            self.setRow(i, [x for x in fn1(row)])
+            i += 1
+            
+    def iteratorFn(self, data):
+        """Return 1) a function that will provide an iterator for data and 2) a list of header strings"""
+        if isinstance(data, list):
+            return lambda d: d.__iter__(), None
+        elif isinstance(data, dict):
+            return lambda d: d.itervalues(), map(str, data.keys())
+        elif HAVE_METAARRAY and isinstance(data, metaarray.MetaArray):
+            if data.axisHasColumns(0):
+                header = [str(data.columnName(0, i)) for i in xrange(data.shape[0])]
+            elif data.axisHasValues(0):
+                header = map(str, data.xvals(0))
+            else:
+                header = None
+            return self.iterFirstAxis, header
+        elif isinstance(data, np.ndarray):
+            return self.iterFirstAxis, None
+        elif isinstance(data, np.void):
+            return self.iterate, map(str, data.dtype.names)
+        elif data is None:
+            return (None,None)
+        else:
+            raise Exception("Don't know how to iterate over data type: %s" % str(type(data)))
+        
+    def iterFirstAxis(self, data):
+        for i in xrange(data.shape[0]):
+            yield data[i]
+            
+    def iterate(self, data):  ## for numpy.void, which can be iterated but mysteriously has no __iter__ (??)
+        for x in data:
+            yield x
+        
+    def appendRow(self, data):
+        self.appendData([data])
+        
+    def addRow(self, vals):
+        #print "add row:", vals
+        row = self.rowCount()
+        self.setRowCount(row+1)
+        self.setRow(row, vals)
+        
+    def setRow(self, row, vals):
+        if row > self.rowCount()-1:
+            self.setRowCount(row+1)
+        for col in xrange(self.columnCount()):
+            val = vals[col]
+            if isinstance(val, float) or isinstance(val, np.floating):
+                s = "%0.3g" % val
+            else:
+                s = str(val)
+            item = QtGui.QTableWidgetItem(s)
+            item.value = val
+            #print "add item to row %d:"%row, item, item.value
+            self.items.append(item)
+            self.setItem(row, col, item)
+            
+    def serialize(self, useSelection=False):
+        """Convert entire table (or just selected area) into tab-separated text values"""
+        if useSelection:
+            selection = self.selectedRanges()[0]
+            rows = range(selection.topRow(), selection.bottomRow()+1)
+            columns = range(selection.leftColumn(), selection.rightColumn()+1)        
+        else:
+            rows = range(self.rowCount())
+            columns = range(self.columnCount())
+
+
+        data = []
+        if self.horizontalHeadersSet:
+            row = []
+            if self.verticalHeadersSet:
+                row.append(u'')
+            
+            for c in columns:
+                row.append(unicode(self.horizontalHeaderItem(c).text()))
+            data.append(row)
+        
+        for r in rows:
+            row = []
+            if self.verticalHeadersSet:
+                row.append(unicode(self.verticalHeaderItem(r).text()))
+            for c in columns:
+                item = self.item(r, c)
+                if item is not None:
+                    row.append(unicode(item.value))
+                else:
+                    row.append(u'')
+            data.append(row)
+            
+        s = u''
+        for row in data:
+            s += (u'\t'.join(row) + u'\n')
+        return s
+
+    def copySel(self):
+        """Copy selected data to clipboard."""
+        QtGui.QApplication.clipboard().setText(self.serialize(useSelection=True))
+
+    def copyAll(self):
+        """Copy all data to clipboard."""
+        QtGui.QApplication.clipboard().setText(self.serialize(useSelection=False))
+
+    def saveSel(self):
+        """Save selected data to file."""
+        self.save(self.serialize(useSelection=True))
+
+    def saveAll(self):
+        """Save all data to file."""
+        self.save(self.serialize(useSelection=False))
+
+    def save(self, data):
+        fileName = QtGui.QFileDialog.getSaveFileName(self, "Save As..", "", "Tab-separated values (*.tsv)")
+        if fileName == '':
+            return
+        open(fileName, 'w').write(data)
+        
+
+    def contextMenuEvent(self, ev):
+        self.contextMenu.popup(ev.globalPos())
+        
+    def keyPressEvent(self, ev):
+        if ev.text() == 'c' and ev.modifiers() == QtCore.Qt.ControlModifier:
+            ev.accept()
+            self.copy()
+        else:
+            ev.ignore()
+
+
+
+if __name__ == '__main__':
+    app = QtGui.QApplication([])
+    win = QtGui.QMainWindow()
+    t = TableWidget()
+    win.setCentralWidget(t)
+    win.resize(800,600)
+    win.show()
+    
+    ll = [[1,2,3,4,5]] * 20
+    ld = [{'x': 1, 'y': 2, 'z': 3}] * 20
+    dl = {'x': range(20), 'y': range(20), 'z': range(20)}
+    
+    a = np.ones((20, 5))
+    ra = np.ones((20,), dtype=[('x', int), ('y', int), ('z', int)])
+    
+    t.setData(ll)
+    
+    if HAVE_METAARRAY:
+        ma = metaarray.MetaArray(np.ones((20, 3)), info=[
+            {'values': np.linspace(1, 5, 20)}, 
+            {'cols': [
+                {'name': 'x'},
+                {'name': 'y'},
+                {'name': 'z'},
+            ]}
+        ])
+        t.setData(ma)
+    
\ No newline at end of file
diff --git a/widgets/TreeWidget.py b/widgets/TreeWidget.py
new file mode 100644
index 0000000000000000000000000000000000000000..43bba487d25d0bcd0e62c50918e153ec6d5646aa
--- /dev/null
+++ b/widgets/TreeWidget.py
@@ -0,0 +1,194 @@
+# -*- coding: utf-8 -*-
+if __name__ == '__main__':
+    import sys, os
+    sys.path.append(os.path.join(os.path.dirname(__file__), '..', '..'))
+from pyqtgraph.Qt import QtGui, QtCore
+from weakref import *
+
+__all__ = ['TreeWidget']
+class TreeWidget(QtGui.QTreeWidget):
+    """Extends QTreeWidget to allow internal drag/drop with widgets in the tree.
+    Also maintains the expanded state of subtrees as they are moved.
+    This class demonstrates the absurd lengths one must go to to make drag/drop work."""
+    
+    sigItemMoved = QtCore.Signal(object, object, object) # (item, parent, index)
+    
+    def __init__(self, parent=None):
+        QtGui.QTreeWidget.__init__(self, parent)
+        #self.itemWidgets = WeakKeyDictionary()
+        self.setAcceptDrops(True)
+        self.setDragEnabled(True)
+        self.setEditTriggers(QtGui.QAbstractItemView.EditKeyPressed|QtGui.QAbstractItemView.SelectedClicked)
+        self.placeholders = []
+        self.childNestingLimit = None
+
+    def setItemWidget(self, item, col, wid):
+        w = QtGui.QWidget()  ## foster parent / surrogate child widget
+        l = QtGui.QVBoxLayout()
+        l.setContentsMargins(0,0,0,0)
+        w.setLayout(l)
+        w.setSizePolicy(wid.sizePolicy())
+        w.setMinimumHeight(wid.minimumHeight())
+        w.setMinimumWidth(wid.minimumWidth())
+        l.addWidget(wid)
+        w.realChild = wid
+        self.placeholders.append(w)
+        QtGui.QTreeWidget.setItemWidget(self, item, col, w)
+
+    def itemWidget(self, item, col):
+        w = QtGui.QTreeWidget.itemWidget(self, item, col)
+        if w is not None:
+            w = w.realChild
+        return w
+
+    def dropMimeData(self, parent, index, data, action):
+        item = self.currentItem()
+        p = parent
+        #print "drop", item, "->", parent, index
+        while True:
+            if p is None:
+                break
+            if p is item:
+                return False
+                #raise Exception("Can not move item into itself.")
+            p = p.parent()
+        
+        if not self.itemMoving(item, parent, index):
+            return False
+        
+        currentParent = item.parent()
+        if currentParent is None:
+            currentParent = self.invisibleRootItem()
+        if parent is None:
+            parent = self.invisibleRootItem()
+            
+        if currentParent is parent and index > parent.indexOfChild(item):
+            index -= 1
+            
+        self.prepareMove(item)
+            
+        currentParent.removeChild(item)
+        #print "  insert child to index", index
+        parent.insertChild(index, item)  ## index will not be correct
+        self.setCurrentItem(item)
+        
+        self.recoverMove(item)
+        #self.emit(QtCore.SIGNAL('itemMoved'), item, parent, index)
+        self.sigItemMoved.emit(item, parent, index)
+        return True
+
+    def itemMoving(self, item, parent, index):
+        """Called when item has been dropped elsewhere in the tree.
+        Return True to accept the move, False to reject."""
+        return True
+        
+    def prepareMove(self, item):
+        item.__widgets = []
+        item.__expanded = item.isExpanded()
+        for i in range(self.columnCount()):
+            w = self.itemWidget(item, i)
+            item.__widgets.append(w)
+            if w is None:
+                continue
+            w.setParent(None)
+        for i in range(item.childCount()):
+            self.prepareMove(item.child(i))
+        
+    def recoverMove(self, item):
+        for i in range(self.columnCount()):
+            w = item.__widgets[i]
+            if w is None:
+                continue
+            self.setItemWidget(item, i, w)
+        for i in range(item.childCount()):
+            self.recoverMove(item.child(i))
+        
+        item.setExpanded(False)  ## Items do not re-expand correctly unless they are collapsed first.
+        QtGui.QApplication.instance().processEvents()
+        item.setExpanded(item.__expanded)
+        
+    def collapseTree(self, item):
+        item.setExpanded(False)
+        for i in range(item.childCount()):
+            self.collapseTree(item.child(i))
+            
+    def removeTopLevelItem(self, item):
+        for i in range(self.topLevelItemCount()):
+            if self.topLevelItem(i) is item:
+                self.takeTopLevelItem(i)
+                return
+        raise Exception("Item '%s' not in top-level items." % str(item))
+    
+    def listAllItems(self, item=None):
+        items = []
+        if item != None:
+            items.append(item)
+        else:
+            item = self.invisibleRootItem()
+        
+        for cindex in range(item.childCount()):
+            foundItems = self.listAllItems(item=item.child(cindex))
+            for f in foundItems:
+                items.append(f)
+        return items
+            
+    def dropEvent(self, ev):
+        QtGui.QTreeWidget.dropEvent(self, ev)
+        self.updateDropFlags()
+
+    
+    def updateDropFlags(self):
+        ### intended to put a limit on how deep nests of children can go.
+        ### self.childNestingLimit is upheld when moving items without children, but if the item being moved has children/grandchildren, the children/grandchildren
+        ### can end up over the childNestingLimit. 
+        if self.childNestingLimit == None:
+            pass # enable drops in all items (but only if there are drops that aren't enabled? for performance...)
+        else:
+            items = self.listAllItems()
+            for item in items:
+                parentCount = 0
+                p = item.parent()
+                while p is not None:
+                    parentCount += 1
+                    p = p.parent()
+                if parentCount >= self.childNestingLimit:
+                    item.setFlags(item.flags() & (~QtCore.Qt.ItemIsDropEnabled))
+                else:
+                    item.setFlags(item.flags() | QtCore.Qt.ItemIsDropEnabled)
+            
+if __name__ == '__main__':
+    app = QtGui.QApplication([])
+    
+    w = TreeWidget()
+    w.setColumnCount(2)
+    w.show()
+    
+    i1  = QtGui.QTreeWidgetItem(["Item 1"])
+    i11  = QtGui.QTreeWidgetItem(["Item 1.1"])
+    i12  = QtGui.QTreeWidgetItem(["Item 1.2"])
+    i2  = QtGui.QTreeWidgetItem(["Item 2"])
+    i21  = QtGui.QTreeWidgetItem(["Item 2.1"])
+    i211  = QtGui.QTreeWidgetItem(["Item 2.1.1"])
+    i212  = QtGui.QTreeWidgetItem(["Item 2.1.2"])
+    i22  = QtGui.QTreeWidgetItem(["Item 2.2"])
+    i3  = QtGui.QTreeWidgetItem(["Item 3"])
+    i4  = QtGui.QTreeWidgetItem(["Item 4"])
+    i5  = QtGui.QTreeWidgetItem(["Item 5"])
+    
+    w.addTopLevelItem(i1)
+    w.addTopLevelItem(i2)
+    w.addTopLevelItem(i3)
+    w.addTopLevelItem(i4)
+    w.addTopLevelItem(i5)
+    i1.addChild(i11)
+    i1.addChild(i12)
+    i2.addChild(i21)
+    i21.addChild(i211)
+    i21.addChild(i212)
+    i2.addChild(i22)
+    
+    b1 = QtGui.QPushButton("B1")
+    w.setItemWidget(i1, 1, b1)
+    
+    app.exec_()
+
diff --git a/widgets/VerticalLabel.py b/widgets/VerticalLabel.py
new file mode 100644
index 0000000000000000000000000000000000000000..fa45ae5dedb24acdb598b005b66d30f7336c7783
--- /dev/null
+++ b/widgets/VerticalLabel.py
@@ -0,0 +1,99 @@
+# -*- coding: utf-8 -*-
+from pyqtgraph.Qt import QtGui, QtCore
+
+__all__ = ['VerticalLabel']
+#class VerticalLabel(QtGui.QLabel):
+    #def paintEvent(self, ev):
+        #p = QtGui.QPainter(self)
+        #p.rotate(-90)
+        #self.hint = p.drawText(QtCore.QRect(-self.height(), 0, self.height(), self.width()), QtCore.Qt.AlignLeft|QtCore.Qt.AlignVCenter, self.text())
+        #p.end()
+        #self.setMinimumWidth(self.hint.height())
+        #self.setMinimumHeight(self.hint.width())
+
+    #def sizeHint(self):
+        #if hasattr(self, 'hint'):
+            #return QtCore.QSize(self.hint.height(), self.hint.width())
+        #else:
+            #return QtCore.QSize(16, 50)
+
+class VerticalLabel(QtGui.QLabel):
+    def __init__(self, text, orientation='vertical', forceWidth=True):
+        QtGui.QLabel.__init__(self, text)
+        self.forceWidth = forceWidth
+        self.orientation = None
+        self.setOrientation(orientation)
+        
+    def setOrientation(self, o):
+        if self.orientation == o:
+            return
+        self.orientation = o
+        self.update()
+        self.updateGeometry()
+        
+    def paintEvent(self, ev):
+        p = QtGui.QPainter(self)
+        #p.setBrush(QtGui.QBrush(QtGui.QColor(100, 100, 200)))
+        #p.setPen(QtGui.QPen(QtGui.QColor(50, 50, 100)))
+        #p.drawRect(self.rect().adjusted(0, 0, -1, -1))
+        
+        #p.setPen(QtGui.QPen(QtGui.QColor(255, 255, 255)))
+        
+        if self.orientation == 'vertical':
+            p.rotate(-90)
+            rgn = QtCore.QRect(-self.height(), 0, self.height(), self.width())
+        else:
+            rgn = self.contentsRect()
+        align = self.alignment()
+        #align  = QtCore.Qt.AlignTop|QtCore.Qt.AlignHCenter
+            
+        self.hint = p.drawText(rgn, align, self.text())
+        p.end()
+        
+        if self.orientation == 'vertical':
+            self.setMaximumWidth(self.hint.height())
+            self.setMinimumWidth(0)
+            self.setMaximumHeight(16777215)
+            if self.forceWidth:
+                self.setMinimumHeight(self.hint.width())
+            else:
+                self.setMinimumHeight(0)
+        else:
+            self.setMaximumHeight(self.hint.height())
+            self.setMinimumHeight(0)
+            self.setMaximumWidth(16777215)
+            if self.forceWidth:
+                self.setMinimumWidth(self.hint.width())
+            else:
+                self.setMinimumWidth(0)
+
+    def sizeHint(self):
+        if self.orientation == 'vertical':
+            if hasattr(self, 'hint'):
+                return QtCore.QSize(self.hint.height(), self.hint.width())
+            else:
+                return QtCore.QSize(19, 50)
+        else:
+            if hasattr(self, 'hint'):
+                return QtCore.QSize(self.hint.width(), self.hint.height())
+            else:
+                return QtCore.QSize(50, 19)
+
+
+if __name__ == '__main__':
+    app = QtGui.QApplication([])
+    win = QtGui.QMainWindow()
+    w = QtGui.QWidget()
+    l = QtGui.QGridLayout()
+    w.setLayout(l)
+    
+    l1 = VerticalLabel("text 1", orientation='horizontal')
+    l2 = VerticalLabel("text 2")
+    l3 = VerticalLabel("text 3")
+    l4 = VerticalLabel("text 4", orientation='horizontal')
+    l.addWidget(l1, 0, 0)
+    l.addWidget(l2, 1, 1)
+    l.addWidget(l3, 2, 2)
+    l.addWidget(l4, 3, 3)
+    win.setCentralWidget(w)
+    win.show()
\ No newline at end of file
diff --git a/widgets/__init__.py b/widgets/__init__.py
new file mode 100644
index 0000000000000000000000000000000000000000..a81fe391a1bcad485c49355982891482cc33ba73
--- /dev/null
+++ b/widgets/__init__.py
@@ -0,0 +1,21 @@
+## just import everything from sub-modules
+
+#import os
+
+#d = os.path.split(__file__)[0]
+#files = []
+#for f in os.listdir(d):
+    #if os.path.isdir(os.path.join(d, f)):
+        #files.append(f)
+    #elif f[-3:] == '.py' and f != '__init__.py':
+        #files.append(f[:-3])
+    
+#for modName in files:
+    #mod = __import__(modName, globals(), locals(), fromlist=['*'])
+    #if hasattr(mod, '__all__'):
+        #names = mod.__all__
+    #else:
+        #names = [n for n in dir(mod) if n[0] != '_']
+    #for k in names:
+        #print modName, k
+        #globals()[k] = getattr(mod, k)