]> git.saurik.com Git - wxWidgets.git/blame - wxPython/wx/lib/pubsub.py
Added SetSashPosition
[wxWidgets.git] / wxPython / wx / lib / pubsub.py
CommitLineData
d1e05453 1
d14a1e28
RD
2#---------------------------------------------------------------------------
3"""
d1e05453
RD
4This module provides a publish-subscribe component that allows
5listeners to subcribe to messages of a given topic. Contrary to the
0cdd86d6
RD
6original wxPython.lib.pubsub module (which it is based on), it uses
7weak referencing to the subscribers so the lifetime of subscribers
8is not affected by Publisher. Also, callable objects can be used in
9addition to functions and bound methods. See Publisher class docs for
10more details.
d1e05453
RD
11
12Thanks to Robb Shecter and Robin Dunn for having provided
13the basis for this module (which now shares most of the concepts but
14very little design or implementation with the original
15wxPython.lib.pubsub).
16
0cdd86d6
RD
17The publisher is a singleton instance of the PublisherClass class. You
18access the instance via the Publisher object available from the module::
19
20 from wx.lib.pubsub import Publisher
21 Publisher().subscribe(...)
22 Publisher().sendMessage(...)
23 ...
24
d1e05453
RD
25:Author: Oliver Schoenborn
26:Since: Apr 2004
27:Version: $Id$
28:Copyright: \(c) 2004 Oliver Schoenborn
29:License: wxWidgets
0cdd86d6 30"""
d1e05453 31
0cdd86d6 32_implNotes = """
d1e05453
RD
33Implementation notes
34--------------------
35
36In class Publisher, I represent the topics-listener set as a tree
37where each node is a topic, and contains a list of listeners of that
38topic, and a dictionary of subtopics of that topic. When the Publisher
39is told to send a message for a given topic, it traverses the tree
40down to the topic for which a message is being generated, all
41listeners on the way get sent the message.
42
43Publisher currently uses a weak listener topic tree to store the
44topics for each listener, and if a listener dies before being
45unsubscribed, the tree is notified, and the tree eliminates the
46listener from itself.
47
48Ideally, _TopicTreeNode would be a generic _TreeNode with named
49subnodes, and _TopicTreeRoot would be a generic _Tree with named
50nodes, and Publisher would store listeners in each node and a topic
51tuple would be converted to a path in the tree. This would lead to a
b0429a40 52much cleaner separation of concerns. But time is over, time to move on.
d1e05453
RD
53"""
54#---------------------------------------------------------------------------
1fded56b 55
d1e05453
RD
56# for function and method parameter counting:
57from types import InstanceType
58from inspect import getargspec, ismethod, isfunction
59# for weakly bound methods:
60from new import instancemethod as InstanceMethod
61from weakref import ref as WeakRef
d14a1e28 62
d1e05453 63# -----------------------------------------------------------------------------
d14a1e28 64
d1e05453
RD
65def _isbound(method):
66 """Return true if method is a bound method, false otherwise"""
67 assert ismethod(method)
68 return method.im_self is not None
d14a1e28 69
d14a1e28 70
d1e05453
RD
71def _paramMinCountFunc(function):
72 """Given a function, return pair (min,d) where min is minimum # of
73 args required, and d is number of default arguments."""
74 assert isfunction(function)
75 (args, va, kwa, dflt) = getargspec(function)
76 lenDef = len(dflt or ())
0cdd86d6
RD
77 lenArgs = len(args or ())
78 lenVA = int(va is not None)
79 return (lenArgs - lenDef + lenVA, lenDef)
d14a1e28 80
d1e05453
RD
81
82def _paramMinCount(callableObject):
83 """
84 Given a callable object (function, method or callable instance),
85 return pair (min,d) where min is minimum # of args required, and d
86 is number of default arguments. The 'self' parameter, in the case
87 of methods, is not counted.
88 """
89 if type(callableObject) is InstanceType:
90 min, d = _paramMinCountFunc(callableObject.__call__.im_func)
91 return min-1, d
92 elif ismethod(callableObject):
93 min, d = _paramMinCountFunc(callableObject.im_func)
94 return min-1, d
95 elif isfunction(callableObject):
96 return _paramMinCountFunc(callableObject)
97 else:
98 raise 'Cannot determine type of callable: '+repr(callableObject)
99
100
101def _tupleize(items):
102 """Convert items to tuple if not already one,
103 so items must be a list, tuple or non-sequence"""
b0429a40 104 if isinstance(items, list):
d1e05453 105 raise TypeError, 'Not allowed to tuple-ize a list'
b0429a40
RD
106 elif isinstance(items, (str, unicode)) and items.find('.') != -1:
107 items = tuple(items.split('.'))
108 elif not isinstance(items, tuple):
d1e05453
RD
109 items = (items,)
110 return items
111
112
113def _getCallableName(callable):
114 """Get name for a callable, ie function, bound
115 method or callable instance"""
116 if ismethod(callable):
117 return '%s.%s ' % (callable.im_self, callable.im_func.func_name)
118 elif isfunction(callable):
119 return '%s ' % callable.__name__
120 else:
121 return '%s ' % callable
122
123
124def _removeItem(item, fromList):
125 """Attempt to remove item from fromList, return true
126 if successful, false otherwise."""
127 try:
128 fromList.remove(item)
129 return True
130 except ValueError:
131 return False
132
133
134# -----------------------------------------------------------------------------
135
136class _WeakMethod:
137 """Represent a weak bound method, i.e. a method doesn't keep alive the
138 object that it is bound to. It uses WeakRef which, used on its own,
139 produces weak methods that are dead on creation, not very useful.
140 Typically, you will use the getRef() function instead of using
141 this class directly. """
142
143 def __init__(self, method, notifyDead = None):
144 """The method must be bound. notifyDead will be called when
145 object that method is bound to dies. """
146 assert ismethod(method)
147 if method.im_self is None:
148 raise ValueError, "We need a bound method!"
149 if notifyDead is None:
150 self.objRef = WeakRef(method.im_self)
151 else:
152 self.objRef = WeakRef(method.im_self, notifyDead)
153 self.fun = method.im_func
154 self.cls = method.im_class
155
156 def __call__(self):
157 """Returns a new.instancemethod if object for method still alive.
158 Otherwise return None. Note that instancemethod causes a
159 strong reference to object to be created, so shouldn't save
160 the return value of this call. Note also that this __call__
161 is required only for compatibility with WeakRef.ref(), otherwise
162 there would be more efficient ways of providing this functionality."""
163 if self.objRef() is None:
164 return None
165 else:
166 return InstanceMethod(self.fun, self.objRef(), self.cls)
167
0cdd86d6
RD
168 def __eq__(self, method2):
169 """Two WeakMethod objects compare equal if they refer to the same method
170 of the same instance. Thanks to Josiah Carlson for patch and clarifications
171 on how dict uses eq/cmp and hashing. """
172 if not isinstance(method2, _WeakMethod):
173 return False
174 return self.fun is method2.fun \
175 and self.objRef() is method2.objRef() \
176 and self.objRef() is not None
d1e05453
RD
177
178 def __hash__(self):
0cdd86d6
RD
179 """Hash is an optimization for dict searches, it need not
180 return different numbers for every different object. Some objects
181 are not hashable (eg objects of classes derived from dict) so no
182 hash(objRef()) in there, and hash(self.cls) would only be useful
183 in the rare case where instance method was rebound. """
184 return hash(self.fun)
d1e05453
RD
185
186 def __repr__(self):
187 dead = ''
188 if self.objRef() is None:
189 dead = '; DEAD'
190 obj = '<%s at %s%s>' % (self.__class__, id(self), dead)
191 return obj
192
193 def refs(self, weakRef):
194 """Return true if we are storing same object referred to by weakRef."""
195 return self.objRef == weakRef
196
197
198def _getWeakRef(obj, notifyDead=None):
199 """Get a weak reference to obj. If obj is a bound method, a _WeakMethod
200 object, that behaves like a WeakRef, is returned, if it is
201 anything else a WeakRef is returned. If obj is an unbound method,
202 a ValueError will be raised."""
203 if ismethod(obj):
204 createRef = _WeakMethod
205 else:
206 createRef = WeakRef
207
208 if notifyDead is None:
209 return createRef(obj)
210 else:
211 return createRef(obj, notifyDead)
212
213
214# -----------------------------------------------------------------------------
215
216def getStrAllTopics():
217 """Function to call if, for whatever reason, you need to know
218 explicitely what is the string to use to indicate 'all topics'."""
219 return ''
220
221
222# alias, easier to see where used
223ALL_TOPICS = getStrAllTopics()
224
225# -----------------------------------------------------------------------------
226
227
228class _NodeCallback:
229 """Encapsulate a weak reference to a method of a TopicTreeNode
230 in such a way that the method can be called, if the node is
231 still alive, but the callback does not *keep* the node alive.
232 Also, define two methods, preNotify() and noNotify(), which can
233 be redefined to something else, very useful for testing.
d14a1e28 234 """
d1e05453
RD
235
236 def __init__(self, obj):
237 self.objRef = _getWeakRef(obj)
238
239 def __call__(self, weakCB):
240 notify = self.objRef()
241 if notify is not None:
242 self.preNotify(weakCB)
243 notify(weakCB)
244 else:
245 self.noNotify()
246
247 def preNotify(self, dead):
248 """'Gets called just before our callback (self.objRef) is called"""
249 pass
250
251 def noNotify(self):
252 """Gets called if the TopicTreeNode for this callback is dead"""
253 pass
254
255
256class _TopicTreeNode:
257 """A node in the topic tree. This contains a list of callables
258 that are interested in the topic that this node is associated
259 with, and contains a dictionary of subtopics, whose associated
260 values are other _TopicTreeNodes. The topic of a node is not stored
261 in the node, so that the tree can be implemented as a dictionary
262 rather than a list, for ease of use (and, likely, performance).
263
264 Note that it uses _NodeCallback to encapsulate a callback for
265 when a registered listener dies, possible thanks to WeakRef.
266 Whenever this callback is called, the onDeadListener() function,
267 passed in at construction time, is called (unless it is None).
d14a1e28 268 """
d1e05453
RD
269
270 def __init__(self, topicPath, onDeadListenerWeakCB):
271 self.__subtopics = {}
272 self.__callables = []
273 self.__topicPath = topicPath
274 self.__onDeadListenerWeakCB = onDeadListenerWeakCB
275
276 def getPathname(self):
277 """The complete node path to us, ie., the topic tuple that would lead to us"""
278 return self.__topicPath
279
280 def createSubtopic(self, subtopic, topicPath):
281 """Create a child node for subtopic"""
282 return self.__subtopics.setdefault(subtopic,
283 _TopicTreeNode(topicPath, self.__onDeadListenerWeakCB))
284
285 def hasSubtopic(self, subtopic):
286 """Return true only if topic string is one of subtopics of this node"""
287 return self.__subtopics.has_key(subtopic)
288
289 def getNode(self, subtopic):
290 """Return ref to node associated with subtopic"""
291 return self.__subtopics[subtopic]
292
293 def addCallable(self, callable):
294 """Add a callable to list of callables for this topic node"""
295 try:
296 id = self.__callables.index(_getWeakRef(callable))
297 return self.__callables[id]
298 except ValueError:
299 wrCall = _getWeakRef(callable, _NodeCallback(self.__notifyDead))
300 self.__callables.append(wrCall)
301 return wrCall
302
303 def getCallables(self):
304 """Get callables associated with this topic node"""
305 return [cb() for cb in self.__callables if cb() is not None]
306
307 def hasCallable(self, callable):
308 """Return true if callable in this node"""
309 try:
310 self.__callables.index(_getWeakRef(callable))
311 return True
312 except ValueError:
313 return False
314
315 def sendMessage(self, message):
316 """Send a message to our callables"""
317 deliveryCount = 0
318 for cb in self.__callables:
319 listener = cb()
320 if listener is not None:
321 listener(message)
322 deliveryCount += 1
323 return deliveryCount
324
325 def removeCallable(self, callable):
326 """Remove weak callable from our node (and return True).
327 Does nothing if not here (and returns False)."""
328 try:
329 self.__callables.remove(_getWeakRef(callable))
330 return True
331 except ValueError:
332 return False
333
334 def clearCallables(self):
335 """Abandon list of callables to caller. We no longer have
336 any callables after this method is called."""
337 tmpList = [cb for cb in self.__callables if cb() is not None]
338 self.__callables = []
339 return tmpList
340
341 def __notifyDead(self, dead):
342 """Gets called when a listener dies, thanks to WeakRef"""
343 #print 'TreeNODE', `self`, 'received death certificate for ', dead
344 self.__cleanupDead()
345 if self.__onDeadListenerWeakCB is not None:
346 cb = self.__onDeadListenerWeakCB()
347 if cb is not None:
348 cb(dead)
349
350 def __cleanupDead(self):
351 """Remove all dead objects from list of callables"""
352 self.__callables = [cb for cb in self.__callables if cb() is not None]
353
354 def __str__(self):
355 """Print us in a not-so-friendly, but readable way, good for debugging."""
356 strVal = []
357 for callable in self.getCallables():
358 strVal.append(_getCallableName(callable))
359 for topic, node in self.__subtopics.iteritems():
360 strVal.append(' (%s: %s)' %(topic, node))
361 return ''.join(strVal)
362
363
364class _TopicTreeRoot(_TopicTreeNode):
365 """
366 The root of the tree knows how to access other node of the
367 tree and is the gateway of the tree user to the tree nodes.
368 It can create topics, and and remove callbacks, etc.
369
370 For efficiency, it stores a dictionary of listener-topics,
371 so that unsubscribing a listener just requires finding the
372 topics associated to a listener, and finding the corresponding
373 nodes of the tree. Without it, unsubscribing would require
374 that we search the whole tree for all nodes that contain
375 given listener. Since Publisher is a singleton, it will
376 contain all topics in the system so it is likely to be a large
377 tree. However, it is possible that in some runs, unsubscribe()
378 is called very little by the user, in which case most unsubscriptions
379 are automatic, ie caused by the listeners dying. In this case,
380 a flag is set to indicate that the dictionary should be cleaned up
381 at the next opportunity. This is not necessary, it is just an
382 optimization.
383 """
384
d14a1e28 385 def __init__(self):
d1e05453
RD
386 self.__callbackDict = {}
387 self.__callbackDictCleanup = 0
388 # all child nodes will call our __rootNotifyDead method
389 # when one of their registered listeners dies
390 _TopicTreeNode.__init__(self, (ALL_TOPICS,),
391 _getWeakRef(self.__rootNotifyDead))
392
393 def addTopic(self, topic, listener):
394 """Add topic to tree if doesnt exist, and add listener to topic node"""
395 assert isinstance(topic, tuple)
396 topicNode = self.__getTreeNode(topic, make=True)
397 weakCB = topicNode.addCallable(listener)
398 assert topicNode.hasCallable(listener)
399
400 theList = self.__callbackDict.setdefault(weakCB, [])
401 assert self.__callbackDict.has_key(weakCB)
402 # add it only if we don't already have it
403 try:
404 weakTopicNode = WeakRef(topicNode)
405 theList.index(weakTopicNode)
406 except ValueError:
407 theList.append(weakTopicNode)
408 assert self.__callbackDict[weakCB].index(weakTopicNode) >= 0
409
410 def getTopics(self, listener):
411 """Return the list of topics for given listener"""
412 weakNodes = self.__callbackDict.get(_getWeakRef(listener), [])
413 return [weakNode().getPathname() for weakNode in weakNodes
414 if weakNode() is not None]
415
416 def isSubscribed(self, listener, topic=None):
417 """Return true if listener is registered for topic specified.
418 If no topic specified, return true if subscribed to something.
419 Use topic=getStrAllTopics() to determine if a listener will receive
420 messages for all topics."""
421 weakCB = _getWeakRef(listener)
422 if topic is None:
423 return self.__callbackDict.has_key(weakCB)
424 else:
425 topicPath = _tupleize(topic)
426 for weakNode in self.__callbackDict[weakCB]:
427 if topicPath == weakNode().getPathname():
428 return True
429 return False
430
431 def unsubscribe(self, listener, topicList):
432 """Remove listener from given list of topics. If topicList
433 doesn't have any topics for which listener has subscribed,
0cdd86d6 434 nothing happens."""
d1e05453
RD
435 weakCB = _getWeakRef(listener)
436 if not self.__callbackDict.has_key(weakCB):
437 return
438
439 cbNodes = self.__callbackDict[weakCB]
440 if topicList is None:
441 for weakNode in cbNodes:
442 weakNode().removeCallable(listener)
443 del self.__callbackDict[weakCB]
444 return
445
446 for weakNode in cbNodes:
447 node = weakNode()
448 if node is not None and node.getPathname() in topicList:
449 success = node.removeCallable(listener)
450 assert success == True
451 cbNodes.remove(weakNode)
452 assert not self.isSubscribed(listener, node.getPathname())
453
454 def unsubAll(self, topicList, onNoSuchTopic):
455 """Unsubscribe all listeners registered for any topic in
456 topicList. If a topic in the list does not exist, and
457 onNoSuchTopic is not None, a call
458 to onNoSuchTopic(topic) is done for that topic."""
459 for topic in topicList:
460 node = self.__getTreeNode(topic)
461 if node is not None:
462 weakCallables = node.clearCallables()
463 for callable in weakCallables:
464 weakNodes = self.__callbackDict[callable]
465 success = _removeItem(WeakRef(node), weakNodes)
466 assert success == True
467 if weakNodes == []:
468 del self.__callbackDict[callable]
469 elif onNoSuchTopic is not None:
470 onNoSuchTopic(topic)
471
472 def sendMessage(self, topic, message, onTopicNeverCreated):
473 """Send a message for given topic to all registered listeners. If
474 topic doesn't exist, call onTopicNeverCreated(topic)."""
475 # send to the all-toipcs listeners
476 deliveryCount = _TopicTreeNode.sendMessage(self, message)
477 # send to those who listen to given topic or any of its supertopics
478 node = self
479 for topicItem in topic:
480 assert topicItem != ''
481 if node.hasSubtopic(topicItem):
482 node = node.getNode(topicItem)
483 deliveryCount += node.sendMessage(message)
484 else: # topic never created, don't bother continuing
485 if onTopicNeverCreated is not None:
0cdd86d6 486 onTopicNeverCreated(topic)
d1e05453
RD
487 break
488 return deliveryCount
489
490 def numListeners(self):
491 """Return a pair (live, dead) with count of live and dead listeners in tree"""
492 dead, live = 0, 0
493 for cb in self.__callbackDict:
494 if cb() is None:
495 dead += 1
496 else:
497 live += 1
498 return live, dead
499
500 # clean up the callback dictionary after how many dead listeners
501 callbackDeadLimit = 10
502
503 def __rootNotifyDead(self, dead):
504 #print 'TreeROOT received death certificate for ', dead
505 self.__callbackDictCleanup += 1
506 if self.__callbackDictCleanup > _TopicTreeRoot.callbackDeadLimit:
507 self.__callbackDictCleanup = 0
508 oldDict = self.__callbackDict
509 self.__callbackDict = {}
510 for weakCB, weakNodes in oldDict.iteritems():
511 if weakCB() is not None:
512 self.__callbackDict[weakCB] = weakNodes
513
514 def __getTreeNode(self, topic, make=False):
515 """Return the tree node for 'topic' from the topic tree. If it
516 doesnt exist and make=True, create it first."""
517 # if the all-topics, give root;
518 if topic == (ALL_TOPICS,):
519 return self
520
521 # not root, so traverse tree
522 node = self
523 path = ()
524 for topicItem in topic:
525 path += (topicItem,)
526 if topicItem == ALL_TOPICS:
527 raise ValueError, 'Topic tuple must not contain ""'
528 if make:
529 node = node.createSubtopic(topicItem, path)
530 elif node.hasSubtopic(topicItem):
531 node = node.getNode(topicItem)
532 else:
533 return None
534 # done
535 return node
536
537 def printCallbacks(self):
538 strVal = ['Callbacks:\n']
539 for listener, weakTopicNodes in self.__callbackDict.iteritems():
540 topics = [topic() for topic in weakTopicNodes if topic() is not None]
541 strVal.append(' %s: %s\n' % (_getCallableName(listener()), topics))
542 return ''.join(strVal)
543
544 def __str__(self):
545 return 'all: %s' % _TopicTreeNode.__str__(self)
546
547
548# -----------------------------------------------------------------------------
d14a1e28 549
0cdd86d6
RD
550class _SingletonKey: pass
551
552class PublisherClass:
d1e05453
RD
553 """
554 The publish/subscribe manager. It keeps track of which listeners
555 are interested in which topics (see subscribe()), and sends a
556 Message for a given topic to listeners that have subscribed to
557 that topic, with optional user data (see sendMessage()).
558
559 The three important concepts for Publisher are:
560
561 - listener: a function, bound method or
0cdd86d6 562 callable object that can be called with one parameter
d1e05453
RD
563 (not counting 'self' in the case of methods). The parameter
564 will be a reference to a Message object. E.g., these listeners
565 are ok::
566
567 class Foo:
568 def __call__(self, a, b=1): pass # can be called with only one arg
569 def meth(self, a): pass # takes only one arg
570 def meth2(self, a=2, b=''): pass # can be called with one arg
571
572 def func(a, b=''): pass
573
574 Foo foo
575 Publisher().subscribe(foo) # functor
576 Publisher().subscribe(foo.meth) # bound method
577 Publisher().subscribe(foo.meth2) # bound method
578 Publisher().subscribe(func) # function
579
580 The three types of callables all have arguments that allow a call
581 with only one argument. In every case, the parameter 'a' will contain
582 the message.
583
b0429a40
RD
584 - topic: a single word, a tuple of words, or a string containing a
585 set of words separated by dots, for example: 'sports.baseball'.
586 A tuple or a dotted notation string denotes a hierarchy of
587 topics from most general to least. For example, a listener of
588 this topic::
d1e05453
RD
589
590 ('sports','baseball')
591
592 would receive messages for these topics::
593
594 ('sports', 'baseball') # because same
595 ('sports', 'baseball', 'highscores') # because more specific
596
597 but not these::
598
599 'sports' # because more general
600 ('sports',) # because more general
601 () or ('') # because only for those listening to 'all' topics
602 ('news') # because different topic
603
604 - message: this is an instance of Message, containing the topic for
605 which the message was sent, and any data the sender specified.
606
607 :note: This class is visible to importers of pubsub only as a
608 Singleton. I.e., every time you execute 'Publisher()', it's
0cdd86d6 609 actually the same instance of PublisherClass that is returned. So to
d1e05453
RD
610 use, just do 'Publisher().method()'.
611 """
612
613 __ALL_TOPICS_TPL = (ALL_TOPICS, )
614
0cdd86d6
RD
615 def __init__(self, singletonKey):
616 """Construct a Publisher. This can only be done by the pubsub
617 module. You just use pubsub.Publisher()."""
618 if not isinstance(singletonKey, _SingletonKey):
619 raise invalid_argument("Use Publisher() to get access to singleton")
d1e05453
RD
620 self.__messageCount = 0
621 self.__deliveryCount = 0
622 self.__topicTree = _TopicTreeRoot()
d14a1e28
RD
623
624 #
625 # Public API
626 #
627
d1e05453
RD
628 def getDeliveryCount(self):
629 """How many listeners have received a message since beginning of run"""
630 return self.__deliveryCount
631
632 def getMessageCount(self):
633 """How many times sendMessage() was called since beginning of run"""
634 return self.__messageCount
635
636 def subscribe(self, listener, topic = ALL_TOPICS):
d14a1e28 637 """
d1e05453
RD
638 Subscribe listener for given topic. If topic is not specified,
639 listener will be subscribed for all topics (that listener will
640 receive a Message for any topic for which a message is generated).
641
b0429a40
RD
642 This method may be called multiple times for one listener,
643 registering it with many topics. It can also be invoked many
644 times for a particular topic, each time with a different
645 listener. See the class doc for requirements on listener and
646 topic.
d1e05453 647
0cdd86d6
RD
648 :note: The listener is held by Publisher() only by *weak* reference.
649 This means you must ensure you have at least one strong reference
650 to listener, otherwise it will be DOA ("dead on arrival"). This is
651 particularly easy to forget when wrapping a listener method in a
652 proxy object (e.g. to bind some of its parameters), e.g.
653
654 :code:
655 class Foo:
656 def listener(self, event): pass
657 class Wrapper:
658 def __init__(self, fun): self.fun = fun
659 def __call__(self, *args): self.fun(*args)
660 foo = Foo()
661 Publisher().subscribe( Wrapper(foo.listener) ) # whoops: DOA!
662 wrapper = Wrapper(foo.listener)
663 Publisher().subscribe(wrapper) # good!
664
d1e05453
RD
665 :note: Calling
666 this method for the same listener, with two topics in the same
667 branch of the topic hierarchy, will cause the listener to be
668 notified twice when a message for the deepest topic is sent. E.g.
669 subscribe(listener, 't1') and then subscribe(listener, ('t1','t2'))
670 means that when calling sendMessage('t1'), listener gets one message,
671 but when calling sendMessage(('t1','t2')), listener gets message
0cdd86d6 672 twice.
d14a1e28 673 """
d1e05453
RD
674 self.validate(listener)
675
676 if topic is None:
677 raise TypeError, 'Topic must be either a word, tuple of '\
678 'words, or getStrAllTopics()'
679
680 self.__topicTree.addTopic(_tupleize(topic), listener)
681
682 def isSubscribed(self, listener, topic=None):
683 """Return true if listener has subscribed to topic specified.
684 If no topic specified, return true if subscribed to something.
0cdd86d6 685 Use topic=getStrAllTopics() to determine if a listener will receive
d1e05453
RD
686 messages for all topics."""
687 return self.__topicTree.isSubscribed(listener, topic)
688
689 def validate(self, listener):
690 """Similar to isValid(), but raises a TypeError exception if not valid"""
691 # check callable
d14a1e28 692 if not callable(listener):
d1e05453
RD
693 raise TypeError, 'Listener '+`listener`+' must be a '\
694 'function, bound method or instance.'
695 # ok, callable, but if method, is it bound:
696 elif ismethod(listener) and not _isbound(listener):
697 raise TypeError, 'Listener '+`listener`+\
698 ' is a method but it is unbound!'
699
700 # check that it takes the right number of parameters
701 min, d = _paramMinCount(listener)
702 if min > 1:
703 raise TypeError, 'Listener '+`listener`+" can't"\
704 ' require more than one parameter!'
705 if min <= 0 and d == 0:
706 raise TypeError, 'Listener '+`listener`+' lacking arguments!'
707
708 assert (min == 0 and d>0) or (min == 1)
709
710 def isValid(self, listener):
0cdd86d6
RD
711 """Return true only if listener will be able to subscribe to
712 Publisher."""
d1e05453
RD
713 try:
714 self.validate(listener)
715 return True
716 except TypeError:
717 return False
718
719 def unsubAll(self, topics=None, onNoSuchTopic=None):
720 """Unsubscribe all listeners subscribed for topics. Topics can
721 be a single topic (string or tuple) or a list of topics (ie
722 list containing strings and/or tuples). If topics is not
723 specified, all listeners for all topics will be unsubscribed,
724 ie. the Publisher singleton will have no topics and no listeners
0cdd86d6
RD
725 left. If onNoSuchTopic is given, it will be called as
726 onNoSuchTopic(topic) for each topic that is unknown.
727 """
d1e05453
RD
728 if topics is None:
729 del self.__topicTree
730 self.__topicTree = _TopicTreeRoot()
731 return
732
733 # make sure every topics are in tuple form
b0429a40 734 if isinstance(topics, list):
d1e05453
RD
735 topicList = [_tupleize(x) for x in topics]
736 else:
737 topicList = [_tupleize(topics)]
738
739 # unsub every listener of topics
740 self.__topicTree.unsubAll(topicList, onNoSuchTopic)
741
742 def unsubscribe(self, listener, topics=None):
743 """Unsubscribe listener. If topics not specified, listener is
744 completely unsubscribed. Otherwise, it is unsubscribed only
745 for the topic (the usual tuple) or list of topics (ie a list
0cdd86d6
RD
746 of tuples) specified. Nothing happens if listener is not actually
747 subscribed to any of the topics.
d1e05453
RD
748
749 Note that if listener subscribed for two topics (a,b) and (a,c),
750 then unsubscribing for topic (a) will do nothing. You must
751 use getAssociatedTopics(listener) and give unsubscribe() the returned
752 list (or a subset thereof).
d14a1e28 753 """
d1e05453
RD
754 self.validate(listener)
755 topicList = None
756 if topics is not None:
757 if isinstance(topics, list):
758 topicList = [_tupleize(x) for x in topics]
759 else:
760 topicList = [_tupleize(topics)]
761
762 self.__topicTree.unsubscribe(listener, topicList)
763
d14a1e28 764 def getAssociatedTopics(self, listener):
d1e05453
RD
765 """Return a list of topics the given listener is registered with.
766 Returns [] if listener never subscribed.
767
768 :attention: when using the return of this method to compare to
769 expected list of topics, remember that topics that are not in the
770 form of a tuple appear as a one-tuple in the return. E.g. if you
771 have subscribed a listener to 'topic1' and ('topic2','subtopic2'),
772 this method returns::
773
774 associatedTopics = [('topic1',), ('topic2','subtopic2')]
d14a1e28 775 """
d1e05453
RD
776 return self.__topicTree.getTopics(listener)
777
778 def sendMessage(self, topic=ALL_TOPICS, data=None, onTopicNeverCreated=None):
779 """Send a message for given topic, with optional data, to
780 subscribed listeners. If topic is not specified, only the
0cdd86d6
RD
781 listeners that are interested in all topics will receive message.
782 The onTopicNeverCreated is an optional callback of your choice that
783 will be called if the topic given was never created (i.e. it, or
784 one of its subtopics, was never subscribed to by any listener).
785 It will be called as onTopicNeverCreated(topic)."""
d1e05453
RD
786 aTopic = _tupleize(topic)
787 message = Message(aTopic, data)
788 self.__messageCount += 1
789
790 # send to those who listen to all topics
791 self.__deliveryCount += \
792 self.__topicTree.sendMessage(aTopic, message, onTopicNeverCreated)
793
d14a1e28
RD
794 #
795 # Private methods
796 #
797
d14a1e28 798 def __call__(self):
d1e05453 799 """Allows for singleton"""
d14a1e28 800 return self
d1e05453
RD
801
802 def __str__(self):
803 return str(self.__topicTree)
d14a1e28 804
0cdd86d6
RD
805# Create the Publisher singleton. We prevent users from (inadvertently)
806# instantiating more than one object, by requiring a key that is
807# accessible only to module. From
d14a1e28
RD
808# this point forward any calls to Publisher() will invoke the __call__
809# of this instance which just returns itself.
810#
811# The only flaw with this approach is that you can't derive a new
812# class from Publisher without jumping through hoops. If this ever
813# becomes an issue then a new Singleton implementaion will need to be
814# employed.
0cdd86d6
RD
815_key = _SingletonKey()
816Publisher = PublisherClass(_key)
d14a1e28
RD
817
818
819#---------------------------------------------------------------------------
820
821class Message:
822 """
0cdd86d6
RD
823 A simple container object for the two components of a message: the
824 topic and the user data. An instance of Message is given to your
825 listener when called by Publisher().sendMessage(topic) (if your
826 listener callback was registered for that topic).
d14a1e28
RD
827 """
828 def __init__(self, topic, data):
829 self.topic = topic
830 self.data = data
831
832 def __str__(self):
833 return '[Topic: '+`self.topic`+', Data: '+`self.data`+']'
834
835
d14a1e28
RD
836#---------------------------------------------------------------------------
837
838
839#
840# Code for a simple command-line test
841#
d1e05453
RD
842def test():
843 def done(funcName):
844 print '----------- Done %s -----------' % funcName
845
846 def testParam():
0cdd86d6
RD
847 def testFunc00(): pass
848 def testFunc21(a,b,c=1): pass
849 def testFuncA(*args): pass
850 def testFuncAK(*args,**kwds): pass
851 def testFuncK(**kwds): pass
852
d1e05453
RD
853 class Foo:
854 def testMeth(self,a,b): pass
855 def __call__(self, a): pass
0cdd86d6
RD
856 class Foo2:
857 def __call__(self, *args): pass
d1e05453 858
0cdd86d6
RD
859 assert _paramMinCount(testFunc00)==(0,0)
860 assert _paramMinCount(testFunc21)==(2,1)
861 assert _paramMinCount(testFuncA) ==(1,0)
862 assert _paramMinCount(testFuncAK)==(1,0)
863 assert _paramMinCount(testFuncK) ==(0,0)
d1e05453 864 foo = Foo()
d1e05453
RD
865 assert _paramMinCount(Foo.testMeth)==(2,0)
866 assert _paramMinCount(foo.testMeth)==(2,0)
867 assert _paramMinCount(foo)==(1,0)
0cdd86d6 868 assert _paramMinCount(Foo2())==(1,0)
d1e05453
RD
869
870 done('testParam')
871
872 testParam()
873 #------------------------
874
875 _NodeCallback.notified = 0
876 def testPreNotifyNode(self, dead):
877 _NodeCallback.notified += 1
878 print 'testPreNotifyNODE heard notification of', `dead`
879 _NodeCallback.preNotify = testPreNotifyNode
880
881 def testTreeNode():
882
883 class WS:
884 def __init__(self, s):
885 self.s = s
886 def __call__(self, msg):
887 print 'WS#', self.s, ' received msg ', msg
888 def __str__(self):
889 return self.s
890
891 def testPreNotifyRoot(dead):
892 print 'testPreNotifyROOT heard notification of', `dead`
893
894 node = _TopicTreeNode((ALL_TOPICS,), WeakRef(testPreNotifyRoot))
895 boo, baz, bid = WS('boo'), WS('baz'), WS('bid')
896 node.addCallable(boo)
897 node.addCallable(baz)
898 node.addCallable(boo)
899 assert node.getCallables() == [boo,baz]
900 assert node.hasCallable(boo)
901
902 node.removeCallable(bid) # no-op
903 assert node.hasCallable(baz)
904 assert node.getCallables() == [boo,baz]
905
906 node.removeCallable(boo)
907 assert node.getCallables() == [baz]
908 assert node.hasCallable(baz)
909 assert not node.hasCallable(boo)
910
911 node.removeCallable(baz)
912 assert node.getCallables() == []
913 assert not node.hasCallable(baz)
914
915 node2 = node.createSubtopic('st1', ('st1',))
916 node3 = node.createSubtopic('st2', ('st2',))
917 cb1, cb2, cb = WS('st1_cb1'), WS('st1_cb2'), WS('st2_cb')
918 node2.addCallable(cb1)
919 node2.addCallable(cb2)
920 node3.addCallable(cb)
921 node2.createSubtopic('st3', ('st1','st3'))
922 node2.createSubtopic('st4', ('st1','st4'))
923
924 print str(node)
925 assert str(node) == ' (st1: st1_cb1 st1_cb2 (st4: ) (st3: )) (st2: st2_cb )'
926
927 # verify send message, and that a dead listener does not get sent one
928 delivered = node2.sendMessage('hello')
929 assert delivered == 2
930 del cb1
931 delivered = node2.sendMessage('hello')
932 assert delivered == 1
933 assert _NodeCallback.notified == 1
934
935 done('testTreeNode')
936
937 testTreeNode()
938 #------------------------
939
940 def testValidate():
941 class Foo:
942 def __call__(self, a): pass
943 def fun(self, b): pass
944 def fun2(self, b=1): pass
945 def fun3(self, a, b=2): pass
946 def badFun(self): pass
947 def badFun2(): pass
948 def badFun3(self, a, b): pass
949
950 server = Publisher()
951 foo = Foo()
952 server.validate(foo)
953 server.validate(foo.fun)
954 server.validate(foo.fun2)
955 server.validate(foo.fun3)
956 assert not server.isValid(foo.badFun)
957 assert not server.isValid(foo.badFun2)
958 assert not server.isValid(foo.badFun3)
959
960 done('testValidate')
961
962 testValidate()
963 #------------------------
964
d14a1e28
RD
965 class SimpleListener:
966 def __init__(self, number):
967 self.number = number
d1e05453
RD
968 def __call__(self, message = ''):
969 print 'Callable #%s got the message "%s"' %(self.number, message)
d14a1e28 970 def notify(self, message):
d1e05453
RD
971 print '%s.notify() got the message "%s"' %(self.number, message)
972 def __str__(self):
973 return "SimpleListener_%s" % self.number
974
975 def testSubscribe():
976 publisher = Publisher()
977
978 topic1 = 'politics'
979 topic2 = ('history','middle age')
980 topic3 = ('politics','UN')
981 topic4 = ('politics','NATO')
982 topic5 = ('politics','NATO','US')
983
984 lisnr1 = SimpleListener(1)
985 lisnr2 = SimpleListener(2)
986 def func(message, a=1):
987 print 'Func received message "%s"' % message
988 lisnr3 = func
989 lisnr4 = lambda x: 'Lambda received message "%s"' % x
990
991 assert not publisher.isSubscribed(lisnr1)
992 assert not publisher.isSubscribed(lisnr2)
993 assert not publisher.isSubscribed(lisnr3)
994 assert not publisher.isSubscribed(lisnr4)
995
996 publisher.subscribe(lisnr1, topic1)
997 assert publisher.getAssociatedTopics(lisnr1) == [(topic1,)]
998 publisher.subscribe(lisnr1, topic2)
999 publisher.subscribe(lisnr1, topic1) # do it again, should be no-op
1000 assert publisher.getAssociatedTopics(lisnr1) == [(topic1,),topic2]
1001 publisher.subscribe(lisnr2.notify, topic3)
1002 assert publisher.getAssociatedTopics(lisnr2.notify) == [topic3]
1003 assert publisher.getAssociatedTopics(lisnr1) == [(topic1,),topic2]
1004 publisher.subscribe(lisnr3, topic5)
1005 assert publisher.getAssociatedTopics(lisnr3) == [topic5]
1006 assert publisher.getAssociatedTopics(lisnr2.notify) == [topic3]
1007 assert publisher.getAssociatedTopics(lisnr1) == [(topic1,),topic2]
1008 publisher.subscribe(lisnr4)
1009
1010 print "Publisher tree: ", publisher
1011 assert publisher.isSubscribed(lisnr1)
1012 assert publisher.isSubscribed(lisnr1, topic1)
1013 assert publisher.isSubscribed(lisnr1, topic2)
1014 assert publisher.isSubscribed(lisnr2.notify)
1015 assert publisher.isSubscribed(lisnr3, topic5)
1016 assert publisher.isSubscribed(lisnr4, ALL_TOPICS)
1017 expectTopicTree = 'all: <lambda> (politics: SimpleListener_1 (UN: SimpleListener_2.notify ) (NATO: (US: func ))) (history: (middle age: SimpleListener_1 ))'
1018 print "Publisher tree: ", publisher
1019 assert str(publisher) == expectTopicTree
1020
1021 publisher.unsubscribe(lisnr1, 'booboo') # should do nothing
1022 assert publisher.getAssociatedTopics(lisnr1) == [(topic1,),topic2]
1023 assert publisher.getAssociatedTopics(lisnr2.notify) == [topic3]
1024 assert publisher.getAssociatedTopics(lisnr3) == [topic5]
1025 publisher.unsubscribe(lisnr1, topic1)
1026 assert publisher.getAssociatedTopics(lisnr1) == [topic2]
1027 assert publisher.getAssociatedTopics(lisnr2.notify) == [topic3]
1028 assert publisher.getAssociatedTopics(lisnr3) == [topic5]
1029 publisher.unsubscribe(lisnr1, topic2)
1030 publisher.unsubscribe(lisnr1, topic2)
1031 publisher.unsubscribe(lisnr2.notify, topic3)
1032 publisher.unsubscribe(lisnr3, topic5)
1033 assert publisher.getAssociatedTopics(lisnr1) == []
1034 assert publisher.getAssociatedTopics(lisnr2.notify) == []
1035 assert publisher.getAssociatedTopics(lisnr3) == []
1036 publisher.unsubscribe(lisnr4)
1037
1038 expectTopicTree = 'all: (politics: (UN: ) (NATO: (US: ))) (history: (middle age: ))'
1039 print "Publisher tree: ", publisher
1040 assert str(publisher) == expectTopicTree
1041 assert publisher.getDeliveryCount() == 0
1042 assert publisher.getMessageCount() == 0
1043
1044 publisher.unsubAll()
1045 assert str(publisher) == 'all: '
1046
1047 done('testSubscribe')
1048
1049 testSubscribe()
1050 #------------------------
1051
1052 def testUnsubAll():
1053 publisher = Publisher()
1054
1055 topic1 = 'politics'
1056 topic2 = ('history','middle age')
1057 topic3 = ('politics','UN')
1058 topic4 = ('politics','NATO')
1059 topic5 = ('politics','NATO','US')
1060
1061 lisnr1 = SimpleListener(1)
1062 lisnr2 = SimpleListener(2)
1063 def func(message, a=1):
1064 print 'Func received message "%s"' % message
1065 lisnr3 = func
1066 lisnr4 = lambda x: 'Lambda received message "%s"' % x
1067
1068 publisher.subscribe(lisnr1, topic1)
1069 publisher.subscribe(lisnr1, topic2)
1070 publisher.subscribe(lisnr2.notify, topic3)
1071 publisher.subscribe(lisnr3, topic2)
1072 publisher.subscribe(lisnr3, topic5)
1073 publisher.subscribe(lisnr4)
1074
1075 expectTopicTree = 'all: <lambda> (politics: SimpleListener_1 (UN: SimpleListener_2.notify ) (NATO: (US: func ))) (history: (middle age: SimpleListener_1 func ))'
1076 print "Publisher tree: ", publisher
1077 assert str(publisher) == expectTopicTree
1078
1079 publisher.unsubAll(topic1)
1080 assert publisher.getAssociatedTopics(lisnr1) == [topic2]
1081 assert not publisher.isSubscribed(lisnr1, topic1)
1082
1083 publisher.unsubAll(topic2)
1084 print publisher
1085 assert publisher.getAssociatedTopics(lisnr1) == []
1086 assert publisher.getAssociatedTopics(lisnr3) == [topic5]
1087 assert not publisher.isSubscribed(lisnr1)
1088 assert publisher.isSubscribed(lisnr3, topic5)
1089
1090 #print "Publisher tree: ", publisher
1091 expectTopicTree = 'all: <lambda> (politics: (UN: SimpleListener_2.notify ) (NATO: (US: func ))) (history: (middle age: ))'
1092 assert str(publisher) == expectTopicTree
1093 publisher.unsubAll(ALL_TOPICS)
1094 #print "Publisher tree: ", publisher
1095 expectTopicTree = 'all: (politics: (UN: SimpleListener_2.notify ) (NATO: (US: func ))) (history: (middle age: ))'
1096 assert str(publisher) == expectTopicTree
1097
1098 publisher.unsubAll()
1099 done('testUnsubAll')
1100
1101 testUnsubAll()
1102 #------------------------
1103
1104 def testSend():
1105 publisher = Publisher()
1106 called = []
1107
1108 class TestListener:
1109 def __init__(self, num):
1110 self.number = num
1111 def __call__(self, b):
1112 called.append( 'TL%scb' % self.number )
1113 def notify(self, b):
1114 called.append( 'TL%sm' % self.number )
1115 def funcListener(b):
1116 called.append('func')
1117
1118 lisnr1 = TestListener(1)
1119 lisnr2 = TestListener(2)
1120 lisnr3 = funcListener
1121 lisnr4 = lambda x: called.append('lambda')
1122
1123 topic1 = 'politics'
1124 topic2 = 'history'
1125 topic3 = ('politics','UN')
1126 topic4 = ('politics','NATO','US')
1127 topic5 = ('politics','NATO')
1128
1129 publisher.subscribe(lisnr1, topic1)
1130 publisher.subscribe(lisnr2, topic2)
1131 publisher.subscribe(lisnr2.notify, topic2)
1132 publisher.subscribe(lisnr3, topic4)
1133 publisher.subscribe(lisnr4)
1134
1135 print publisher
1136
1137 # setup ok, now test send/receipt
1138 publisher.sendMessage(topic1)
1139 assert called == ['lambda','TL1cb']
1140 called = []
1141 publisher.sendMessage(topic2)
1142 assert called == ['lambda','TL2cb','TL2m']
1143 called = []
1144 publisher.sendMessage(topic3)
1145 assert called == ['lambda','TL1cb']
1146 called = []
1147 publisher.sendMessage(topic4)
1148 assert called == ['lambda','TL1cb','func']
1149 called = []
1150 publisher.sendMessage(topic5)
1151 assert called == ['lambda','TL1cb']
1152 assert publisher.getDeliveryCount() == 12
1153 assert publisher.getMessageCount() == 5
1154
1155 # test weak referencing works:
1156 _NodeCallback.notified = 0
1157 del lisnr2
1158 called = []
1159 publisher.sendMessage(topic2)
1160 assert called == ['lambda']
1161 assert _NodeCallback.notified == 2
1162
1163 done('testSend')
1164
1165 testSend()
1166 assert _NodeCallback.notified == 5
1167
1168 def testDead():
1169 # verify if weak references work as expected
1170 print '------ Starting testDead ----------'
1171 node = _TopicTreeNode('t1', None)
1172 lisnr1 = SimpleListener(1)
1173 lisnr2 = SimpleListener(2)
1174 lisnr3 = SimpleListener(3)
1175 lisnr4 = SimpleListener(4)
1176
1177 node.addCallable(lisnr1)
1178 node.addCallable(lisnr2)
1179 node.addCallable(lisnr3)
1180 node.addCallable(lisnr4)
1181
1182 print 'Deleting listeners first'
1183 _NodeCallback.notified = 0
1184 del lisnr1
1185 del lisnr2
1186 assert _NodeCallback.notified == 2
1187
1188 print 'Deleting node first'
1189 _NodeCallback.notified = 0
1190 del node
1191 del lisnr3
1192 del lisnr4
1193 assert _NodeCallback.notified == 0
1194
1195 lisnr1 = SimpleListener(1)
1196 lisnr2 = SimpleListener(2)
1197 lisnr3 = SimpleListener(3)
1198 lisnr4 = SimpleListener(4)
1199
1200 # try same with root of tree
1201 node = _TopicTreeRoot()
1202 node.addTopic(('',), lisnr1)
1203 node.addTopic(('',), lisnr2)
1204 node.addTopic(('',), lisnr3)
1205 node.addTopic(('',), lisnr4)
1206 # add objects that will die immediately to see if cleanup occurs
1207 # this must be done visually as it is a low-level detail
1208 _NodeCallback.notified = 0
1209 _TopicTreeRoot.callbackDeadLimit = 3
1210 node.addTopic(('',), SimpleListener(5))
1211 node.addTopic(('',), SimpleListener(6))
1212 node.addTopic(('',), SimpleListener(7))
1213 print node.numListeners()
1214 assert node.numListeners() == (4, 3)
1215 node.addTopic(('',), SimpleListener(8))
1216 assert node.numListeners() == (4, 0)
1217 assert _NodeCallback.notified == 4
1218
1219 print 'Deleting listeners first'
1220 _NodeCallback.notified = 0
1221 del lisnr1
1222 del lisnr2
1223 assert _NodeCallback.notified == 2
1224 print 'Deleting node first'
1225 _NodeCallback.notified = 0
1226 del node
1227 del lisnr3
1228 del lisnr4
1229 assert _NodeCallback.notified == 0
1230
1231 done('testDead')
1232
1233 testDead()
1234
1235 print 'Exiting tests'
d14a1e28 1236#---------------------------------------------------------------------------
d1e05453
RD
1237
1238if __name__ == '__main__':
1239 test()