Removing contact caching from backend, moving it to session
[gc-dialer] / src / util / qtpie.py
1 #!/usr/bin/env python
2
3 import math
4 import logging
5
6 from PyQt4 import QtGui
7 from PyQt4 import QtCore
8
9 try:
10         from util import misc as misc_utils
11 except ImportError:
12         class misc_utils(object):
13
14                 @staticmethod
15                 def log_exception(logger):
16
17                         def wrapper(func):
18                                 return func
19                         return wrapper
20
21
22 _moduleLogger = logging.getLogger(__name__)
23
24
25 _TWOPI = 2 * math.pi
26
27
28 def _radius_at(center, pos):
29         delta = pos - center
30         xDelta = delta.x()
31         yDelta = delta.y()
32
33         radius = math.sqrt(xDelta ** 2 + yDelta ** 2)
34         return radius
35
36
37 def _angle_at(center, pos):
38         delta = pos - center
39         xDelta = delta.x()
40         yDelta = delta.y()
41
42         radius = math.sqrt(xDelta ** 2 + yDelta ** 2)
43         angle = math.acos(xDelta / radius)
44         if 0 <= yDelta:
45                 angle = _TWOPI - angle
46
47         return angle
48
49
50 class QActionPieItem(object):
51
52         def __init__(self, action, weight = 1):
53                 self._action = action
54                 self._weight = weight
55
56         def action(self):
57                 return self._action
58
59         def setWeight(self, weight):
60                 self._weight = weight
61
62         def weight(self):
63                 return self._weight
64
65         def setEnabled(self, enabled = True):
66                 self._action.setEnabled(enabled)
67
68         def isEnabled(self):
69                 return self._action.isEnabled()
70
71
72 class PieFiling(object):
73
74         INNER_RADIUS_DEFAULT = 64
75         OUTER_RADIUS_DEFAULT = 192
76
77         SELECTION_CENTER = -1
78         SELECTION_NONE = -2
79
80         NULL_CENTER = QActionPieItem(QtGui.QAction(None))
81
82         def __init__(self):
83                 self._innerRadius = self.INNER_RADIUS_DEFAULT
84                 self._outerRadius = self.OUTER_RADIUS_DEFAULT
85                 self._children = []
86                 self._center = self.NULL_CENTER
87
88                 self._cacheIndexToAngle = {}
89                 self._cacheTotalWeight = 0
90
91         def insertItem(self, item, index = -1):
92                 self._children.insert(index, item)
93                 self._invalidate_cache()
94
95         def removeItemAt(self, index):
96                 item = self._children.pop(index)
97                 self._invalidate_cache()
98
99         def set_center(self, item):
100                 if item is None:
101                         item = self.NULL_CENTER
102                 self._center = item
103
104         def center(self):
105                 return self._center
106
107         def clear(self):
108                 del self._children[:]
109                 self._center = self.NULL_CENTER
110                 self._invalidate_cache()
111
112         def itemAt(self, index):
113                 return self._children[index]
114
115         def indexAt(self, center, point):
116                 return self._angle_to_index(_angle_at(center, point))
117
118         def innerRadius(self):
119                 return self._innerRadius
120
121         def setInnerRadius(self, radius):
122                 self._innerRadius = radius
123
124         def outerRadius(self):
125                 return self._outerRadius
126
127         def setOuterRadius(self, radius):
128                 self._outerRadius = radius
129
130         def __iter__(self):
131                 return iter(self._children)
132
133         def __len__(self):
134                 return len(self._children)
135
136         def __getitem__(self, index):
137                 return self._children[index]
138
139         def _invalidate_cache(self):
140                 self._cacheIndexToAngle.clear()
141                 self._cacheTotalWeight = sum(child.weight() for child in self._children)
142                 if self._cacheTotalWeight == 0:
143                         self._cacheTotalWeight = 1
144
145         def _index_to_angle(self, index, isShifted):
146                 key = index, isShifted
147                 if key in self._cacheIndexToAngle:
148                         return self._cacheIndexToAngle[key]
149                 index = index % len(self._children)
150
151                 baseAngle = _TWOPI / self._cacheTotalWeight
152
153                 angle = math.pi / 2
154                 if isShifted:
155                         if self._children:
156                                 angle -= (self._children[0].weight() * baseAngle) / 2
157                         else:
158                                 angle -= baseAngle / 2
159                 while angle < 0:
160                         angle += _TWOPI
161
162                 for i, child in enumerate(self._children):
163                         if index < i:
164                                 break
165                         angle += child.weight() * baseAngle
166                 while _TWOPI < angle:
167                         angle -= _TWOPI
168
169                 self._cacheIndexToAngle[key] = angle
170                 return angle
171
172         def _angle_to_index(self, angle):
173                 numChildren = len(self._children)
174                 if numChildren == 0:
175                         return self.SELECTION_CENTER
176
177                 baseAngle = _TWOPI / self._cacheTotalWeight
178
179                 iterAngle = math.pi / 2 - (self.itemAt(0).weight() * baseAngle) / 2
180                 while iterAngle < 0:
181                         iterAngle += _TWOPI
182
183                 oldIterAngle = iterAngle
184                 for index, child in enumerate(self._children):
185                         iterAngle += child.weight() * baseAngle
186                         if oldIterAngle < angle and angle <= iterAngle:
187                                 return index - 1 if index != 0 else numChildren - 1
188                         elif oldIterAngle < (angle + _TWOPI) and (angle + _TWOPI <= iterAngle):
189                                 return index - 1 if index != 0 else numChildren - 1
190                         oldIterAngle = iterAngle
191
192
193 class PieArtist(object):
194
195         ICON_SIZE_DEFAULT = 48
196
197         SHAPE_CIRCLE = "circle"
198         SHAPE_SQUARE = "square"
199         DEFAULT_SHAPE = SHAPE_SQUARE
200
201         def __init__(self, filing):
202                 self._filing = filing
203
204                 self._cachedOuterRadius = self._filing.outerRadius()
205                 self._cachedInnerRadius = self._filing.innerRadius()
206                 canvasSize = self._cachedOuterRadius * 2 + 1
207                 self._canvas = QtGui.QPixmap(canvasSize, canvasSize)
208                 self._mask = None
209                 self.palette = None
210
211         def pieSize(self):
212                 diameter = self._filing.outerRadius() * 2 + 1
213                 return QtCore.QSize(diameter, diameter)
214
215         def centerSize(self):
216                 painter = QtGui.QPainter(self._canvas)
217                 text = self._filing.center().action().text()
218                 fontMetrics = painter.fontMetrics()
219                 if text:
220                         textBoundingRect = fontMetrics.boundingRect(text)
221                 else:
222                         textBoundingRect = QtCore.QRect()
223                 textWidth = textBoundingRect.width()
224                 textHeight = textBoundingRect.height()
225
226                 return QtCore.QSize(
227                         textWidth + self.ICON_SIZE_DEFAULT,
228                         max(textHeight, self.ICON_SIZE_DEFAULT),
229                 )
230
231         def show(self, palette):
232                 self.palette = palette
233
234                 if (
235                         self._cachedOuterRadius != self._filing.outerRadius() or
236                         self._cachedInnerRadius != self._filing.innerRadius()
237                 ):
238                         self._cachedOuterRadius = self._filing.outerRadius()
239                         self._cachedInnerRadius = self._filing.innerRadius()
240                         self._canvas = self._canvas.scaled(self.pieSize())
241
242                 if self._mask is None:
243                         self._mask = QtGui.QBitmap(self._canvas.size())
244                         self._mask.fill(QtCore.Qt.color0)
245                         self._generate_mask(self._mask)
246                         self._canvas.setMask(self._mask)
247                 return self._mask
248
249         def hide(self):
250                 self.palette = None
251
252         def paint(self, selectionIndex):
253                 painter = QtGui.QPainter(self._canvas)
254                 painter.setRenderHint(QtGui.QPainter.Antialiasing, True)
255
256                 adjustmentRect = self._canvas.rect().adjusted(0, 0, -1, -1)
257
258                 numChildren = len(self._filing)
259                 if numChildren == 0:
260                         if selectionIndex == PieFiling.SELECTION_CENTER and self._filing.center().isEnabled():
261                                 painter.setBrush(self.palette.highlight())
262                         else:
263                                 painter.setBrush(self.palette.window())
264                         painter.setPen(self.palette.mid().color())
265
266                         painter.drawRect(self._canvas.rect())
267                         self._paint_center_foreground(painter, selectionIndex)
268                         return self._canvas
269                 elif numChildren == 1:
270                         if selectionIndex == 0 and self._filing[0].isEnabled():
271                                 painter.setBrush(self.palette.highlight())
272                         else:
273                                 painter.setBrush(self.palette.window())
274
275                         painter.fillRect(self._canvas.rect(), painter.brush())
276                 else:
277                         for i in xrange(len(self._filing)):
278                                 self._paint_slice_background(painter, adjustmentRect, i, selectionIndex)
279
280                 self._paint_center_background(painter, adjustmentRect, selectionIndex)
281                 self._paint_center_foreground(painter, selectionIndex)
282
283                 for i in xrange(len(self._filing)):
284                         self._paint_slice_foreground(painter, i, selectionIndex)
285
286                 return self._canvas
287
288         def _generate_mask(self, mask):
289                 """
290                 Specifies on the mask the shape of the pie menu
291                 """
292                 painter = QtGui.QPainter(mask)
293                 painter.setPen(QtCore.Qt.color1)
294                 painter.setBrush(QtCore.Qt.color1)
295                 if self.DEFAULT_SHAPE == self.SHAPE_SQUARE:
296                         painter.drawRect(mask.rect())
297                 elif self.DEFAULT_SHAPE == self.SHAPE_CIRCLE:
298                         painter.drawEllipse(mask.rect().adjusted(0, 0, -1, -1))
299                 else:
300                         raise NotImplementedError(self.DEFAULT_SHAPE)
301
302         def _paint_slice_background(self, painter, adjustmentRect, i, selectionIndex):
303                 if self.DEFAULT_SHAPE == self.SHAPE_SQUARE:
304                         currentWidth = adjustmentRect.width()
305                         newWidth = math.sqrt(2) * currentWidth
306                         dx = (newWidth - currentWidth) / 2
307                         adjustmentRect = adjustmentRect.adjusted(-dx, -dx, dx, dx)
308                 elif self.DEFAULT_SHAPE == self.SHAPE_CIRCLE:
309                         pass
310                 else:
311                         raise NotImplementedError(self.DEFAULT_SHAPE)
312
313                 if i == selectionIndex and self._filing[i].isEnabled():
314                         painter.setBrush(self.palette.highlight())
315                 else:
316                         painter.setBrush(self.palette.window())
317                 painter.setPen(self.palette.mid().color())
318
319                 a = self._filing._index_to_angle(i, True)
320                 b = self._filing._index_to_angle(i + 1, True)
321                 if b < a:
322                         b += _TWOPI
323                 size = b - a
324                 if size < 0:
325                         size += _TWOPI
326
327                 startAngleInDeg = (a * 360 * 16) / _TWOPI
328                 sizeInDeg = (size * 360 * 16) / _TWOPI
329                 painter.drawPie(adjustmentRect, int(startAngleInDeg), int(sizeInDeg))
330
331         def _paint_slice_foreground(self, painter, i, selectionIndex):
332                 child = self._filing[i]
333
334                 a = self._filing._index_to_angle(i, True)
335                 b = self._filing._index_to_angle(i + 1, True)
336                 if b < a:
337                         b += _TWOPI
338                 middleAngle = (a + b) / 2
339                 averageRadius = (self._cachedInnerRadius + self._cachedOuterRadius) / 2
340
341                 sliceX = averageRadius * math.cos(middleAngle)
342                 sliceY = - averageRadius * math.sin(middleAngle)
343
344                 piePos = self._canvas.rect().center()
345                 pieX = piePos.x()
346                 pieY = piePos.y()
347                 self._paint_label(
348                         painter, child.action(), i == selectionIndex, pieX+sliceX, pieY+sliceY
349                 )
350
351         def _paint_label(self, painter, action, isSelected, x, y):
352                 text = action.text()
353                 fontMetrics = painter.fontMetrics()
354                 if text:
355                         textBoundingRect = fontMetrics.boundingRect(text)
356                 else:
357                         textBoundingRect = QtCore.QRect()
358                 textWidth = textBoundingRect.width()
359                 textHeight = textBoundingRect.height()
360
361                 icon = action.icon().pixmap(
362                         QtCore.QSize(self.ICON_SIZE_DEFAULT, self.ICON_SIZE_DEFAULT),
363                         QtGui.QIcon.Normal,
364                         QtGui.QIcon.On,
365                 )
366                 iconWidth = icon.width()
367                 iconHeight = icon.width()
368                 averageWidth = (iconWidth + textWidth)/2
369                 if not icon.isNull():
370                         iconRect = QtCore.QRect(
371                                 x - averageWidth,
372                                 y - iconHeight/2,
373                                 iconWidth,
374                                 iconHeight,
375                         )
376
377                         painter.drawPixmap(iconRect, icon)
378
379                 if text:
380                         if isSelected:
381                                 if action.isEnabled():
382                                         pen = self.palette.highlightedText()
383                                         brush = self.palette.highlight()
384                                 else:
385                                         pen = self.palette.mid()
386                                         brush = self.palette.window()
387                         else:
388                                 if action.isEnabled():
389                                         pen = self.palette.windowText()
390                                 else:
391                                         pen = self.palette.mid()
392                                 brush = self.palette.window()
393
394                         leftX = x - averageWidth + iconWidth
395                         topY = y + textHeight/2
396                         painter.setPen(pen.color())
397                         painter.setBrush(brush)
398                         painter.drawText(leftX, topY, text)
399
400         def _paint_center_background(self, painter, adjustmentRect, selectionIndex):
401                 dark = self.palette.mid().color()
402                 light = self.palette.light().color()
403                 if selectionIndex == PieFiling.SELECTION_CENTER and self._filing.center().isEnabled():
404                         background = self.palette.highlight().color()
405                 else:
406                         background = self.palette.window().color()
407
408                 innerRadius = self._cachedInnerRadius
409                 adjustmentCenterPos = adjustmentRect.center()
410                 innerRect = QtCore.QRect(
411                         adjustmentCenterPos.x() - innerRadius,
412                         adjustmentCenterPos.y() - innerRadius,
413                         innerRadius * 2 + 1,
414                         innerRadius * 2 + 1,
415                 )
416
417                 painter.setPen(QtCore.Qt.NoPen)
418                 painter.setBrush(background)
419                 painter.drawPie(innerRect, 0, 360 * 16)
420
421                 painter.setPen(QtGui.QPen(dark, 1))
422                 painter.setBrush(QtCore.Qt.NoBrush)
423                 painter.drawEllipse(innerRect)
424
425                 if self.DEFAULT_SHAPE == self.SHAPE_SQUARE:
426                         pass
427                 elif self.DEFAULT_SHAPE == self.SHAPE_CIRCLE:
428                         painter.setPen(QtGui.QPen(dark, 1))
429                         painter.setBrush(QtCore.Qt.NoBrush)
430                         painter.drawEllipse(adjustmentRect)
431                 else:
432                         raise NotImplementedError(self.DEFAULT_SHAPE)
433
434         def _paint_center_foreground(self, painter, selectionIndex):
435                 centerPos = self._canvas.rect().center()
436                 pieX = centerPos.x()
437                 pieY = centerPos.y()
438
439                 x = pieX
440                 y = pieY
441
442                 self._paint_label(
443                         painter,
444                         self._filing.center().action(),
445                         selectionIndex == PieFiling.SELECTION_CENTER,
446                         x, y
447                 )
448
449
450 class QPieDisplay(QtGui.QWidget):
451
452         def __init__(self, filing, parent = None, flags = QtCore.Qt.Window):
453                 QtGui.QWidget.__init__(self, parent, flags)
454                 self._filing = filing
455                 self._artist = PieArtist(self._filing)
456                 self._selectionIndex = PieFiling.SELECTION_NONE
457
458         def popup(self, pos):
459                 self._update_selection(pos)
460                 self.show()
461
462         def sizeHint(self):
463                 return self._artist.pieSize()
464
465         @misc_utils.log_exception(_moduleLogger)
466         def showEvent(self, showEvent):
467                 mask = self._artist.show(self.palette())
468                 self.setMask(mask)
469
470                 QtGui.QWidget.showEvent(self, showEvent)
471
472         @misc_utils.log_exception(_moduleLogger)
473         def hideEvent(self, hideEvent):
474                 self._artist.hide()
475                 self._selectionIndex = PieFiling.SELECTION_NONE
476                 QtGui.QWidget.hideEvent(self, hideEvent)
477
478         @misc_utils.log_exception(_moduleLogger)
479         def paintEvent(self, paintEvent):
480                 canvas = self._artist.paint(self._selectionIndex)
481
482                 screen = QtGui.QPainter(self)
483                 screen.drawPixmap(QtCore.QPoint(0, 0), canvas)
484
485                 QtGui.QWidget.paintEvent(self, paintEvent)
486
487         def selectAt(self, index):
488                 oldIndex = self._selectionIndex
489                 self._selectionIndex = index
490                 if self.isVisible():
491                         self.update()
492
493
494 class QPieButton(QtGui.QWidget):
495
496         activated = QtCore.pyqtSignal(int)
497         highlighted = QtCore.pyqtSignal(int)
498         canceled = QtCore.pyqtSignal()
499         aboutToShow = QtCore.pyqtSignal()
500         aboutToHide = QtCore.pyqtSignal()
501
502         BUTTON_RADIUS = 24
503         DELAY = 250
504
505         def __init__(self, buttonSlice, parent = None):
506                 # @bug Artifacts on Maemo 5 due to window 3D effects, find way to disable them for just these?
507                 # @bug The pie's are being pushed back on screen on Maemo, leading to coordinate issues
508                 QtGui.QWidget.__init__(self, parent)
509                 self._cachedCenterPosition = self.rect().center()
510
511                 self._filing = PieFiling()
512                 self._display = QPieDisplay(self._filing, None, QtCore.Qt.SplashScreen)
513                 self._selectionIndex = PieFiling.SELECTION_NONE
514
515                 self._buttonFiling = PieFiling()
516                 self._buttonFiling.set_center(buttonSlice)
517                 self._buttonFiling.setOuterRadius(self.BUTTON_RADIUS)
518                 self._buttonArtist = PieArtist(self._buttonFiling)
519                 self._poppedUp = False
520
521                 self._delayPopupTimer = QtCore.QTimer()
522                 self._delayPopupTimer.setInterval(self.DELAY)
523                 self._delayPopupTimer.setSingleShot(True)
524                 self._delayPopupTimer.timeout.connect(self._on_delayed_popup)
525                 self._popupLocation = None
526
527                 self._mousePosition = None
528                 self.setFocusPolicy(QtCore.Qt.StrongFocus)
529                 self.setSizePolicy(
530                         QtGui.QSizePolicy(
531                                 QtGui.QSizePolicy.MinimumExpanding,
532                                 QtGui.QSizePolicy.MinimumExpanding,
533                         )
534                 )
535
536         def insertItem(self, item, index = -1):
537                 self._filing.insertItem(item, index)
538
539         def removeItemAt(self, index):
540                 self._filing.removeItemAt(index)
541
542         def set_center(self, item):
543                 self._filing.set_center(item)
544
545         def set_button(self, item):
546                 self.update()
547
548         def clear(self):
549                 self._filing.clear()
550
551         def itemAt(self, index):
552                 return self._filing.itemAt(index)
553
554         def indexAt(self, point):
555                 return self._filing.indexAt(self._cachedCenterPosition, point)
556
557         def innerRadius(self):
558                 return self._filing.innerRadius()
559
560         def setInnerRadius(self, radius):
561                 self._filing.setInnerRadius(radius)
562
563         def outerRadius(self):
564                 return self._filing.outerRadius()
565
566         def setOuterRadius(self, radius):
567                 self._filing.setOuterRadius(radius)
568
569         def buttonRadius(self):
570                 return self._buttonFiling.outerRadius()
571
572         def setButtonRadius(self, radius):
573                 self._buttonFiling.setOuterRadius(radius)
574                 self._buttonArtist.show(self.palette())
575
576         def sizeHint(self):
577                 return self._buttonArtist.pieSize()
578
579         def minimumSizeHint(self):
580                 return self._buttonArtist.centerSize()
581
582         @misc_utils.log_exception(_moduleLogger)
583         def mousePressEvent(self, mouseEvent):
584                 lastSelection = self._selectionIndex
585
586                 lastMousePos = mouseEvent.pos()
587                 self._mousePosition = lastMousePos
588                 self._update_selection(self._cachedCenterPosition)
589
590                 self.highlighted.emit(self._selectionIndex)
591
592                 self._display.selectAt(self._selectionIndex)
593                 self._popupLocation = mouseEvent.globalPos()
594                 self._delayPopupTimer.start()
595
596         @QtCore.pyqtSlot()
597         @misc_utils.log_exception(_moduleLogger)
598         def _on_delayed_popup(self):
599                 assert self._popupLocation is not None
600                 self._popup_child(self._popupLocation)
601
602         @misc_utils.log_exception(_moduleLogger)
603         def mouseMoveEvent(self, mouseEvent):
604                 lastSelection = self._selectionIndex
605
606                 lastMousePos = mouseEvent.pos()
607                 if self._mousePosition is None:
608                         # Absolute
609                         self._update_selection(lastMousePos)
610                 else:
611                         # Relative
612                         self._update_selection(
613                                 self._cachedCenterPosition + (lastMousePos - self._mousePosition),
614                                 ignoreOuter = True,
615                         )
616
617                 if lastSelection != self._selectionIndex:
618                         self.highlighted.emit(self._selectionIndex)
619                         self._display.selectAt(self._selectionIndex)
620
621                 if self._selectionIndex != PieFiling.SELECTION_CENTER and self._delayPopupTimer.isActive():
622                         self._on_delayed_popup()
623
624         @misc_utils.log_exception(_moduleLogger)
625         def mouseReleaseEvent(self, mouseEvent):
626                 self._delayPopupTimer.stop()
627                 self._popupLocation = None
628
629                 lastSelection = self._selectionIndex
630
631                 lastMousePos = mouseEvent.pos()
632                 if self._mousePosition is None:
633                         # Absolute
634                         self._update_selection(lastMousePos)
635                 else:
636                         # Relative
637                         self._update_selection(
638                                 self._cachedCenterPosition + (lastMousePos - self._mousePosition),
639                                 ignoreOuter = True,
640                         )
641                 self._mousePosition = None
642
643                 self._activate_at(self._selectionIndex)
644                 self._hide_child()
645
646         @misc_utils.log_exception(_moduleLogger)
647         def keyPressEvent(self, keyEvent):
648                 if keyEvent.key() in [QtCore.Qt.Key_Right, QtCore.Qt.Key_Down, QtCore.Qt.Key_Tab]:
649                         self._popup_child(QtGui.QCursor.pos())
650                         if self._selectionIndex != len(self._filing) - 1:
651                                 nextSelection = self._selectionIndex + 1
652                         else:
653                                 nextSelection = 0
654                         self._select_at(nextSelection)
655                         self._display.selectAt(self._selectionIndex)
656                 elif keyEvent.key() in [QtCore.Qt.Key_Left, QtCore.Qt.Key_Up, QtCore.Qt.Key_Backtab]:
657                         self._popup_child(QtGui.QCursor.pos())
658                         if 0 < self._selectionIndex:
659                                 nextSelection = self._selectionIndex - 1
660                         else:
661                                 nextSelection = len(self._filing) - 1
662                         self._select_at(nextSelection)
663                         self._display.selectAt(self._selectionIndex)
664                 elif keyEvent.key() in [QtCore.Qt.Key_Space]:
665                         self._popup_child(QtGui.QCursor.pos())
666                         self._select_at(PieFiling.SELECTION_CENTER)
667                         self._display.selectAt(self._selectionIndex)
668                 elif keyEvent.key() in [QtCore.Qt.Key_Return, QtCore.Qt.Key_Enter, QtCore.Qt.Key_Space]:
669                         self._delayPopupTimer.stop()
670                         self._popupLocation = None
671                         self._activate_at(self._selectionIndex)
672                         self._hide_child()
673                 elif keyEvent.key() in [QtCore.Qt.Key_Escape, QtCore.Qt.Key_Backspace]:
674                         self._delayPopupTimer.stop()
675                         self._popupLocation = None
676                         self._activate_at(PieFiling.SELECTION_NONE)
677                         self._hide_child()
678                 else:
679                         QtGui.QWidget.keyPressEvent(self, keyEvent)
680
681         @misc_utils.log_exception(_moduleLogger)
682         def resizeEvent(self, resizeEvent):
683                 self.setButtonRadius(min(resizeEvent.size().width(), resizeEvent.size().height()) / 2 - 1)
684                 QtGui.QWidget.resizeEvent(self, resizeEvent)
685
686         @misc_utils.log_exception(_moduleLogger)
687         def showEvent(self, showEvent):
688                 self._buttonArtist.show(self.palette())
689                 self._cachedCenterPosition = self.rect().center()
690
691                 QtGui.QWidget.showEvent(self, showEvent)
692
693         @misc_utils.log_exception(_moduleLogger)
694         def hideEvent(self, hideEvent):
695                 self._display.hide()
696                 self._select_at(PieFiling.SELECTION_NONE)
697                 QtGui.QWidget.hideEvent(self, hideEvent)
698
699         @misc_utils.log_exception(_moduleLogger)
700         def paintEvent(self, paintEvent):
701                 self.setButtonRadius(min(self.rect().width(), self.rect().height()) / 2 - 1)
702                 if self._poppedUp:
703                         canvas = self._buttonArtist.paint(PieFiling.SELECTION_CENTER)
704                 else:
705                         canvas = self._buttonArtist.paint(PieFiling.SELECTION_NONE)
706
707                 screen = QtGui.QPainter(self)
708                 screen.drawPixmap(QtCore.QPoint(0, 0), canvas)
709
710                 QtGui.QWidget.paintEvent(self, paintEvent)
711
712         def __iter__(self):
713                 return iter(self._filing)
714
715         def __len__(self):
716                 return len(self._filing)
717
718         def _popup_child(self, position):
719                 self._poppedUp = True
720                 self.aboutToShow.emit()
721
722                 self._delayPopupTimer.stop()
723                 self._popupLocation = None
724
725                 position = position - QtCore.QPoint(self._filing.outerRadius(), self._filing.outerRadius())
726                 self._display.move(position)
727                 self._display.show()
728
729                 self.update()
730
731         def _hide_child(self):
732                 self._poppedUp = False
733                 self.aboutToHide.emit()
734                 self._display.hide()
735                 self.update()
736
737         def _select_at(self, index):
738                 self._selectionIndex = index
739
740         def _update_selection(self, lastMousePos, ignoreOuter = False):
741                 radius = _radius_at(self._cachedCenterPosition, lastMousePos)
742                 if radius < self._filing.innerRadius():
743                         self._select_at(PieFiling.SELECTION_CENTER)
744                 elif radius <= self._filing.outerRadius() or ignoreOuter:
745                         self._select_at(self.indexAt(lastMousePos))
746                 else:
747                         self._select_at(PieFiling.SELECTION_NONE)
748
749         def _activate_at(self, index):
750                 if index == PieFiling.SELECTION_NONE:
751                         self.canceled.emit()
752                         return
753                 elif index == PieFiling.SELECTION_CENTER:
754                         child = self._filing.center()
755                 else:
756                         child = self.itemAt(index)
757
758                 if child.action().isEnabled():
759                         child.action().trigger()
760                         self.activated.emit(index)
761                 else:
762                         self.canceled.emit()
763
764
765 class QPieMenu(QtGui.QWidget):
766
767         activated = QtCore.pyqtSignal(int)
768         highlighted = QtCore.pyqtSignal(int)
769         canceled = QtCore.pyqtSignal()
770         aboutToShow = QtCore.pyqtSignal()
771         aboutToHide = QtCore.pyqtSignal()
772
773         def __init__(self, parent = None):
774                 QtGui.QWidget.__init__(self, parent)
775                 self._cachedCenterPosition = self.rect().center()
776
777                 self._filing = PieFiling()
778                 self._artist = PieArtist(self._filing)
779                 self._selectionIndex = PieFiling.SELECTION_NONE
780
781                 self._mousePosition = ()
782                 self.setFocusPolicy(QtCore.Qt.StrongFocus)
783
784         def popup(self, pos):
785                 self._update_selection(pos)
786                 self.show()
787
788         def insertItem(self, item, index = -1):
789                 self._filing.insertItem(item, index)
790                 self.update()
791
792         def removeItemAt(self, index):
793                 self._filing.removeItemAt(index)
794                 self.update()
795
796         def set_center(self, item):
797                 self._filing.set_center(item)
798                 self.update()
799
800         def clear(self):
801                 self._filing.clear()
802                 self.update()
803
804         def itemAt(self, index):
805                 return self._filing.itemAt(index)
806
807         def indexAt(self, point):
808                 return self._filing.indexAt(self._cachedCenterPosition, point)
809
810         def innerRadius(self):
811                 return self._filing.innerRadius()
812
813         def setInnerRadius(self, radius):
814                 self._filing.setInnerRadius(radius)
815                 self.update()
816
817         def outerRadius(self):
818                 return self._filing.outerRadius()
819
820         def setOuterRadius(self, radius):
821                 self._filing.setOuterRadius(radius)
822                 self.update()
823
824         def sizeHint(self):
825                 return self._artist.pieSize()
826
827         @misc_utils.log_exception(_moduleLogger)
828         def mousePressEvent(self, mouseEvent):
829                 lastSelection = self._selectionIndex
830
831                 lastMousePos = mouseEvent.pos()
832                 self._update_selection(lastMousePos)
833                 self._mousePosition = lastMousePos
834
835                 if lastSelection != self._selectionIndex:
836                         self.highlighted.emit(self._selectionIndex)
837                         self.update()
838
839         @misc_utils.log_exception(_moduleLogger)
840         def mouseMoveEvent(self, mouseEvent):
841                 lastSelection = self._selectionIndex
842
843                 lastMousePos = mouseEvent.pos()
844                 self._update_selection(lastMousePos)
845
846                 if lastSelection != self._selectionIndex:
847                         self.highlighted.emit(self._selectionIndex)
848                         self.update()
849
850         @misc_utils.log_exception(_moduleLogger)
851         def mouseReleaseEvent(self, mouseEvent):
852                 lastSelection = self._selectionIndex
853
854                 lastMousePos = mouseEvent.pos()
855                 self._update_selection(lastMousePos)
856                 self._mousePosition = ()
857
858                 self._activate_at(self._selectionIndex)
859                 self.update()
860
861         @misc_utils.log_exception(_moduleLogger)
862         def keyPressEvent(self, keyEvent):
863                 if keyEvent.key() in [QtCore.Qt.Key_Right, QtCore.Qt.Key_Down, QtCore.Qt.Key_Tab]:
864                         if self._selectionIndex != len(self._filing) - 1:
865                                 nextSelection = self._selectionIndex + 1
866                         else:
867                                 nextSelection = 0
868                         self._select_at(nextSelection)
869                         self.update()
870                 elif keyEvent.key() in [QtCore.Qt.Key_Left, QtCore.Qt.Key_Up, QtCore.Qt.Key_Backtab]:
871                         if 0 < self._selectionIndex:
872                                 nextSelection = self._selectionIndex - 1
873                         else:
874                                 nextSelection = len(self._filing) - 1
875                         self._select_at(nextSelection)
876                         self.update()
877                 elif keyEvent.key() in [QtCore.Qt.Key_Return, QtCore.Qt.Key_Enter, QtCore.Qt.Key_Space]:
878                         self._activate_at(self._selectionIndex)
879                 elif keyEvent.key() in [QtCore.Qt.Key_Escape, QtCore.Qt.Key_Backspace]:
880                         self._activate_at(PieFiling.SELECTION_NONE)
881                 else:
882                         QtGui.QWidget.keyPressEvent(self, keyEvent)
883
884         @misc_utils.log_exception(_moduleLogger)
885         def showEvent(self, showEvent):
886                 self.aboutToShow.emit()
887                 self._cachedCenterPosition = self.rect().center()
888
889                 mask = self._artist.show(self.palette())
890                 self.setMask(mask)
891
892                 lastMousePos = self.mapFromGlobal(QtGui.QCursor.pos())
893                 self._update_selection(lastMousePos)
894
895                 QtGui.QWidget.showEvent(self, showEvent)
896
897         @misc_utils.log_exception(_moduleLogger)
898         def hideEvent(self, hideEvent):
899                 self._artist.hide()
900                 self._selectionIndex = PieFiling.SELECTION_NONE
901                 QtGui.QWidget.hideEvent(self, hideEvent)
902
903         @misc_utils.log_exception(_moduleLogger)
904         def paintEvent(self, paintEvent):
905                 canvas = self._artist.paint(self._selectionIndex)
906
907                 screen = QtGui.QPainter(self)
908                 screen.drawPixmap(QtCore.QPoint(0, 0), canvas)
909
910                 QtGui.QWidget.paintEvent(self, paintEvent)
911
912         def __iter__(self):
913                 return iter(self._filing)
914
915         def __len__(self):
916                 return len(self._filing)
917
918         def _select_at(self, index):
919                 self._selectionIndex = index
920
921         def _update_selection(self, lastMousePos):
922                 radius = _radius_at(self._cachedCenterPosition, lastMousePos)
923                 if radius < self._filing.innerRadius():
924                         self._selectionIndex = PieFiling.SELECTION_CENTER
925                 elif radius <= self._filing.outerRadius():
926                         self._select_at(self.indexAt(lastMousePos))
927                 else:
928                         self._selectionIndex = PieFiling.SELECTION_NONE
929
930         def _activate_at(self, index):
931                 if index == PieFiling.SELECTION_NONE:
932                         self.canceled.emit()
933                         self.aboutToHide.emit()
934                         self.hide()
935                         return
936                 elif index == PieFiling.SELECTION_CENTER:
937                         child = self._filing.center()
938                 else:
939                         child = self.itemAt(index)
940
941                 if child.isEnabled():
942                         child.action().trigger()
943                         self.activated.emit(index)
944                 else:
945                         self.canceled.emit()
946                 self.aboutToHide.emit()
947                 self.hide()
948
949
950 def init_pies():
951         PieFiling.NULL_CENTER.setEnabled(False)
952
953
954 def _print(msg):
955         print msg
956
957
958 def _on_about_to_hide(app):
959         app.exit()
960
961
962 if __name__ == "__main__":
963         app = QtGui.QApplication([])
964         init_pies()
965
966         if False:
967                 pie = QPieMenu()
968                 pie.show()
969
970         if False:
971                 singleAction = QtGui.QAction(None)
972                 singleAction.setText("Boo")
973                 singleItem = QActionPieItem(singleAction)
974                 spie = QPieMenu()
975                 spie.insertItem(singleItem)
976                 spie.show()
977
978         if False:
979                 oneAction = QtGui.QAction(None)
980                 oneAction.setText("Chew")
981                 oneItem = QActionPieItem(oneAction)
982                 twoAction = QtGui.QAction(None)
983                 twoAction.setText("Foo")
984                 twoItem = QActionPieItem(twoAction)
985                 iconTextAction = QtGui.QAction(None)
986                 iconTextAction.setText("Icon")
987                 iconTextAction.setIcon(QtGui.QIcon.fromTheme("gtk-close"))
988                 iconTextItem = QActionPieItem(iconTextAction)
989                 mpie = QPieMenu()
990                 mpie.insertItem(oneItem)
991                 mpie.insertItem(twoItem)
992                 mpie.insertItem(oneItem)
993                 mpie.insertItem(iconTextItem)
994                 mpie.show()
995
996         if True:
997                 oneAction = QtGui.QAction(None)
998                 oneAction.setText("Chew")
999                 oneAction.triggered.connect(lambda: _print("Chew"))
1000                 oneItem = QActionPieItem(oneAction)
1001                 twoAction = QtGui.QAction(None)
1002                 twoAction.setText("Foo")
1003                 twoAction.triggered.connect(lambda: _print("Foo"))
1004                 twoItem = QActionPieItem(twoAction)
1005                 iconAction = QtGui.QAction(None)
1006                 iconAction.setIcon(QtGui.QIcon.fromTheme("gtk-open"))
1007                 iconAction.triggered.connect(lambda: _print("Icon"))
1008                 iconItem = QActionPieItem(iconAction)
1009                 iconTextAction = QtGui.QAction(None)
1010                 iconTextAction.setText("Icon")
1011                 iconTextAction.setIcon(QtGui.QIcon.fromTheme("gtk-close"))
1012                 iconTextAction.triggered.connect(lambda: _print("Icon and text"))
1013                 iconTextItem = QActionPieItem(iconTextAction)
1014                 mpie = QPieMenu()
1015                 mpie.set_center(iconItem)
1016                 mpie.insertItem(oneItem)
1017                 mpie.insertItem(twoItem)
1018                 mpie.insertItem(oneItem)
1019                 mpie.insertItem(iconTextItem)
1020                 mpie.show()
1021                 mpie.aboutToHide.connect(lambda: _on_about_to_hide(app))
1022                 mpie.canceled.connect(lambda: _print("Canceled"))
1023
1024         if False:
1025                 oneAction = QtGui.QAction(None)
1026                 oneAction.setText("Chew")
1027                 oneAction.triggered.connect(lambda: _print("Chew"))
1028                 oneItem = QActionPieItem(oneAction)
1029                 twoAction = QtGui.QAction(None)
1030                 twoAction.setText("Foo")
1031                 twoAction.triggered.connect(lambda: _print("Foo"))
1032                 twoItem = QActionPieItem(twoAction)
1033                 iconAction = QtGui.QAction(None)
1034                 iconAction.setIcon(QtGui.QIcon.fromTheme("gtk-open"))
1035                 iconAction.triggered.connect(lambda: _print("Icon"))
1036                 iconItem = QActionPieItem(iconAction)
1037                 iconTextAction = QtGui.QAction(None)
1038                 iconTextAction.setText("Icon")
1039                 iconTextAction.setIcon(QtGui.QIcon.fromTheme("gtk-close"))
1040                 iconTextAction.triggered.connect(lambda: _print("Icon and text"))
1041                 iconTextItem = QActionPieItem(iconTextAction)
1042                 pieFiling = PieFiling()
1043                 pieFiling.set_center(iconItem)
1044                 pieFiling.insertItem(oneItem)
1045                 pieFiling.insertItem(twoItem)
1046                 pieFiling.insertItem(oneItem)
1047                 pieFiling.insertItem(iconTextItem)
1048                 mpie = QPieDisplay(pieFiling)
1049                 mpie.show()
1050
1051         if False:
1052                 oneAction = QtGui.QAction(None)
1053                 oneAction.setText("Chew")
1054                 oneAction.triggered.connect(lambda: _print("Chew"))
1055                 oneItem = QActionPieItem(oneAction)
1056                 twoAction = QtGui.QAction(None)
1057                 twoAction.setText("Foo")
1058                 twoAction.triggered.connect(lambda: _print("Foo"))
1059                 twoItem = QActionPieItem(twoAction)
1060                 iconAction = QtGui.QAction(None)
1061                 iconAction.setIcon(QtGui.QIcon.fromTheme("gtk-open"))
1062                 iconAction.triggered.connect(lambda: _print("Icon"))
1063                 iconItem = QActionPieItem(iconAction)
1064                 iconTextAction = QtGui.QAction(None)
1065                 iconTextAction.setText("Icon")
1066                 iconTextAction.setIcon(QtGui.QIcon.fromTheme("gtk-close"))
1067                 iconTextAction.triggered.connect(lambda: _print("Icon and text"))
1068                 iconTextItem = QActionPieItem(iconTextAction)
1069                 mpie = QPieButton(iconItem)
1070                 mpie.set_center(iconItem)
1071                 mpie.insertItem(oneItem)
1072                 mpie.insertItem(twoItem)
1073                 mpie.insertItem(oneItem)
1074                 mpie.insertItem(iconTextItem)
1075                 mpie.show()
1076                 mpie.aboutToHide.connect(lambda: _on_about_to_hide(app))
1077                 mpie.canceled.connect(lambda: _print("Canceled"))
1078
1079         app.exec_()