sched.py 6.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163
  1. """A generally useful event scheduler class.
  2. Each instance of this class manages its own queue.
  3. No multi-threading is implied; you are supposed to hack that
  4. yourself, or use a single instance per application.
  5. Each instance is parametrized with two functions, one that is
  6. supposed to return the current time, one that is supposed to
  7. implement a delay. You can implement real-time scheduling by
  8. substituting time and sleep from built-in module time, or you can
  9. implement simulated time by writing your own functions. This can
  10. also be used to integrate scheduling with STDWIN events; the delay
  11. function is allowed to modify the queue. Time can be expressed as
  12. integers or floating point numbers, as long as it is consistent.
  13. Events are specified by tuples (time, priority, action, argument, kwargs).
  14. As in UNIX, lower priority numbers mean higher priority; in this
  15. way the queue can be maintained as a priority queue. Execution of the
  16. event means calling the action function, passing it the argument
  17. sequence in "argument" (remember that in Python, multiple function
  18. arguments are be packed in a sequence) and keyword parameters in "kwargs".
  19. The action function may be an instance method so it
  20. has another way to reference private data (besides global variables).
  21. """
  22. # XXX The timefunc and delayfunc should have been defined as methods
  23. # XXX so you can define new kinds of schedulers using subclassing
  24. # XXX instead of having to define a module or class just to hold
  25. # XXX the global state of your particular time and delay functions.
  26. import time
  27. import heapq
  28. from collections import namedtuple
  29. try:
  30. import threading
  31. except ImportError:
  32. import dummy_threading as threading
  33. from time import monotonic as _time
  34. __all__ = ["scheduler"]
  35. class Event(namedtuple('Event', 'time, priority, action, argument, kwargs')):
  36. def __eq__(s, o): return (s.time, s.priority) == (o.time, o.priority)
  37. def __lt__(s, o): return (s.time, s.priority) < (o.time, o.priority)
  38. def __le__(s, o): return (s.time, s.priority) <= (o.time, o.priority)
  39. def __gt__(s, o): return (s.time, s.priority) > (o.time, o.priority)
  40. def __ge__(s, o): return (s.time, s.priority) >= (o.time, o.priority)
  41. _sentinel = object()
  42. class scheduler:
  43. def __init__(self, timefunc=_time, delayfunc=time.sleep):
  44. """Initialize a new instance, passing the time and delay
  45. functions"""
  46. self._queue = []
  47. self._lock = threading.RLock()
  48. self.timefunc = timefunc
  49. self.delayfunc = delayfunc
  50. def enterabs(self, time, priority, action, argument=(), kwargs=_sentinel):
  51. """Enter a new event in the queue at an absolute time.
  52. Returns an ID for the event which can be used to remove it,
  53. if necessary.
  54. """
  55. if kwargs is _sentinel:
  56. kwargs = {}
  57. event = Event(time, priority, action, argument, kwargs)
  58. with self._lock:
  59. heapq.heappush(self._queue, event)
  60. return event # The ID
  61. def enter(self, delay, priority, action, argument=(), kwargs=_sentinel):
  62. """A variant that specifies the time as a relative time.
  63. This is actually the more commonly used interface.
  64. """
  65. time = self.timefunc() + delay
  66. return self.enterabs(time, priority, action, argument, kwargs)
  67. def cancel(self, event):
  68. """Remove an event from the queue.
  69. This must be presented the ID as returned by enter().
  70. If the event is not in the queue, this raises ValueError.
  71. """
  72. with self._lock:
  73. self._queue.remove(event)
  74. heapq.heapify(self._queue)
  75. def empty(self):
  76. """Check whether the queue is empty."""
  77. with self._lock:
  78. return not self._queue
  79. def run(self, blocking=True):
  80. """Execute events until the queue is empty.
  81. If blocking is False executes the scheduled events due to
  82. expire soonest (if any) and then return the deadline of the
  83. next scheduled call in the scheduler.
  84. When there is a positive delay until the first event, the
  85. delay function is called and the event is left in the queue;
  86. otherwise, the event is removed from the queue and executed
  87. (its action function is called, passing it the argument). If
  88. the delay function returns prematurely, it is simply
  89. restarted.
  90. It is legal for both the delay function and the action
  91. function to modify the queue or to raise an exception;
  92. exceptions are not caught but the scheduler's state remains
  93. well-defined so run() may be called again.
  94. A questionable hack is added to allow other threads to run:
  95. just after an event is executed, a delay of 0 is executed, to
  96. avoid monopolizing the CPU when other threads are also
  97. runnable.
  98. """
  99. # localize variable access to minimize overhead
  100. # and to improve thread safety
  101. lock = self._lock
  102. q = self._queue
  103. delayfunc = self.delayfunc
  104. timefunc = self.timefunc
  105. pop = heapq.heappop
  106. while True:
  107. with lock:
  108. if not q:
  109. break
  110. time, priority, action, argument, kwargs = q[0]
  111. now = timefunc()
  112. if time > now:
  113. delay = True
  114. else:
  115. delay = False
  116. pop(q)
  117. if delay:
  118. if not blocking:
  119. return time - now
  120. delayfunc(time - now)
  121. else:
  122. action(*argument, **kwargs)
  123. delayfunc(0) # Let other threads run
  124. @property
  125. def queue(self):
  126. """An ordered list of upcoming events.
  127. Events are named tuples with fields for:
  128. time, priority, action, arguments, kwargs
  129. """
  130. # Use heapq to sort the queue rather than using 'sorted(self._queue)'.
  131. # With heapq, two events scheduled at the same time will show in
  132. # the actual order they would be retrieved.
  133. with self._lock:
  134. events = self._queue[:]
  135. return list(map(heapq.heappop, [events]*len(events)))