Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 1 | """A Future class similar to the one in PEP 3148.""" |
| 2 | |
| 3 | __all__ = ['CancelledError', 'TimeoutError', |
| 4 | 'InvalidStateError', |
Yury Selivanov | 49d6b8c | 2016-11-07 16:00:50 -0500 | [diff] [blame] | 5 | 'Future', 'wrap_future', 'isfuture', |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 6 | ] |
| 7 | |
| 8 | import concurrent.futures._base |
| 9 | import logging |
Victor Stinner | 313a980 | 2014-07-29 12:58:23 +0200 | [diff] [blame] | 10 | import reprlib |
Victor Stinner | 4c3c699 | 2013-12-19 22:42:40 +0100 | [diff] [blame] | 11 | import sys |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 12 | import traceback |
| 13 | |
Victor Stinner | 71080fc | 2015-07-25 02:23:21 +0200 | [diff] [blame] | 14 | from . import compat |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 15 | from . import events |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 16 | |
| 17 | # States for Future. |
| 18 | _PENDING = 'PENDING' |
| 19 | _CANCELLED = 'CANCELLED' |
| 20 | _FINISHED = 'FINISHED' |
| 21 | |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 22 | Error = concurrent.futures._base.Error |
| 23 | CancelledError = concurrent.futures.CancelledError |
| 24 | TimeoutError = concurrent.futures.TimeoutError |
| 25 | |
| 26 | STACK_DEBUG = logging.DEBUG - 1 # heavy-duty debugging |
| 27 | |
| 28 | |
| 29 | class InvalidStateError(Error): |
| 30 | """The operation is not allowed in this state.""" |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 31 | |
| 32 | |
| 33 | class _TracebackLogger: |
| 34 | """Helper to log a traceback upon destruction if not cleared. |
| 35 | |
| 36 | This solves a nasty problem with Futures and Tasks that have an |
| 37 | exception set: if nobody asks for the exception, the exception is |
| 38 | never logged. This violates the Zen of Python: 'Errors should |
| 39 | never pass silently. Unless explicitly silenced.' |
| 40 | |
| 41 | However, we don't want to log the exception as soon as |
| 42 | set_exception() is called: if the calling code is written |
| 43 | properly, it will get the exception and handle it properly. But |
| 44 | we *do* want to log it if result() or exception() was never called |
| 45 | -- otherwise developers waste a lot of time wondering why their |
| 46 | buggy code fails silently. |
| 47 | |
| 48 | An earlier attempt added a __del__() method to the Future class |
| 49 | itself, but this backfired because the presence of __del__() |
| 50 | prevents garbage collection from breaking cycles. A way out of |
| 51 | this catch-22 is to avoid having a __del__() method on the Future |
| 52 | class itself, but instead to have a reference to a helper object |
| 53 | with a __del__() method that logs the traceback, where we ensure |
| 54 | that the helper object doesn't participate in cycles, and only the |
| 55 | Future has a reference to it. |
| 56 | |
| 57 | The helper object is added when set_exception() is called. When |
| 58 | the Future is collected, and the helper is present, the helper |
| 59 | object is also collected, and its __del__() method will log the |
| 60 | traceback. When the Future's result() or exception() method is |
Serhiy Storchaka | 56a6d85 | 2014-12-01 18:28:43 +0200 | [diff] [blame] | 61 | called (and a helper object is present), it removes the helper |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 62 | object, after calling its clear() method to prevent it from |
| 63 | logging. |
| 64 | |
| 65 | One downside is that we do a fair amount of work to extract the |
| 66 | traceback from the exception, even when it is never logged. It |
| 67 | would seem cheaper to just store the exception object, but that |
| 68 | references the traceback, which references stack frames, which may |
| 69 | reference the Future, which references the _TracebackLogger, and |
| 70 | then the _TracebackLogger would be included in a cycle, which is |
| 71 | what we're trying to avoid! As an optimization, we don't |
| 72 | immediately format the exception; we only do the work when |
| 73 | activate() is called, which call is delayed until after all the |
| 74 | Future's callbacks have run. Since usually a Future has at least |
| 75 | one callback (typically set by 'yield from') and usually that |
| 76 | callback extracts the callback, thereby removing the need to |
| 77 | format the exception. |
| 78 | |
| 79 | PS. I don't claim credit for this solution. I first heard of it |
| 80 | in a discussion about closing files when they are collected. |
| 81 | """ |
| 82 | |
Victor Stinner | 80f53aa | 2014-06-27 13:52:20 +0200 | [diff] [blame] | 83 | __slots__ = ('loop', 'source_traceback', 'exc', 'tb') |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 84 | |
Victor Stinner | 80f53aa | 2014-06-27 13:52:20 +0200 | [diff] [blame] | 85 | def __init__(self, future, exc): |
| 86 | self.loop = future._loop |
| 87 | self.source_traceback = future._source_traceback |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 88 | self.exc = exc |
| 89 | self.tb = None |
| 90 | |
| 91 | def activate(self): |
| 92 | exc = self.exc |
| 93 | if exc is not None: |
| 94 | self.exc = None |
| 95 | self.tb = traceback.format_exception(exc.__class__, exc, |
| 96 | exc.__traceback__) |
| 97 | |
| 98 | def clear(self): |
| 99 | self.exc = None |
| 100 | self.tb = None |
| 101 | |
| 102 | def __del__(self): |
| 103 | if self.tb: |
Victor Stinner | 662fd5f | 2014-11-20 14:16:31 +0100 | [diff] [blame] | 104 | msg = 'Future/Task exception was never retrieved\n' |
Victor Stinner | 80f53aa | 2014-06-27 13:52:20 +0200 | [diff] [blame] | 105 | if self.source_traceback: |
Victor Stinner | 662fd5f | 2014-11-20 14:16:31 +0100 | [diff] [blame] | 106 | src = ''.join(traceback.format_list(self.source_traceback)) |
| 107 | msg += 'Future/Task created at (most recent call last):\n' |
| 108 | msg += '%s\n' % src.rstrip() |
Victor Stinner | 80f53aa | 2014-06-27 13:52:20 +0200 | [diff] [blame] | 109 | msg += ''.join(self.tb).rstrip() |
| 110 | self.loop.call_exception_handler({'message': msg}) |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 111 | |
| 112 | |
Guido van Rossum | 7b3b3dc | 2016-09-09 14:26:31 -0700 | [diff] [blame] | 113 | def isfuture(obj): |
| 114 | """Check for a Future. |
| 115 | |
| 116 | This returns True when obj is a Future instance or is advertising |
| 117 | itself as duck-type compatible by setting _asyncio_future_blocking. |
| 118 | See comment in Future for more details. |
| 119 | """ |
Yury Selivanov | 49d6b8c | 2016-11-07 16:00:50 -0500 | [diff] [blame] | 120 | return (hasattr(obj.__class__, '_asyncio_future_blocking') and |
| 121 | obj._asyncio_future_blocking is not None) |
Guido van Rossum | 7b3b3dc | 2016-09-09 14:26:31 -0700 | [diff] [blame] | 122 | |
| 123 | |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 124 | class Future: |
| 125 | """This class is *almost* compatible with concurrent.futures.Future. |
| 126 | |
| 127 | Differences: |
| 128 | |
| 129 | - result() and exception() do not take a timeout argument and |
| 130 | raise an exception when the future isn't done yet. |
| 131 | |
| 132 | - Callbacks registered with add_done_callback() are always called |
| 133 | via the event loop's call_soon_threadsafe(). |
| 134 | |
| 135 | - This class is not compatible with the wait() and as_completed() |
| 136 | methods in the concurrent.futures package. |
| 137 | |
| 138 | (In Python 3.4 or later we may be able to unify the implementations.) |
| 139 | """ |
| 140 | |
| 141 | # Class variables serving as defaults for instance variables. |
| 142 | _state = _PENDING |
| 143 | _result = None |
| 144 | _exception = None |
| 145 | _loop = None |
Victor Stinner | fe22e09 | 2014-12-04 23:00:13 +0100 | [diff] [blame] | 146 | _source_traceback = None |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 147 | |
Guido van Rossum | 1140a03 | 2016-09-09 12:54:54 -0700 | [diff] [blame] | 148 | # This field is used for a dual purpose: |
| 149 | # - Its presence is a marker to declare that a class implements |
| 150 | # the Future protocol (i.e. is intended to be duck-type compatible). |
| 151 | # The value must also be not-None, to enable a subclass to declare |
| 152 | # that it is not compatible by setting this to None. |
| 153 | # - It is set by __iter__() below so that Task._step() can tell |
| 154 | # the difference between `yield from Future()` (correct) vs. |
| 155 | # `yield Future()` (incorrect). |
| 156 | _asyncio_future_blocking = False |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 157 | |
Victor Stinner | e40c078 | 2013-12-21 00:19:33 +0100 | [diff] [blame] | 158 | _log_traceback = False # Used for Python 3.4 and later |
| 159 | _tb_logger = None # Used for Python 3.3 only |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 160 | |
| 161 | def __init__(self, *, loop=None): |
| 162 | """Initialize the future. |
| 163 | |
Martin Panter | c04fb56 | 2016-02-10 05:44:01 +0000 | [diff] [blame] | 164 | The optional event_loop argument allows explicitly setting the event |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 165 | loop object used by the future. If it's not provided, the future uses |
| 166 | the default event loop. |
| 167 | """ |
| 168 | if loop is None: |
| 169 | self._loop = events.get_event_loop() |
| 170 | else: |
| 171 | self._loop = loop |
| 172 | self._callbacks = [] |
Victor Stinner | 80f53aa | 2014-06-27 13:52:20 +0200 | [diff] [blame] | 173 | if self._loop.get_debug(): |
| 174 | self._source_traceback = traceback.extract_stack(sys._getframe(1)) |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 175 | |
Yury Selivanov | 5d7e3b6 | 2015-11-17 12:19:41 -0500 | [diff] [blame] | 176 | def __format_callbacks(self): |
Victor Stinner | 975735f | 2014-06-25 21:41:58 +0200 | [diff] [blame] | 177 | cb = self._callbacks |
| 178 | size = len(cb) |
| 179 | if not size: |
| 180 | cb = '' |
| 181 | |
| 182 | def format_cb(callback): |
Guido van Rossum | 0a9933e | 2015-05-02 18:38:24 -0700 | [diff] [blame] | 183 | return events._format_callback_source(callback, ()) |
Victor Stinner | 975735f | 2014-06-25 21:41:58 +0200 | [diff] [blame] | 184 | |
| 185 | if size == 1: |
| 186 | cb = format_cb(cb[0]) |
| 187 | elif size == 2: |
| 188 | cb = '{}, {}'.format(format_cb(cb[0]), format_cb(cb[1])) |
| 189 | elif size > 2: |
| 190 | cb = '{}, <{} more>, {}'.format(format_cb(cb[0]), |
| 191 | size-2, |
| 192 | format_cb(cb[-1])) |
| 193 | return 'cb=[%s]' % cb |
| 194 | |
Victor Stinner | 313a980 | 2014-07-29 12:58:23 +0200 | [diff] [blame] | 195 | def _repr_info(self): |
Victor Stinner | 975735f | 2014-06-25 21:41:58 +0200 | [diff] [blame] | 196 | info = [self._state.lower()] |
| 197 | if self._state == _FINISHED: |
Victor Stinner | 313a980 | 2014-07-29 12:58:23 +0200 | [diff] [blame] | 198 | if self._exception is not None: |
| 199 | info.append('exception={!r}'.format(self._exception)) |
| 200 | else: |
| 201 | # use reprlib to limit the length of the output, especially |
| 202 | # for very long strings |
| 203 | result = reprlib.repr(self._result) |
| 204 | info.append('result={}'.format(result)) |
Victor Stinner | 975735f | 2014-06-25 21:41:58 +0200 | [diff] [blame] | 205 | if self._callbacks: |
Yury Selivanov | 5d7e3b6 | 2015-11-17 12:19:41 -0500 | [diff] [blame] | 206 | info.append(self.__format_callbacks()) |
Victor Stinner | 313a980 | 2014-07-29 12:58:23 +0200 | [diff] [blame] | 207 | if self._source_traceback: |
| 208 | frame = self._source_traceback[-1] |
| 209 | info.append('created at %s:%s' % (frame[0], frame[1])) |
| 210 | return info |
| 211 | |
| 212 | def __repr__(self): |
| 213 | info = self._repr_info() |
Victor Stinner | 975735f | 2014-06-25 21:41:58 +0200 | [diff] [blame] | 214 | return '<%s %s>' % (self.__class__.__name__, ' '.join(info)) |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 215 | |
Victor Stinner | 978a9af | 2015-01-29 17:50:58 +0100 | [diff] [blame] | 216 | # On Python 3.3 and older, objects with a destructor part of a reference |
| 217 | # cycle are never destroyed. It's not more the case on Python 3.4 thanks |
| 218 | # to the PEP 442. |
Victor Stinner | 71080fc | 2015-07-25 02:23:21 +0200 | [diff] [blame] | 219 | if compat.PY34: |
Victor Stinner | 4c3c699 | 2013-12-19 22:42:40 +0100 | [diff] [blame] | 220 | def __del__(self): |
Victor Stinner | e40c078 | 2013-12-21 00:19:33 +0100 | [diff] [blame] | 221 | if not self._log_traceback: |
| 222 | # set_exception() was not called, or result() or exception() |
| 223 | # has consumed the exception |
| 224 | return |
| 225 | exc = self._exception |
Yury Selivanov | 569efa2 | 2014-02-18 18:02:19 -0500 | [diff] [blame] | 226 | context = { |
Victor Stinner | 80f53aa | 2014-06-27 13:52:20 +0200 | [diff] [blame] | 227 | 'message': ('%s exception was never retrieved' |
| 228 | % self.__class__.__name__), |
Yury Selivanov | 569efa2 | 2014-02-18 18:02:19 -0500 | [diff] [blame] | 229 | 'exception': exc, |
| 230 | 'future': self, |
| 231 | } |
Victor Stinner | 80f53aa | 2014-06-27 13:52:20 +0200 | [diff] [blame] | 232 | if self._source_traceback: |
| 233 | context['source_traceback'] = self._source_traceback |
Yury Selivanov | 569efa2 | 2014-02-18 18:02:19 -0500 | [diff] [blame] | 234 | self._loop.call_exception_handler(context) |
Victor Stinner | 4c3c699 | 2013-12-19 22:42:40 +0100 | [diff] [blame] | 235 | |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 236 | def cancel(self): |
| 237 | """Cancel the future and schedule callbacks. |
| 238 | |
| 239 | If the future is already done or cancelled, return False. Otherwise, |
| 240 | change the future's state to cancelled, schedule the callbacks and |
| 241 | return True. |
| 242 | """ |
| 243 | if self._state != _PENDING: |
| 244 | return False |
| 245 | self._state = _CANCELLED |
| 246 | self._schedule_callbacks() |
| 247 | return True |
| 248 | |
| 249 | def _schedule_callbacks(self): |
| 250 | """Internal: Ask the event loop to call all callbacks. |
| 251 | |
| 252 | The callbacks are scheduled to be called as soon as possible. Also |
| 253 | clears the callback list. |
| 254 | """ |
| 255 | callbacks = self._callbacks[:] |
| 256 | if not callbacks: |
| 257 | return |
| 258 | |
| 259 | self._callbacks[:] = [] |
| 260 | for callback in callbacks: |
| 261 | self._loop.call_soon(callback, self) |
| 262 | |
| 263 | def cancelled(self): |
| 264 | """Return True if the future was cancelled.""" |
| 265 | return self._state == _CANCELLED |
| 266 | |
| 267 | # Don't implement running(); see http://bugs.python.org/issue18699 |
| 268 | |
| 269 | def done(self): |
| 270 | """Return True if the future is done. |
| 271 | |
| 272 | Done means either that a result / exception are available, or that the |
| 273 | future was cancelled. |
| 274 | """ |
| 275 | return self._state != _PENDING |
| 276 | |
| 277 | def result(self): |
| 278 | """Return the result this future represents. |
| 279 | |
| 280 | If the future has been cancelled, raises CancelledError. If the |
| 281 | future's result isn't yet available, raises InvalidStateError. If |
| 282 | the future is done and has an exception set, this exception is raised. |
| 283 | """ |
| 284 | if self._state == _CANCELLED: |
| 285 | raise CancelledError |
| 286 | if self._state != _FINISHED: |
| 287 | raise InvalidStateError('Result is not ready.') |
Victor Stinner | e40c078 | 2013-12-21 00:19:33 +0100 | [diff] [blame] | 288 | self._log_traceback = False |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 289 | if self._tb_logger is not None: |
| 290 | self._tb_logger.clear() |
Victor Stinner | e40c078 | 2013-12-21 00:19:33 +0100 | [diff] [blame] | 291 | self._tb_logger = None |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 292 | if self._exception is not None: |
| 293 | raise self._exception |
| 294 | return self._result |
| 295 | |
| 296 | def exception(self): |
| 297 | """Return the exception that was set on this future. |
| 298 | |
| 299 | The exception (or None if no exception was set) is returned only if |
| 300 | the future is done. If the future has been cancelled, raises |
| 301 | CancelledError. If the future isn't done yet, raises |
| 302 | InvalidStateError. |
| 303 | """ |
| 304 | if self._state == _CANCELLED: |
| 305 | raise CancelledError |
| 306 | if self._state != _FINISHED: |
| 307 | raise InvalidStateError('Exception is not set.') |
Victor Stinner | e40c078 | 2013-12-21 00:19:33 +0100 | [diff] [blame] | 308 | self._log_traceback = False |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 309 | if self._tb_logger is not None: |
| 310 | self._tb_logger.clear() |
Victor Stinner | e40c078 | 2013-12-21 00:19:33 +0100 | [diff] [blame] | 311 | self._tb_logger = None |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 312 | return self._exception |
| 313 | |
| 314 | def add_done_callback(self, fn): |
| 315 | """Add a callback to be run when the future becomes done. |
| 316 | |
| 317 | The callback is called with a single argument - the future object. If |
| 318 | the future is already done when this is called, the callback is |
| 319 | scheduled with call_soon. |
| 320 | """ |
| 321 | if self._state != _PENDING: |
| 322 | self._loop.call_soon(fn, self) |
| 323 | else: |
| 324 | self._callbacks.append(fn) |
| 325 | |
| 326 | # New method not in PEP 3148. |
| 327 | |
| 328 | def remove_done_callback(self, fn): |
| 329 | """Remove all instances of a callback from the "call when done" list. |
| 330 | |
| 331 | Returns the number of callbacks removed. |
| 332 | """ |
| 333 | filtered_callbacks = [f for f in self._callbacks if f != fn] |
| 334 | removed_count = len(self._callbacks) - len(filtered_callbacks) |
| 335 | if removed_count: |
| 336 | self._callbacks[:] = filtered_callbacks |
| 337 | return removed_count |
| 338 | |
| 339 | # So-called internal methods (note: no set_running_or_notify_cancel()). |
| 340 | |
| 341 | def set_result(self, result): |
| 342 | """Mark the future done and set its result. |
| 343 | |
| 344 | If the future is already done when this method is called, raises |
| 345 | InvalidStateError. |
| 346 | """ |
| 347 | if self._state != _PENDING: |
| 348 | raise InvalidStateError('{}: {!r}'.format(self._state, self)) |
| 349 | self._result = result |
| 350 | self._state = _FINISHED |
| 351 | self._schedule_callbacks() |
| 352 | |
| 353 | def set_exception(self, exception): |
| 354 | """Mark the future done and set an exception. |
| 355 | |
| 356 | If the future is already done when this method is called, raises |
| 357 | InvalidStateError. |
| 358 | """ |
| 359 | if self._state != _PENDING: |
| 360 | raise InvalidStateError('{}: {!r}'.format(self._state, self)) |
Victor Stinner | 9572898 | 2014-01-30 16:01:54 -0800 | [diff] [blame] | 361 | if isinstance(exception, type): |
| 362 | exception = exception() |
Yury Selivanov | 1bd0307 | 2016-03-02 11:03:28 -0500 | [diff] [blame] | 363 | if type(exception) is StopIteration: |
| 364 | raise TypeError("StopIteration interacts badly with generators " |
| 365 | "and cannot be raised into a Future") |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 366 | self._exception = exception |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 367 | self._state = _FINISHED |
| 368 | self._schedule_callbacks() |
Victor Stinner | 71080fc | 2015-07-25 02:23:21 +0200 | [diff] [blame] | 369 | if compat.PY34: |
Victor Stinner | e40c078 | 2013-12-21 00:19:33 +0100 | [diff] [blame] | 370 | self._log_traceback = True |
Victor Stinner | 4c3c699 | 2013-12-19 22:42:40 +0100 | [diff] [blame] | 371 | else: |
Victor Stinner | 80f53aa | 2014-06-27 13:52:20 +0200 | [diff] [blame] | 372 | self._tb_logger = _TracebackLogger(self, exception) |
Victor Stinner | 4c3c699 | 2013-12-19 22:42:40 +0100 | [diff] [blame] | 373 | # Arrange for the logger to be activated after all callbacks |
| 374 | # have had a chance to call result() or exception(). |
| 375 | self._loop.call_soon(self._tb_logger.activate) |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 376 | |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 377 | def __iter__(self): |
| 378 | if not self.done(): |
Guido van Rossum | 1140a03 | 2016-09-09 12:54:54 -0700 | [diff] [blame] | 379 | self._asyncio_future_blocking = True |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 380 | yield self # This tells Task to wait for completion. |
| 381 | assert self.done(), "yield from wasn't used with future" |
| 382 | return self.result() # May raise too. |
| 383 | |
Victor Stinner | 71080fc | 2015-07-25 02:23:21 +0200 | [diff] [blame] | 384 | if compat.PY35: |
Yury Selivanov | 1af2bf7 | 2015-05-11 22:27:25 -0400 | [diff] [blame] | 385 | __await__ = __iter__ # make compatible with 'await' expression |
| 386 | |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 387 | |
Yury Selivanov | 5d7e3b6 | 2015-11-17 12:19:41 -0500 | [diff] [blame] | 388 | def _set_result_unless_cancelled(fut, result): |
| 389 | """Helper setting the result only if the future was not cancelled.""" |
| 390 | if fut.cancelled(): |
| 391 | return |
| 392 | fut.set_result(result) |
| 393 | |
| 394 | |
Guido van Rossum | 841d9ee | 2015-10-03 08:31:42 -0700 | [diff] [blame] | 395 | def _set_concurrent_future_state(concurrent, source): |
| 396 | """Copy state from a future to a concurrent.futures.Future.""" |
| 397 | assert source.done() |
| 398 | if source.cancelled(): |
| 399 | concurrent.cancel() |
| 400 | if not concurrent.set_running_or_notify_cancel(): |
| 401 | return |
| 402 | exception = source.exception() |
| 403 | if exception is not None: |
| 404 | concurrent.set_exception(exception) |
| 405 | else: |
| 406 | result = source.result() |
| 407 | concurrent.set_result(result) |
| 408 | |
| 409 | |
Yury Selivanov | 5d7e3b6 | 2015-11-17 12:19:41 -0500 | [diff] [blame] | 410 | def _copy_future_state(source, dest): |
| 411 | """Internal helper to copy state from another Future. |
| 412 | |
| 413 | The other Future may be a concurrent.futures.Future. |
| 414 | """ |
| 415 | assert source.done() |
| 416 | if dest.cancelled(): |
| 417 | return |
| 418 | assert not dest.done() |
| 419 | if source.cancelled(): |
| 420 | dest.cancel() |
| 421 | else: |
| 422 | exception = source.exception() |
| 423 | if exception is not None: |
| 424 | dest.set_exception(exception) |
| 425 | else: |
| 426 | result = source.result() |
| 427 | dest.set_result(result) |
| 428 | |
| 429 | |
Guido van Rossum | 841d9ee | 2015-10-03 08:31:42 -0700 | [diff] [blame] | 430 | def _chain_future(source, destination): |
| 431 | """Chain two futures so that when one completes, so does the other. |
| 432 | |
| 433 | The result (or exception) of source will be copied to destination. |
| 434 | If destination is cancelled, source gets cancelled too. |
| 435 | Compatible with both asyncio.Future and concurrent.futures.Future. |
| 436 | """ |
Guido van Rossum | 7b3b3dc | 2016-09-09 14:26:31 -0700 | [diff] [blame] | 437 | if not isfuture(source) and not isinstance(source, |
| 438 | concurrent.futures.Future): |
Guido van Rossum | 841d9ee | 2015-10-03 08:31:42 -0700 | [diff] [blame] | 439 | raise TypeError('A future is required for source argument') |
Guido van Rossum | 7b3b3dc | 2016-09-09 14:26:31 -0700 | [diff] [blame] | 440 | if not isfuture(destination) and not isinstance(destination, |
| 441 | concurrent.futures.Future): |
Guido van Rossum | 841d9ee | 2015-10-03 08:31:42 -0700 | [diff] [blame] | 442 | raise TypeError('A future is required for destination argument') |
Guido van Rossum | 7b3b3dc | 2016-09-09 14:26:31 -0700 | [diff] [blame] | 443 | source_loop = source._loop if isfuture(source) else None |
| 444 | dest_loop = destination._loop if isfuture(destination) else None |
Guido van Rossum | 841d9ee | 2015-10-03 08:31:42 -0700 | [diff] [blame] | 445 | |
| 446 | def _set_state(future, other): |
Guido van Rossum | 7b3b3dc | 2016-09-09 14:26:31 -0700 | [diff] [blame] | 447 | if isfuture(future): |
Yury Selivanov | 5d7e3b6 | 2015-11-17 12:19:41 -0500 | [diff] [blame] | 448 | _copy_future_state(other, future) |
Guido van Rossum | 841d9ee | 2015-10-03 08:31:42 -0700 | [diff] [blame] | 449 | else: |
| 450 | _set_concurrent_future_state(future, other) |
| 451 | |
| 452 | def _call_check_cancel(destination): |
| 453 | if destination.cancelled(): |
| 454 | if source_loop is None or source_loop is dest_loop: |
| 455 | source.cancel() |
| 456 | else: |
| 457 | source_loop.call_soon_threadsafe(source.cancel) |
| 458 | |
| 459 | def _call_set_state(source): |
| 460 | if dest_loop is None or dest_loop is source_loop: |
| 461 | _set_state(destination, source) |
| 462 | else: |
| 463 | dest_loop.call_soon_threadsafe(_set_state, destination, source) |
| 464 | |
| 465 | destination.add_done_callback(_call_check_cancel) |
| 466 | source.add_done_callback(_call_set_state) |
| 467 | |
| 468 | |
| 469 | def wrap_future(future, *, loop=None): |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 470 | """Wrap concurrent.futures.Future object.""" |
Guido van Rossum | 7b3b3dc | 2016-09-09 14:26:31 -0700 | [diff] [blame] | 471 | if isfuture(future): |
Guido van Rossum | 841d9ee | 2015-10-03 08:31:42 -0700 | [diff] [blame] | 472 | return future |
| 473 | assert isinstance(future, concurrent.futures.Future), \ |
| 474 | 'concurrent.futures.Future is expected, got {!r}'.format(future) |
Yury Selivanov | 7661db6 | 2016-05-16 15:38:39 -0400 | [diff] [blame] | 475 | if loop is None: |
| 476 | loop = events.get_event_loop() |
| 477 | new_future = loop.create_future() |
Guido van Rossum | 841d9ee | 2015-10-03 08:31:42 -0700 | [diff] [blame] | 478 | _chain_future(future, new_future) |
Guido van Rossum | 27b7c7e | 2013-10-17 13:40:50 -0700 | [diff] [blame] | 479 | return new_future |