1 | // Copyright 2011 Software Freedom Conservancy. All Rights Reserved. |
2 | // |
3 | // Licensed under the Apache License, Version 2.0 (the "License"); |
4 | // you may not use this file except in compliance with the License. |
5 | // You may obtain a copy of the License at |
6 | // |
7 | // http://www.apache.org/licenses/LICENSE-2.0 |
8 | // |
9 | // Unless required by applicable law or agreed to in writing, software |
10 | // distributed under the License is distributed on an "AS IS" BASIS, |
11 | // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. |
12 | // See the License for the specific language governing permissions and |
13 | // limitations under the License. |
14 | |
15 | /** |
16 | * @license Portions of this code are from the Dojo toolkit, received under the |
17 | * BSD License: |
18 | * Redistribution and use in source and binary forms, with or without |
19 | * modification, are permitted provided that the following conditions are met: |
20 | * |
21 | * * Redistributions of source code must retain the above copyright notice, |
22 | * this list of conditions and the following disclaimer. |
23 | * * Redistributions in binary form must reproduce the above copyright notice, |
24 | * this list of conditions and the following disclaimer in the documentation |
25 | * and/or other materials provided with the distribution. |
26 | * * Neither the name of the Dojo Foundation nor the names of its contributors |
27 | * may be used to endorse or promote products derived from this software |
28 | * without specific prior written permission. |
29 | * |
30 | * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" |
31 | * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE |
32 | * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE |
33 | * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE |
34 | * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR |
35 | * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF |
36 | * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS |
37 | * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN |
38 | * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) |
39 | * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE |
40 | * POSSIBILITY OF SUCH DAMAGE. |
41 | */ |
42 | |
43 | /** |
44 | * @fileoverview A promise implementation based on the CommonJS promise/A and |
45 | * promise/B proposals. For more information, see |
46 | * http://wiki.commonjs.org/wiki/Promises. |
47 | */ |
48 | |
49 | goog.provide('webdriver.promise'); |
50 | goog.provide('webdriver.promise.ControlFlow'); |
51 | goog.provide('webdriver.promise.ControlFlow.Timer'); |
52 | goog.provide('webdriver.promise.Deferred'); |
53 | goog.provide('webdriver.promise.Promise'); |
54 | |
55 | goog.require('goog.array'); |
56 | goog.require('goog.debug.Error'); |
57 | goog.require('goog.object'); |
58 | goog.require('webdriver.EventEmitter'); |
59 | goog.require('webdriver.stacktrace.Snapshot'); |
60 | |
61 | |
62 | |
63 | /** |
64 | * Represents the eventual value of a completed operation. Each promise may be |
65 | * in one of three states: pending, resolved, or rejected. Each promise starts |
66 | * in the pending state and may make a single transition to either a |
67 | * fulfilled or failed state. |
68 | * |
69 | * <p/>This class is based on the Promise/A proposal from CommonJS. Additional |
70 | * functions are provided for API compatibility with Dojo Deferred objects. |
71 | * |
72 | * @constructor |
73 | * @template T |
74 | * @see http://wiki.commonjs.org/wiki/Promises/A |
75 | */ |
76 | webdriver.promise.Promise = function() { |
77 | }; |
78 | |
79 | |
80 | /** |
81 | * Cancels the computation of this promise's value, rejecting the promise in the |
82 | * process. |
83 | * @param {*} reason The reason this promise is being cancelled. If not an |
84 | * {@code Error}, one will be created using the value's string |
85 | * representation. |
86 | */ |
87 | webdriver.promise.Promise.prototype.cancel = function(reason) { |
88 | throw new TypeError('Unimplemented function: "cancel"'); |
89 | }; |
90 | |
91 | |
92 | /** @return {boolean} Whether this promise's value is still being computed. */ |
93 | webdriver.promise.Promise.prototype.isPending = function() { |
94 | throw new TypeError('Unimplemented function: "isPending"'); |
95 | }; |
96 | |
97 | |
98 | /** |
99 | * Registers listeners for when this instance is resolved. This function most |
100 | * overridden by subtypes. |
101 | * |
102 | * @param {?(function(T): (R|webdriver.promise.Promise.<R>))=} opt_callback The |
103 | * function to call if this promise is successfully resolved. The function |
104 | * should expect a single argument: the promise's resolved value. |
105 | * @param {?(function(*): (R|webdriver.promise.Promise.<R>))=} opt_errback The |
106 | * function to call if this promise is rejected. The function should expect |
107 | * a single argument: the rejection reason. |
108 | * @return {!webdriver.promise.Promise.<R>} A new promise which will be |
109 | * resolved with the result of the invoked callback. |
110 | * @template R |
111 | */ |
112 | webdriver.promise.Promise.prototype.then = function( |
113 | opt_callback, opt_errback) { |
114 | throw new TypeError('Unimplemented function: "then"'); |
115 | }; |
116 | |
117 | |
118 | /** |
119 | * Registers a listener for when this promise is rejected. This is synonymous |
120 | * with the {@code catch} clause in a synchronous API: |
121 | * <pre><code> |
122 | * // Synchronous API: |
123 | * try { |
124 | * doSynchronousWork(); |
125 | * } catch (ex) { |
126 | * console.error(ex); |
127 | * } |
128 | * |
129 | * // Asynchronous promise API: |
130 | * doAsynchronousWork().thenCatch(function(ex) { |
131 | * console.error(ex); |
132 | * }); |
133 | * </code></pre> |
134 | * |
135 | * @param {function(*): (R|webdriver.promise.Promise.<R>)} errback The function |
136 | * to call if this promise is rejected. The function should expect a single |
137 | * argument: the rejection reason. |
138 | * @return {!webdriver.promise.Promise.<R>} A new promise which will be |
139 | * resolved with the result of the invoked callback. |
140 | * @template R |
141 | */ |
142 | webdriver.promise.Promise.prototype.thenCatch = function(errback) { |
143 | return this.then(null, errback); |
144 | }; |
145 | |
146 | |
147 | /** |
148 | * Registers a listener to invoke when this promise is resolved, regardless |
149 | * of whether the promise's value was successfully computed. This function |
150 | * is synonymous with the {@code finally} clause in a synchronous API: |
151 | * <pre><code> |
152 | * // Synchronous API: |
153 | * try { |
154 | * doSynchronousWork(); |
155 | * } finally { |
156 | * cleanUp(); |
157 | * } |
158 | * |
159 | * // Asynchronous promise API: |
160 | * doAsynchronousWork().thenFinally(cleanUp); |
161 | * </code></pre> |
162 | * |
163 | * <b>Note:</b> similar to the {@code finally} clause, if the registered |
164 | * callback returns a rejected promise or throws an error, it will silently |
165 | * replace the rejection error (if any) from this promise: |
166 | * <pre><code> |
167 | * try { |
168 | * throw Error('one'); |
169 | * } finally { |
170 | * throw Error('two'); // Hides Error: one |
171 | * } |
172 | * |
173 | * webdriver.promise.rejected(Error('one')) |
174 | * .thenFinally(function() { |
175 | * throw Error('two'); // Hides Error: one |
176 | * }); |
177 | * </code></pre> |
178 | * |
179 | * |
180 | * @param {function(): (R|webdriver.promise.Promise.<R>)} callback The function |
181 | * to call when this promise is resolved. |
182 | * @return {!webdriver.promise.Promise.<R>} A promise that will be fulfilled |
183 | * with the callback result. |
184 | * @template R |
185 | */ |
186 | webdriver.promise.Promise.prototype.thenFinally = function(callback) { |
187 | return this.then(callback, function(err) { |
188 | var value = callback(); |
189 | if (webdriver.promise.isPromise(value)) { |
190 | return value.then(function() { |
191 | throw err; |
192 | }); |
193 | } |
194 | throw err; |
195 | }); |
196 | }; |
197 | |
198 | |
199 | |
200 | /** |
201 | * Represents a value that will be resolved at some point in the future. This |
202 | * class represents the protected "producer" half of a Promise - each Deferred |
203 | * has a {@code promise} property that may be returned to consumers for |
204 | * registering callbacks, reserving the ability to resolve the deferred to the |
205 | * producer. |
206 | * |
207 | * <p>If this Deferred is rejected and there are no listeners registered before |
208 | * the next turn of the event loop, the rejection will be passed to the |
209 | * {@link webdriver.promise.ControlFlow} as an unhandled failure. |
210 | * |
211 | * <p>If this Deferred is cancelled, the cancellation reason will be forward to |
212 | * the Deferred's canceller function (if provided). The canceller may return a |
213 | * truth-y value to override the reason provided for rejection. |
214 | * |
215 | * @param {Function=} opt_canceller Function to call when cancelling the |
216 | * computation of this instance's value. |
217 | * @param {webdriver.promise.ControlFlow=} opt_flow The control flow |
218 | * this instance was created under. This should only be provided during |
219 | * unit tests. |
220 | * @constructor |
221 | * @extends {webdriver.promise.Promise.<T>} |
222 | * @template T |
223 | */ |
224 | webdriver.promise.Deferred = function(opt_canceller, opt_flow) { |
225 | /* NOTE: This class's implementation diverges from the prototypical style |
226 | * used in the rest of the atoms library. This was done intentionally to |
227 | * protect the internal Deferred state from consumers, as outlined by |
228 | * http://wiki.commonjs.org/wiki/Promises |
229 | */ |
230 | goog.base(this); |
231 | |
232 | var flow = opt_flow || webdriver.promise.controlFlow(); |
233 | |
234 | /** |
235 | * The listeners registered with this Deferred. Each element in the list will |
236 | * be a 3-tuple of the callback function, errback function, and the |
237 | * corresponding deferred object. |
238 | * @type {!Array.<!webdriver.promise.Deferred.Listener_>} |
239 | */ |
240 | var listeners = []; |
241 | |
242 | /** |
243 | * Whether this Deferred's resolution was ever handled by a listener. |
244 | * If the Deferred is rejected and its value is not handled by a listener |
245 | * before the next turn of the event loop, the error will be passed to the |
246 | * global error handler. |
247 | * @type {boolean} |
248 | */ |
249 | var handled = false; |
250 | |
251 | /** |
252 | * Key for the timeout used to delay reproting an unhandled rejection to the |
253 | * parent {@link webdriver.promise.ControlFlow}. |
254 | * @type {?number} |
255 | */ |
256 | var pendingRejectionKey = null; |
257 | |
258 | /** |
259 | * This Deferred's current state. |
260 | * @type {!webdriver.promise.Deferred.State_} |
261 | */ |
262 | var state = webdriver.promise.Deferred.State_.PENDING; |
263 | |
264 | /** |
265 | * This Deferred's resolved value; set when the state transitions from |
266 | * {@code webdriver.promise.Deferred.State_.PENDING}. |
267 | * @type {*} |
268 | */ |
269 | var value; |
270 | |
271 | /** @return {boolean} Whether this promise's value is still pending. */ |
272 | function isPending() { |
273 | return state == webdriver.promise.Deferred.State_.PENDING; |
274 | } |
275 | |
276 | /** |
277 | * Removes all of the listeners previously registered on this deferred. |
278 | * @throws {Error} If this deferred has already been resolved. |
279 | */ |
280 | function removeAll() { |
281 | listeners = []; |
282 | } |
283 | |
284 | /** |
285 | * Resolves this deferred. If the new value is a promise, this function will |
286 | * wait for it to be resolved before notifying the registered listeners. |
287 | * @param {!webdriver.promise.Deferred.State_} newState The deferred's new |
288 | * state. |
289 | * @param {*} newValue The deferred's new value. |
290 | */ |
291 | function resolve(newState, newValue) { |
292 | if (webdriver.promise.Deferred.State_.PENDING !== state) { |
293 | return; |
294 | } |
295 | |
296 | state = webdriver.promise.Deferred.State_.BLOCKED; |
297 | |
298 | if (webdriver.promise.isPromise(newValue) && newValue !== self) { |
299 | var onFulfill = goog.partial(notifyAll, newState); |
300 | var onReject = goog.partial( |
301 | notifyAll, webdriver.promise.Deferred.State_.REJECTED); |
302 | if (newValue instanceof webdriver.promise.Deferred) { |
303 | newValue.then(onFulfill, onReject); |
304 | } else { |
305 | webdriver.promise.asap(newValue, onFulfill, onReject); |
306 | } |
307 | |
308 | } else { |
309 | notifyAll(newState, newValue); |
310 | } |
311 | } |
312 | |
313 | /** |
314 | * Notifies all of the listeners registered with this Deferred that its state |
315 | * has changed. |
316 | * @param {!webdriver.promise.Deferred.State_} newState The deferred's new |
317 | * state. |
318 | * @param {*} newValue The deferred's new value. |
319 | */ |
320 | function notifyAll(newState, newValue) { |
321 | if (newState === webdriver.promise.Deferred.State_.REJECTED && |
322 | // We cannot check instanceof Error since the object may have been |
323 | // created in a different JS context. |
324 | goog.isObject(newValue) && goog.isString(newValue.message)) { |
325 | newValue = flow.annotateError(/** @type {!Error} */(newValue)); |
326 | } |
327 | |
328 | state = newState; |
329 | value = newValue; |
330 | while (listeners.length) { |
331 | notify(listeners.shift()); |
332 | } |
333 | |
334 | if (!handled && state == webdriver.promise.Deferred.State_.REJECTED) { |
335 | pendingRejectionKey = propagateError(value); |
336 | } |
337 | } |
338 | |
339 | /** |
340 | * Propagates an unhandled rejection to the parent ControlFlow in a |
341 | * future turn of the JavaScript event loop. |
342 | * @param {*} error The error value to report. |
343 | * @return {number} The key for the registered timeout. |
344 | */ |
345 | function propagateError(error) { |
346 | flow.pendingRejections_ += 1; |
347 | return flow.timer.setTimeout(function() { |
348 | flow.pendingRejections_ -= 1; |
349 | flow.abortFrame_(error); |
350 | }, 0); |
351 | } |
352 | |
353 | /** |
354 | * Notifies a single listener of this Deferred's change in state. |
355 | * @param {!webdriver.promise.Deferred.Listener_} listener The listener to |
356 | * notify. |
357 | */ |
358 | function notify(listener) { |
359 | var func = state == webdriver.promise.Deferred.State_.RESOLVED ? |
360 | listener.callback : listener.errback; |
361 | if (func) { |
362 | flow.runInNewFrame_(goog.partial(func, value), |
363 | listener.fulfill, listener.reject); |
364 | } else if (state == webdriver.promise.Deferred.State_.REJECTED) { |
365 | listener.reject(value); |
366 | } else { |
367 | listener.fulfill(value); |
368 | } |
369 | } |
370 | |
371 | /** |
372 | * The consumer promise for this instance. Provides protected access to the |
373 | * callback registering functions. |
374 | * @type {!webdriver.promise.Promise.<T>} |
375 | */ |
376 | var promise = new webdriver.promise.Promise(); |
377 | |
378 | /** |
379 | * Registers a callback on this Deferred. |
380 | * |
381 | * @param {?(function(T): (R|webdriver.promise.Promise.<R>))=} opt_callback . |
382 | * @param {?(function(*): (R|webdriver.promise.Promise.<R>))=} opt_errback . |
383 | * @return {!webdriver.promise.Promise.<R>} A new promise representing the |
384 | * result of the callback. |
385 | * @template R |
386 | * @see webdriver.promise.Promise#then |
387 | */ |
388 | function then(opt_callback, opt_errback) { |
389 | // Avoid unnecessary allocations if we weren't given any callback functions. |
390 | if (!opt_callback && !opt_errback) { |
391 | return promise; |
392 | } |
393 | |
394 | // The moment a listener is registered, we consider this deferred to be |
395 | // handled; the callback must handle any rejection errors. |
396 | handled = true; |
397 | if (pendingRejectionKey) { |
398 | flow.pendingRejections_ -= 1; |
399 | flow.timer.clearTimeout(pendingRejectionKey); |
400 | } |
401 | |
402 | var deferred = new webdriver.promise.Deferred(cancel, flow); |
403 | var listener = { |
404 | callback: opt_callback, |
405 | errback: opt_errback, |
406 | fulfill: deferred.fulfill, |
407 | reject: deferred.reject |
408 | }; |
409 | |
410 | if (state == webdriver.promise.Deferred.State_.PENDING || |
411 | state == webdriver.promise.Deferred.State_.BLOCKED) { |
412 | listeners.push(listener); |
413 | } else { |
414 | notify(listener); |
415 | } |
416 | |
417 | return deferred.promise; |
418 | } |
419 | |
420 | var self = this; |
421 | |
422 | /** |
423 | * Resolves this promise with the given value. If the value is itself a |
424 | * promise and not a reference to this deferred, this instance will wait for |
425 | * it before resolving. |
426 | * @param {T=} opt_value The fulfilled value. |
427 | */ |
428 | function fulfill(opt_value) { |
429 | resolve(webdriver.promise.Deferred.State_.RESOLVED, opt_value); |
430 | } |
431 | |
432 | /** |
433 | * Rejects this promise. If the error is itself a promise, this instance will |
434 | * be chained to it and be rejected with the error's resolved value. |
435 | * @param {*=} opt_error The rejection reason, typically either a |
436 | * {@code Error} or a {@code string}. |
437 | */ |
438 | function reject(opt_error) { |
439 | resolve(webdriver.promise.Deferred.State_.REJECTED, opt_error); |
440 | } |
441 | |
442 | /** |
443 | * Attempts to cancel the computation of this instance's value. This attempt |
444 | * will silently fail if this instance has already resolved. |
445 | * @param {*=} opt_reason The reason for cancelling this promise. |
446 | */ |
447 | function cancel(opt_reason) { |
448 | if (!isPending()) { |
449 | return; |
450 | } |
451 | |
452 | if (opt_canceller) { |
453 | opt_reason = opt_canceller(opt_reason) || opt_reason; |
454 | } |
455 | |
456 | reject(opt_reason); |
457 | } |
458 | |
459 | this.promise = promise; |
460 | this.promise.then = this.then = then; |
461 | this.promise.cancel = this.cancel = cancel; |
462 | this.promise.isPending = this.isPending = isPending; |
463 | this.fulfill = fulfill; |
464 | this.reject = this.errback = reject; |
465 | |
466 | // Only expose this function to our internal classes. |
467 | // TODO: find a cleaner way of handling this. |
468 | if (this instanceof webdriver.promise.Task_) { |
469 | this.removeAll = removeAll; |
470 | } |
471 | |
472 | // Export symbols necessary for the contract on this object to work in |
473 | // compiled mode. |
474 | goog.exportProperty(this, 'then', this.then); |
475 | goog.exportProperty(this, 'cancel', cancel); |
476 | goog.exportProperty(this, 'fulfill', fulfill); |
477 | goog.exportProperty(this, 'reject', reject); |
478 | goog.exportProperty(this, 'isPending', isPending); |
479 | goog.exportProperty(this, 'promise', this.promise); |
480 | goog.exportProperty(this.promise, 'then', this.then); |
481 | goog.exportProperty(this.promise, 'cancel', cancel); |
482 | goog.exportProperty(this.promise, 'isPending', isPending); |
483 | }; |
484 | goog.inherits(webdriver.promise.Deferred, webdriver.promise.Promise); |
485 | |
486 | |
487 | /** |
488 | * Type definition for a listener registered on a Deferred object. |
489 | * @typedef {{callback:(Function|undefined), |
490 | * errback:(Function|undefined), |
491 | * fulfill: function(*), reject: function(*)}} |
492 | * @private |
493 | */ |
494 | webdriver.promise.Deferred.Listener_; |
495 | |
496 | |
497 | /** |
498 | * The three states a {@link webdriver.promise.Deferred} object may be in. |
499 | * @enum {number} |
500 | * @private |
501 | */ |
502 | webdriver.promise.Deferred.State_ = { |
503 | REJECTED: -1, |
504 | PENDING: 0, |
505 | BLOCKED: 1, |
506 | RESOLVED: 2 |
507 | }; |
508 | |
509 | |
510 | /** |
511 | * Tests if a value is an Error-like object. This is more than an straight |
512 | * instanceof check since the value may originate from another context. |
513 | * @param {*} value The value to test. |
514 | * @return {boolean} Whether the value is an error. |
515 | * @private |
516 | */ |
517 | webdriver.promise.isError_ = function(value) { |
518 | return value instanceof Error || |
519 | goog.isObject(value) && |
520 | (Object.prototype.toString.call(value) === '[object Error]' || |
521 | // A special test for goog.testing.JsUnitException. |
522 | value.isJsUnitException); |
523 | |
524 | }; |
525 | |
526 | |
527 | /** |
528 | * Determines whether a {@code value} should be treated as a promise. |
529 | * Any object whose "then" property is a function will be considered a promise. |
530 | * |
531 | * @param {*} value The value to test. |
532 | * @return {boolean} Whether the value is a promise. |
533 | */ |
534 | webdriver.promise.isPromise = function(value) { |
535 | return !!value && goog.isObject(value) && |
536 | // Use array notation so the Closure compiler does not obfuscate away our |
537 | // contract. |
538 | goog.isFunction(value['then']); |
539 | }; |
540 | |
541 | |
542 | /** |
543 | * Creates a promise that will be resolved at a set time in the future. |
544 | * @param {number} ms The amount of time, in milliseconds, to wait before |
545 | * resolving the promise. |
546 | * @return {!webdriver.promise.Promise} The promise. |
547 | */ |
548 | webdriver.promise.delayed = function(ms) { |
549 | var timer = webdriver.promise.controlFlow().timer; |
550 | var key; |
551 | var deferred = new webdriver.promise.Deferred(function() { |
552 | timer.clearTimeout(key); |
553 | }); |
554 | key = timer.setTimeout(deferred.fulfill, ms); |
555 | return deferred.promise; |
556 | }; |
557 | |
558 | |
559 | /** |
560 | * Creates a new deferred object. |
561 | * @param {Function=} opt_canceller Function to call when cancelling the |
562 | * computation of this instance's value. |
563 | * @return {!webdriver.promise.Deferred.<T>} The new deferred object. |
564 | * @template T |
565 | */ |
566 | webdriver.promise.defer = function(opt_canceller) { |
567 | return new webdriver.promise.Deferred(opt_canceller); |
568 | }; |
569 | |
570 | |
571 | /** |
572 | * Creates a promise that has been resolved with the given value. |
573 | * @param {T=} opt_value The resolved value. |
574 | * @return {!webdriver.promise.Promise.<T>} The resolved promise. |
575 | * @template T |
576 | */ |
577 | webdriver.promise.fulfilled = function(opt_value) { |
578 | if (opt_value instanceof webdriver.promise.Promise) { |
579 | return opt_value; |
580 | } |
581 | var deferred = new webdriver.promise.Deferred(); |
582 | deferred.fulfill(opt_value); |
583 | return deferred.promise; |
584 | }; |
585 | |
586 | |
587 | /** |
588 | * Creates a promise that has been rejected with the given reason. |
589 | * @param {*=} opt_reason The rejection reason; may be any value, but is |
590 | * usually an Error or a string. |
591 | * @return {!webdriver.promise.Promise.<T>} The rejected promise. |
592 | * @template T |
593 | */ |
594 | webdriver.promise.rejected = function(opt_reason) { |
595 | var deferred = new webdriver.promise.Deferred(); |
596 | deferred.reject(opt_reason); |
597 | return deferred.promise; |
598 | }; |
599 | |
600 | |
601 | /** |
602 | * Wraps a function that is assumed to be a node-style callback as its final |
603 | * argument. This callback takes two arguments: an error value (which will be |
604 | * null if the call succeeded), and the success value as the second argument. |
605 | * If the call fails, the returned promise will be rejected, otherwise it will |
606 | * be resolved with the result. |
607 | * @param {!Function} fn The function to wrap. |
608 | * @return {!webdriver.promise.Promise} A promise that will be resolved with the |
609 | * result of the provided function's callback. |
610 | */ |
611 | webdriver.promise.checkedNodeCall = function(fn) { |
612 | var deferred = new webdriver.promise.Deferred(function() { |
613 | throw Error('This Deferred may not be cancelled'); |
614 | }); |
615 | try { |
616 | fn(function(error, value) { |
617 | error ? deferred.reject(error) : deferred.fulfill(value); |
618 | }); |
619 | } catch (ex) { |
620 | deferred.reject(ex); |
621 | } |
622 | return deferred.promise; |
623 | }; |
624 | |
625 | |
626 | /** |
627 | * Registers an observer on a promised {@code value}, returning a new promise |
628 | * that will be resolved when the value is. If {@code value} is not a promise, |
629 | * then the return promise will be immediately resolved. |
630 | * @param {*} value The value to observe. |
631 | * @param {Function=} opt_callback The function to call when the value is |
632 | * resolved successfully. |
633 | * @param {Function=} opt_errback The function to call when the value is |
634 | * rejected. |
635 | * @return {!webdriver.promise.Promise} A new promise. |
636 | */ |
637 | webdriver.promise.when = function(value, opt_callback, opt_errback) { |
638 | if (value instanceof webdriver.promise.Promise) { |
639 | return value.then(opt_callback, opt_errback); |
640 | } |
641 | |
642 | var deferred = new webdriver.promise.Deferred(); |
643 | |
644 | webdriver.promise.asap(value, deferred.fulfill, deferred.reject); |
645 | |
646 | return deferred.then(opt_callback, opt_errback); |
647 | }; |
648 | |
649 | |
650 | /** |
651 | * Invokes the appropriate callback function as soon as a promised |
652 | * {@code value} is resolved. This function is similar to |
653 | * {@link webdriver.promise.when}, except it does not return a new promise. |
654 | * @param {*} value The value to observe. |
655 | * @param {Function} callback The function to call when the value is |
656 | * resolved successfully. |
657 | * @param {Function=} opt_errback The function to call when the value is |
658 | * rejected. |
659 | */ |
660 | webdriver.promise.asap = function(value, callback, opt_errback) { |
661 | if (webdriver.promise.isPromise(value)) { |
662 | value.then(callback, opt_errback); |
663 | |
664 | // Maybe a Dojo-like deferred object? |
665 | } else if (!!value && goog.isObject(value) && |
666 | goog.isFunction(value.addCallbacks)) { |
667 | value.addCallbacks(callback, opt_errback); |
668 | |
669 | // A raw value, return a resolved promise. |
670 | } else if (callback) { |
671 | callback(value); |
672 | } |
673 | }; |
674 | |
675 | |
676 | /** |
677 | * Given an array of promises, will return a promise that will be fulfilled |
678 | * with the fulfillment values of the input array's values. If any of the |
679 | * input array's promises are rejected, the returned promise will be rejected |
680 | * with the same reason. |
681 | * |
682 | * @param {!Array.<(T|!webdriver.promise.Promise.<T>)>} arr An array of |
683 | * promises to wait on. |
684 | * @return {!webdriver.promise.Promise.<!Array.<T>>} A promise that is |
685 | * fulfilled with an array containing the fulfilled values of the |
686 | * input array, or rejected with the same reason as the first |
687 | * rejected value. |
688 | * @template T |
689 | */ |
690 | webdriver.promise.all = function(arr) { |
691 | var n = arr.length; |
692 | if (!n) { |
693 | return webdriver.promise.fulfilled([]); |
694 | } |
695 | |
696 | var toFulfill = n; |
697 | var result = webdriver.promise.defer(); |
698 | var values = []; |
699 | |
700 | var onFulfill = function(index, value) { |
701 | values[index] = value; |
702 | toFulfill--; |
703 | if (toFulfill == 0) { |
704 | result.fulfill(values); |
705 | } |
706 | }; |
707 | |
708 | for (var i = 0; i < n; ++i) { |
709 | webdriver.promise.asap( |
710 | arr[i], goog.partial(onFulfill, i), result.reject); |
711 | } |
712 | |
713 | return result.promise; |
714 | }; |
715 | |
716 | |
717 | /** |
718 | * Calls a function for each element in an array and inserts the result into a |
719 | * new array, which is used as the fulfillment value of the promise returned |
720 | * by this function. |
721 | * |
722 | * <p>If the return value of the mapping function is a promise, this function |
723 | * will wait for it to be fulfilled before inserting it into the new array. |
724 | * |
725 | * <p>If the mapping function throws or returns a rejected promise, the |
726 | * promise returned by this function will be rejected with the same reason. |
727 | * Only the first failure will be reported; all subsequent errors will be |
728 | * silently ignored. |
729 | * |
730 | * @param {!(Array.<TYPE>|webdriver.promise.Promise.<!Array.<TYPE>>)} arr The |
731 | * array to iterator over, or a promise that will resolve to said array. |
732 | * @param {function(this: SELF, TYPE, number, !Array.<TYPE>): ?} fn The |
733 | * function to call for each element in the array. This function should |
734 | * expect three arguments (the element, the index, and the array itself. |
735 | * @param {SELF=} opt_self The object to be used as the value of 'this' within |
736 | * {@code fn}. |
737 | * @template TYPE, SELF |
738 | */ |
739 | webdriver.promise.map = function(arr, fn, opt_self) { |
740 | return webdriver.promise.when(arr, function(arr) { |
741 | var result = goog.array.map(arr, fn, opt_self); |
742 | return webdriver.promise.all(result); |
743 | }); |
744 | }; |
745 | |
746 | |
747 | /** |
748 | * Calls a function for each element in an array, and if the function returns |
749 | * true adds the element to a new array. |
750 | * |
751 | * <p>If the return value of the filter function is a promise, this function |
752 | * will wait for it to be fulfilled before determining whether to insert the |
753 | * element into the new array. |
754 | * |
755 | * <p>If the filter function throws or returns a rejected promise, the promise |
756 | * returned by this function will be rejected with the same reason. Only the |
757 | * first failure will be reported; all subsequent errors will be silently |
758 | * ignored. |
759 | * |
760 | * @param {!(Array.<TYPE>|webdriver.promise.Promise.<!Array.<TYPE>>)} arr The |
761 | * array to iterator over, or a promise that will resolve to said array. |
762 | * @param {function(this: SELF, TYPE, number, !Array.<TYPE>): ( |
763 | * boolean|webdriver.promise.Promise.<boolean>)} fn The function |
764 | * to call for each element in the array. |
765 | * @param {SELF=} opt_self The object to be used as the value of 'this' within |
766 | * {@code fn}. |
767 | * @template TYPE, SELF |
768 | */ |
769 | webdriver.promise.filter = function(arr, fn, opt_self) { |
770 | return webdriver.promise.when(arr, function(arr) { |
771 | var originalValues = goog.array.clone(arr); |
772 | return webdriver.promise.map(arr, fn, opt_self).then(function(include) { |
773 | return goog.array.filter(originalValues, function(value, index) { |
774 | return include[index]; |
775 | }); |
776 | }); |
777 | }); |
778 | }; |
779 | |
780 | |
781 | /** |
782 | * Returns a promise that will be resolved with the input value in a |
783 | * fully-resolved state. If the value is an array, each element will be fully |
784 | * resolved. Likewise, if the value is an object, all keys will be fully |
785 | * resolved. In both cases, all nested arrays and objects will also be |
786 | * fully resolved. All fields are resolved in place; the returned promise will |
787 | * resolve on {@code value} and not a copy. |
788 | * |
789 | * Warning: This function makes no checks against objects that contain |
790 | * cyclical references: |
791 | * <pre><code> |
792 | * var value = {}; |
793 | * value['self'] = value; |
794 | * webdriver.promise.fullyResolved(value); // Stack overflow. |
795 | * </code></pre> |
796 | * |
797 | * @param {*} value The value to fully resolve. |
798 | * @return {!webdriver.promise.Promise} A promise for a fully resolved version |
799 | * of the input value. |
800 | */ |
801 | webdriver.promise.fullyResolved = function(value) { |
802 | if (webdriver.promise.isPromise(value)) { |
803 | return webdriver.promise.when(value, webdriver.promise.fullyResolveValue_); |
804 | } |
805 | return webdriver.promise.fullyResolveValue_(value); |
806 | }; |
807 | |
808 | |
809 | /** |
810 | * @param {*} value The value to fully resolve. If a promise, assumed to |
811 | * already be resolved. |
812 | * @return {!webdriver.promise.Promise} A promise for a fully resolved version |
813 | * of the input value. |
814 | * @private |
815 | */ |
816 | webdriver.promise.fullyResolveValue_ = function(value) { |
817 | switch (goog.typeOf(value)) { |
818 | case 'array': |
819 | return webdriver.promise.fullyResolveKeys_( |
820 | /** @type {!Array} */ (value)); |
821 | |
822 | case 'object': |
823 | if (webdriver.promise.isPromise(value)) { |
824 | // We get here when the original input value is a promise that |
825 | // resolves to itself. When the user provides us with such a promise, |
826 | // trust that it counts as a "fully resolved" value and return it. |
827 | // Of course, since it's already a promise, we can just return it |
828 | // to the user instead of wrapping it in another promise. |
829 | return /** @type {!webdriver.promise.Promise} */ (value); |
830 | } |
831 | |
832 | if (goog.isNumber(value.nodeType) && |
833 | goog.isObject(value.ownerDocument) && |
834 | goog.isNumber(value.ownerDocument.nodeType)) { |
835 | // DOM node; return early to avoid infinite recursion. Should we |
836 | // only support objects with a certain level of nesting? |
837 | return webdriver.promise.fulfilled(value); |
838 | } |
839 | |
840 | return webdriver.promise.fullyResolveKeys_( |
841 | /** @type {!Object} */ (value)); |
842 | |
843 | default: // boolean, function, null, number, string, undefined |
844 | return webdriver.promise.fulfilled(value); |
845 | } |
846 | }; |
847 | |
848 | |
849 | /** |
850 | * @param {!(Array|Object)} obj the object to resolve. |
851 | * @return {!webdriver.promise.Promise} A promise that will be resolved with the |
852 | * input object once all of its values have been fully resolved. |
853 | * @private |
854 | */ |
855 | webdriver.promise.fullyResolveKeys_ = function(obj) { |
856 | var isArray = goog.isArray(obj); |
857 | var numKeys = isArray ? obj.length : goog.object.getCount(obj); |
858 | if (!numKeys) { |
859 | return webdriver.promise.fulfilled(obj); |
860 | } |
861 | |
862 | var numResolved = 0; |
863 | var deferred = new webdriver.promise.Deferred(); |
864 | |
865 | // In pre-IE9, goog.array.forEach will not iterate properly over arrays |
866 | // containing undefined values because "index in array" returns false |
867 | // when array[index] === undefined (even for x = [undefined, 1]). To get |
868 | // around this, we need to use our own forEach implementation. |
869 | // DO NOT REMOVE THIS UNTIL WE NO LONGER SUPPORT IE8. This cannot be |
870 | // reproduced in IE9 by changing the browser/document modes, it requires an |
871 | // actual pre-IE9 browser. Yay, IE! |
872 | var forEachKey = !isArray ? goog.object.forEach : function(arr, fn) { |
873 | var n = arr.length; |
874 | for (var i = 0; i < n; ++i) { |
875 | fn.call(null, arr[i], i, arr); |
876 | } |
877 | }; |
878 | |
879 | forEachKey(obj, function(partialValue, key) { |
880 | var type = goog.typeOf(partialValue); |
881 | if (type != 'array' && type != 'object') { |
882 | maybeResolveValue(); |
883 | return; |
884 | } |
885 | |
886 | webdriver.promise.fullyResolved(partialValue).then( |
887 | function(resolvedValue) { |
888 | obj[key] = resolvedValue; |
889 | maybeResolveValue(); |
890 | }, |
891 | deferred.reject); |
892 | }); |
893 | |
894 | return deferred.promise; |
895 | |
896 | function maybeResolveValue() { |
897 | if (++numResolved == numKeys) { |
898 | deferred.fulfill(obj); |
899 | } |
900 | } |
901 | }; |
902 | |
903 | |
904 | ////////////////////////////////////////////////////////////////////////////// |
905 | // |
906 | // webdriver.promise.ControlFlow |
907 | // |
908 | ////////////////////////////////////////////////////////////////////////////// |
909 | |
910 | |
911 | |
912 | /** |
913 | * Handles the execution of scheduled tasks, each of which may be an |
914 | * asynchronous operation. The control flow will ensure tasks are executed in |
915 | * the ordered scheduled, starting each task only once those before it have |
916 | * completed. |
917 | * |
918 | * <p>Each task scheduled within this flow may return a |
919 | * {@link webdriver.promise.Promise} to indicate it is an asynchronous |
920 | * operation. The ControlFlow will wait for such promises to be resolved before |
921 | * marking the task as completed. |
922 | * |
923 | * <p>Tasks and each callback registered on a {@link webdriver.promise.Deferred} |
924 | * will be run in their own ControlFlow frame. Any tasks scheduled within a |
925 | * frame will have priority over previously scheduled tasks. Furthermore, if |
926 | * any of the tasks in the frame fails, the remainder of the tasks in that frame |
927 | * will be discarded and the failure will be propagated to the user through the |
928 | * callback/task's promised result. |
929 | * |
930 | * <p>Each time a ControlFlow empties its task queue, it will fire an |
931 | * {@link webdriver.promise.ControlFlow.EventType.IDLE} event. Conversely, |
932 | * whenever the flow terminates due to an unhandled error, it will remove all |
933 | * remaining tasks in its queue and fire an |
934 | * {@link webdriver.promise.ControlFlow.EventType.UNCAUGHT_EXCEPTION} event. If |
935 | * there are no listeners registered with the flow, the error will be |
936 | * rethrown to the global error handler. |
937 | * |
938 | * @param {webdriver.promise.ControlFlow.Timer=} opt_timer The timer object |
939 | * to use. Should only be set for testing. |
940 | * @constructor |
941 | * @extends {webdriver.EventEmitter} |
942 | */ |
943 | webdriver.promise.ControlFlow = function(opt_timer) { |
944 | webdriver.EventEmitter.call(this); |
945 | |
946 | /** |
947 | * The timer used by this instance. |
948 | * @type {webdriver.promise.ControlFlow.Timer} |
949 | */ |
950 | this.timer = opt_timer || webdriver.promise.ControlFlow.defaultTimer; |
951 | |
952 | /** |
953 | * A list of recent tasks. Each time a new task is started, or a frame is |
954 | * completed, the previously recorded task is removed from this list. If |
955 | * there are multiple tasks, task N+1 is considered a sub-task of task |
956 | * N. |
957 | * @private {!Array.<!webdriver.promise.Task_>} |
958 | */ |
959 | this.history_ = []; |
960 | }; |
961 | goog.inherits(webdriver.promise.ControlFlow, webdriver.EventEmitter); |
962 | |
963 | |
964 | /** |
965 | * @typedef {{clearInterval: function(number), |
966 | * clearTimeout: function(number), |
967 | * setInterval: function(!Function, number): number, |
968 | * setTimeout: function(!Function, number): number}} |
969 | */ |
970 | webdriver.promise.ControlFlow.Timer; |
971 | |
972 | |
973 | /** |
974 | * The default timer object, which uses the global timer functions. |
975 | * @type {webdriver.promise.ControlFlow.Timer} |
976 | */ |
977 | webdriver.promise.ControlFlow.defaultTimer = (function() { |
978 | // The default timer functions may be defined as free variables for the |
979 | // current context, so do not reference them using "window" or |
980 | // "goog.global". Also, we must invoke them in a closure, and not using |
981 | // bind(), so we do not get "TypeError: Illegal invocation" (WebKit) or |
982 | // "Invalid calling object" (IE) errors. |
983 | return { |
984 | clearInterval: wrap(clearInterval), |
985 | clearTimeout: wrap(clearTimeout), |
986 | setInterval: wrap(setInterval), |
987 | setTimeout: wrap(setTimeout) |
988 | }; |
989 | |
990 | function wrap(fn) { |
991 | return function() { |
992 | // Cannot use .call() or .apply() since we do not know which variable |
993 | // the function is bound to, and using the wrong one will generate |
994 | // an error. |
995 | return fn(arguments[0], arguments[1]); |
996 | }; |
997 | } |
998 | })(); |
999 | |
1000 | |
1001 | /** |
1002 | * Events that may be emitted by an {@link webdriver.promise.ControlFlow}. |
1003 | * @enum {string} |
1004 | */ |
1005 | webdriver.promise.ControlFlow.EventType = { |
1006 | |
1007 | /** Emitted when all tasks have been successfully executed. */ |
1008 | IDLE: 'idle', |
1009 | |
1010 | /** Emitted whenever a new task has been scheduled. */ |
1011 | SCHEDULE_TASK: 'scheduleTask', |
1012 | |
1013 | /** |
1014 | * Emitted whenever a control flow aborts due to an unhandled promise |
1015 | * rejection. This event will be emitted along with the offending rejection |
1016 | * reason. Upon emitting this event, the control flow will empty its task |
1017 | * queue and revert to its initial state. |
1018 | */ |
1019 | UNCAUGHT_EXCEPTION: 'uncaughtException' |
1020 | }; |
1021 | |
1022 | |
1023 | /** |
1024 | * How often, in milliseconds, the event loop should run. |
1025 | * @type {number} |
1026 | * @const |
1027 | */ |
1028 | webdriver.promise.ControlFlow.EVENT_LOOP_FREQUENCY = 10; |
1029 | |
1030 | |
1031 | /** |
1032 | * Tracks the active execution frame for this instance. Lazily initialized |
1033 | * when the first task is scheduled. |
1034 | * @private {webdriver.promise.Frame_} |
1035 | */ |
1036 | webdriver.promise.ControlFlow.prototype.activeFrame_ = null; |
1037 | |
1038 | |
1039 | /** |
1040 | * A reference to the frame in which new tasks should be scheduled. If |
1041 | * {@code null}, tasks will be scheduled within the active frame. When forcing |
1042 | * a function to run in the context of a new frame, this pointer is used to |
1043 | * ensure tasks are scheduled within the newly created frame, even though it |
1044 | * won't be active yet. |
1045 | * @private {webdriver.promise.Frame_} |
1046 | * @see {#runInNewFrame_} |
1047 | */ |
1048 | webdriver.promise.ControlFlow.prototype.schedulingFrame_ = null; |
1049 | |
1050 | |
1051 | /** |
1052 | * Timeout ID set when the flow is about to shutdown without any errors |
1053 | * being detected. Upon shutting down, the flow will emit an |
1054 | * {@link webdriver.promise.ControlFlow.EventType.IDLE} event. Idle events |
1055 | * always follow a brief timeout in order to catch latent errors from the last |
1056 | * completed task. If this task had a callback registered, but no errback, and |
1057 | * the task fails, the unhandled failure would not be reported by the promise |
1058 | * system until the next turn of the event loop: |
1059 | * |
1060 | * // Schedule 1 task that fails. |
1061 | * var result = webriver.promise.controlFlow().schedule('example', |
1062 | * function() { return webdriver.promise.rejected('failed'); }); |
1063 | * // Set a callback on the result. This delays reporting the unhandled |
1064 | * // failure for 1 turn of the event loop. |
1065 | * result.then(goog.nullFunction); |
1066 | * |
1067 | * @private {?number} |
1068 | */ |
1069 | webdriver.promise.ControlFlow.prototype.shutdownId_ = null; |
1070 | |
1071 | |
1072 | /** |
1073 | * Interval ID for this instance's event loop. |
1074 | * @private {?number} |
1075 | */ |
1076 | webdriver.promise.ControlFlow.prototype.eventLoopId_ = null; |
1077 | |
1078 | |
1079 | /** |
1080 | * The number of "pending" promise rejections. |
1081 | * |
1082 | * <p>Each time a promise is rejected and is not handled by a listener, it will |
1083 | * schedule a 0-based timeout to check if it is still unrejected in the next |
1084 | * turn of the JS-event loop. This allows listeners to attach to, and handle, |
1085 | * the rejected promise at any point in same turn of the event loop that the |
1086 | * promise was rejected. |
1087 | * |
1088 | * <p>When this flow's own event loop triggers, it will not run if there |
1089 | * are any outstanding promise rejections. This allows unhandled promises to |
1090 | * be reported before a new task is started, ensuring the error is reported to |
1091 | * the current task queue. |
1092 | * |
1093 | * @private {number} |
1094 | */ |
1095 | webdriver.promise.ControlFlow.prototype.pendingRejections_ = 0; |
1096 | |
1097 | |
1098 | /** |
1099 | * The number of aborted frames since the last time a task was executed or a |
1100 | * frame completed successfully. |
1101 | * @private {number} |
1102 | */ |
1103 | webdriver.promise.ControlFlow.prototype.numAbortedFrames_ = 0; |
1104 | |
1105 | |
1106 | /** |
1107 | * Resets this instance, clearing its queue and removing all event listeners. |
1108 | */ |
1109 | webdriver.promise.ControlFlow.prototype.reset = function() { |
1110 | this.activeFrame_ = null; |
1111 | this.clearHistory(); |
1112 | this.removeAllListeners(); |
1113 | this.cancelShutdown_(); |
1114 | this.cancelEventLoop_(); |
1115 | }; |
1116 | |
1117 | |
1118 | /** |
1119 | * Returns a summary of the recent task activity for this instance. This |
1120 | * includes the most recently completed task, as well as any parent tasks. In |
1121 | * the returned summary, the task at index N is considered a sub-task of the |
1122 | * task at index N+1. |
1123 | * @return {!Array.<string>} A summary of this instance's recent task |
1124 | * activity. |
1125 | */ |
1126 | webdriver.promise.ControlFlow.prototype.getHistory = function() { |
1127 | var pendingTasks = []; |
1128 | var currentFrame = this.activeFrame_; |
1129 | while (currentFrame) { |
1130 | var task = currentFrame.getPendingTask(); |
1131 | if (task) { |
1132 | pendingTasks.push(task); |
1133 | } |
1134 | // A frame's parent node will always be another frame. |
1135 | currentFrame = |
1136 | /** @type {webdriver.promise.Frame_} */ (currentFrame.getParent()); |
1137 | } |
1138 | |
1139 | var fullHistory = goog.array.concat(this.history_, pendingTasks); |
1140 | return goog.array.map(fullHistory, function(task) { |
1141 | return task.toString(); |
1142 | }); |
1143 | }; |
1144 | |
1145 | |
1146 | /** Clears this instance's task history. */ |
1147 | webdriver.promise.ControlFlow.prototype.clearHistory = function() { |
1148 | this.history_ = []; |
1149 | }; |
1150 | |
1151 | |
1152 | /** |
1153 | * Removes a completed task from this instance's history record. If any |
1154 | * tasks remain from aborted frames, those will be removed as well. |
1155 | * @private |
1156 | */ |
1157 | webdriver.promise.ControlFlow.prototype.trimHistory_ = function() { |
1158 | if (this.numAbortedFrames_) { |
1159 | goog.array.splice(this.history_, |
1160 | this.history_.length - this.numAbortedFrames_, |
1161 | this.numAbortedFrames_); |
1162 | this.numAbortedFrames_ = 0; |
1163 | } |
1164 | this.history_.pop(); |
1165 | }; |
1166 | |
1167 | |
1168 | /** |
1169 | * Property used to track whether an error has been annotated by |
1170 | * {@link webdriver.promise.ControlFlow#annotateError}. |
1171 | * @private {string} |
1172 | * @const |
1173 | */ |
1174 | webdriver.promise.ControlFlow.ANNOTATION_PROPERTY_ = |
1175 | 'webdriver_promise_error_'; |
1176 | |
1177 | |
1178 | /** |
1179 | * Appends a summary of this instance's recent task history to the given |
1180 | * error's stack trace. This function will also ensure the error's stack trace |
1181 | * is in canonical form. |
1182 | * @param {!(Error|goog.testing.JsUnitException)} e The error to annotate. |
1183 | * @return {!(Error|goog.testing.JsUnitException)} The annotated error. |
1184 | */ |
1185 | webdriver.promise.ControlFlow.prototype.annotateError = function(e) { |
1186 | if (!!e[webdriver.promise.ControlFlow.ANNOTATION_PROPERTY_]) { |
1187 | return e; |
1188 | } |
1189 | |
1190 | var history = this.getHistory(); |
1191 | if (history.length) { |
1192 | e = webdriver.stacktrace.format(e); |
1193 | |
1194 | /** @type {!Error} */(e).stack += [ |
1195 | '\n==== async task ====\n', |
1196 | history.join('\n==== async task ====\n') |
1197 | ].join(''); |
1198 | |
1199 | e[webdriver.promise.ControlFlow.ANNOTATION_PROPERTY_] = true; |
1200 | } |
1201 | |
1202 | return e; |
1203 | }; |
1204 | |
1205 | |
1206 | /** |
1207 | * @return {string} The scheduled tasks still pending with this instance. |
1208 | */ |
1209 | webdriver.promise.ControlFlow.prototype.getSchedule = function() { |
1210 | return this.activeFrame_ ? this.activeFrame_.getRoot().toString() : '[]'; |
1211 | }; |
1212 | |
1213 | |
1214 | /** |
1215 | * Schedules a task for execution. If there is nothing currently in the |
1216 | * queue, the task will be executed in the next turn of the event loop. |
1217 | * |
1218 | * @param {function(): (T|webdriver.promise.Promise.<T>)} fn The function to |
1219 | * call to start the task. If the function returns a |
1220 | * {@link webdriver.promise.Promise}, this instance will wait for it to be |
1221 | * resolved before starting the next task. |
1222 | * @param {string=} opt_description A description of the task. |
1223 | * @return {!webdriver.promise.Promise.<T>} A promise that will be resolved |
1224 | * with the result of the action. |
1225 | * @template T |
1226 | */ |
1227 | webdriver.promise.ControlFlow.prototype.execute = function( |
1228 | fn, opt_description) { |
1229 | this.cancelShutdown_(); |
1230 | |
1231 | if (!this.activeFrame_) { |
1232 | this.activeFrame_ = new webdriver.promise.Frame_(this); |
1233 | } |
1234 | |
1235 | // Trim an extra frame off the generated stack trace for the call to this |
1236 | // function. |
1237 | var snapshot = new webdriver.stacktrace.Snapshot(1); |
1238 | var task = new webdriver.promise.Task_( |
1239 | this, fn, opt_description || '', snapshot); |
1240 | var scheduleIn = this.schedulingFrame_ || this.activeFrame_; |
1241 | scheduleIn.addChild(task); |
1242 | |
1243 | this.emit(webdriver.promise.ControlFlow.EventType.SCHEDULE_TASK, opt_description); |
1244 | |
1245 | this.scheduleEventLoopStart_(); |
1246 | return task.promise; |
1247 | }; |
1248 | |
1249 | |
1250 | /** |
1251 | * Inserts a {@code setTimeout} into the command queue. This is equivalent to |
1252 | * a thread sleep in a synchronous programming language. |
1253 | * |
1254 | * @param {number} ms The timeout delay, in milliseconds. |
1255 | * @param {string=} opt_description A description to accompany the timeout. |
1256 | * @return {!webdriver.promise.Promise} A promise that will be resolved with |
1257 | * the result of the action. |
1258 | */ |
1259 | webdriver.promise.ControlFlow.prototype.timeout = function( |
1260 | ms, opt_description) { |
1261 | return this.execute(function() { |
1262 | return webdriver.promise.delayed(ms); |
1263 | }, opt_description); |
1264 | }; |
1265 | |
1266 | |
1267 | /** |
1268 | * Schedules a task that shall wait for a condition to hold. Each condition |
1269 | * function may return any value, but it will always be evaluated as a boolean. |
1270 | * |
1271 | * <p>Condition functions may schedule sub-tasks with this instance, however, |
1272 | * their execution time will be factored into whether a wait has timed out. |
1273 | * |
1274 | * <p>In the event a condition returns a Promise, the polling loop will wait for |
1275 | * it to be resolved before evaluating whether the condition has been satisfied. |
1276 | * The resolution time for a promise is factored into whether a wait has timed |
1277 | * out. |
1278 | * |
1279 | * <p>If the condition function throws, or returns a rejected promise, the |
1280 | * wait task will fail. |
1281 | * |
1282 | * @param {!Function} condition The condition function to poll. |
1283 | * @param {number} timeout How long to wait, in milliseconds, for the condition |
1284 | * to hold before timing out. |
1285 | * @param {string=} opt_message An optional error message to include if the |
1286 | * wait times out; defaults to the empty string. |
1287 | * @return {!webdriver.promise.Promise} A promise that will be resolved when the |
1288 | * condition has been satisified. The promise shall be rejected if the wait |
1289 | * times out waiting for the condition. |
1290 | */ |
1291 | webdriver.promise.ControlFlow.prototype.wait = function( |
1292 | condition, timeout, opt_message) { |
1293 | var sleep = Math.min(timeout, 100); |
1294 | var self = this; |
1295 | |
1296 | return this.execute(function() { |
1297 | var startTime = goog.now(); |
1298 | var waitResult = new webdriver.promise.Deferred(); |
1299 | var waitFrame = self.activeFrame_; |
1300 | waitFrame.isWaiting = true; |
1301 | pollCondition(); |
1302 | return waitResult.promise; |
1303 | |
1304 | function pollCondition() { |
1305 | self.runInNewFrame_(condition, function(value) { |
1306 | var elapsed = goog.now() - startTime; |
1307 | if (!!value) { |
1308 | waitFrame.isWaiting = false; |
1309 | waitResult.fulfill(value); |
1310 | } else if (elapsed >= timeout) { |
1311 | waitResult.reject(new Error((opt_message ? opt_message + '\n' : '') + |
1312 | 'Wait timed out after ' + elapsed + 'ms')); |
1313 | } else { |
1314 | self.timer.setTimeout(pollCondition, sleep); |
1315 | } |
1316 | }, waitResult.reject, true); |
1317 | } |
1318 | }, opt_message); |
1319 | }; |
1320 | |
1321 | |
1322 | /** |
1323 | * Schedules a task that will wait for another promise to resolve. The resolved |
1324 | * promise's value will be returned as the task result. |
1325 | * @param {!webdriver.promise.Promise} promise The promise to wait on. |
1326 | * @return {!webdriver.promise.Promise} A promise that will resolve when the |
1327 | * task has completed. |
1328 | */ |
1329 | webdriver.promise.ControlFlow.prototype.await = function(promise) { |
1330 | return this.execute(function() { |
1331 | return promise; |
1332 | }); |
1333 | }; |
1334 | |
1335 | |
1336 | /** |
1337 | * Schedules the interval for this instance's event loop, if necessary. |
1338 | * @private |
1339 | */ |
1340 | webdriver.promise.ControlFlow.prototype.scheduleEventLoopStart_ = function() { |
1341 | if (!this.eventLoopId_) { |
1342 | this.eventLoopId_ = this.timer.setInterval( |
1343 | goog.bind(this.runEventLoop_, this), |
1344 | webdriver.promise.ControlFlow.EVENT_LOOP_FREQUENCY); |
1345 | } |
1346 | }; |
1347 | |
1348 | |
1349 | /** |
1350 | * Cancels the event loop, if necessary. |
1351 | * @private |
1352 | */ |
1353 | webdriver.promise.ControlFlow.prototype.cancelEventLoop_ = function() { |
1354 | if (this.eventLoopId_) { |
1355 | this.timer.clearInterval(this.eventLoopId_); |
1356 | this.eventLoopId_ = null; |
1357 | } |
1358 | }; |
1359 | |
1360 | |
1361 | /** |
1362 | * Executes the next task for the current frame. If the current frame has no |
1363 | * more tasks, the frame's result will be resolved, returning control to the |
1364 | * frame's creator. This will terminate the flow if the completed frame was at |
1365 | * the top of the stack. |
1366 | * @private |
1367 | */ |
1368 | webdriver.promise.ControlFlow.prototype.runEventLoop_ = function() { |
1369 | // If we get here and there are pending promise rejections, then those |
1370 | // promises are queued up to run as soon as this (JS) event loop terminates. |
1371 | // Short-circuit our loop to give those promises a chance to run. Otherwise, |
1372 | // we might start a new task only to have it fail because of one of these |
1373 | // pending rejections. |
1374 | if (this.pendingRejections_) { |
1375 | return; |
1376 | } |
1377 | |
1378 | // If the flow aborts due to an unhandled exception after we've scheduled |
1379 | // another turn of the execution loop, we can end up in here with no tasks |
1380 | // left. This is OK, just quietly return. |
1381 | if (!this.activeFrame_) { |
1382 | this.commenceShutdown_(); |
1383 | return; |
1384 | } |
1385 | |
1386 | var task; |
1387 | if (this.activeFrame_.getPendingTask() || !(task = this.getNextTask_())) { |
1388 | // Either the current frame is blocked on a pending task, or we don't have |
1389 | // a task to finish because we've completed a frame. When completing a |
1390 | // frame, we must abort the event loop to allow the frame's promise's |
1391 | // callbacks to execute. |
1392 | return; |
1393 | } |
1394 | |
1395 | var activeFrame = this.activeFrame_; |
1396 | activeFrame.setPendingTask(task); |
1397 | var markTaskComplete = goog.bind(function() { |
1398 | this.history_.push(/** @type {!webdriver.promise.Task_} */ (task)); |
1399 | activeFrame.setPendingTask(null); |
1400 | }, this); |
1401 | |
1402 | this.trimHistory_(); |
1403 | var self = this; |
1404 | this.runInNewFrame_(task.execute, function(result) { |
1405 | markTaskComplete(); |
1406 | task.fulfill(result); |
1407 | }, function(error) { |
1408 | markTaskComplete(); |
1409 | |
1410 | if (!webdriver.promise.isError_(error) && |
1411 | !webdriver.promise.isPromise(error)) { |
1412 | error = Error(error); |
1413 | } |
1414 | |
1415 | task.reject(self.annotateError(/** @type {!Error} */ (error))); |
1416 | }, true); |
1417 | }; |
1418 | |
1419 | |
1420 | /** |
1421 | * @return {webdriver.promise.Task_} The next task to execute, or |
1422 | * {@code null} if a frame was resolved. |
1423 | * @private |
1424 | */ |
1425 | webdriver.promise.ControlFlow.prototype.getNextTask_ = function() { |
1426 | var firstChild = this.activeFrame_.getFirstChild(); |
1427 | if (!firstChild) { |
1428 | if (!this.activeFrame_.isWaiting) { |
1429 | this.resolveFrame_(this.activeFrame_); |
1430 | } |
1431 | return null; |
1432 | } |
1433 | |
1434 | if (firstChild instanceof webdriver.promise.Frame_) { |
1435 | this.activeFrame_ = firstChild; |
1436 | return this.getNextTask_(); |
1437 | } |
1438 | |
1439 | firstChild.getParent().removeChild(firstChild); |
1440 | return firstChild; |
1441 | }; |
1442 | |
1443 | |
1444 | /** |
1445 | * @param {!webdriver.promise.Frame_} frame The frame to resolve. |
1446 | * @private |
1447 | */ |
1448 | webdriver.promise.ControlFlow.prototype.resolveFrame_ = function(frame) { |
1449 | if (this.activeFrame_ === frame) { |
1450 | // Frame parent is always another frame, but the compiler is not smart |
1451 | // enough to recognize this. |
1452 | this.activeFrame_ = |
1453 | /** @type {webdriver.promise.Frame_} */ (frame.getParent()); |
1454 | } |
1455 | |
1456 | if (frame.getParent()) { |
1457 | frame.getParent().removeChild(frame); |
1458 | } |
1459 | this.trimHistory_(); |
1460 | frame.fulfill(); |
1461 | |
1462 | if (!this.activeFrame_) { |
1463 | this.commenceShutdown_(); |
1464 | } |
1465 | }; |
1466 | |
1467 | |
1468 | /** |
1469 | * Aborts the current frame. The frame, and all of the tasks scheduled within it |
1470 | * will be discarded. If this instance does not have an active frame, it will |
1471 | * immediately terminate all execution. |
1472 | * @param {*} error The reason the frame is being aborted; typically either |
1473 | * an Error or string. |
1474 | * @private |
1475 | */ |
1476 | webdriver.promise.ControlFlow.prototype.abortFrame_ = function(error) { |
1477 | // Annotate the error value if it is Error-like. |
1478 | if (webdriver.promise.isError_(error)) { |
1479 | this.annotateError(/** @type {!Error} */ (error)); |
1480 | } |
1481 | this.numAbortedFrames_++; |
1482 | |
1483 | if (!this.activeFrame_) { |
1484 | this.abortNow_(error); |
1485 | return; |
1486 | } |
1487 | |
1488 | // Frame parent is always another frame, but the compiler is not smart |
1489 | // enough to recognize this. |
1490 | var parent = /** @type {webdriver.promise.Frame_} */ ( |
1491 | this.activeFrame_.getParent()); |
1492 | if (parent) { |
1493 | parent.removeChild(this.activeFrame_); |
1494 | } |
1495 | |
1496 | var frame = this.activeFrame_; |
1497 | this.activeFrame_ = parent; |
1498 | frame.reject(error); |
1499 | }; |
1500 | |
1501 | |
1502 | /** |
1503 | * Executes a function in a new frame. If the function does not schedule any new |
1504 | * tasks, the frame will be discarded and the function's result returned |
1505 | * immediately. Otherwise, a promise will be returned. This promise will be |
1506 | * resolved with the function's result once all of the tasks scheduled within |
1507 | * the function have been completed. If the function's frame is aborted, the |
1508 | * returned promise will be rejected. |
1509 | * |
1510 | * @param {!Function} fn The function to execute. |
1511 | * @param {function(*)} callback The function to call with a successful result. |
1512 | * @param {function(*)} errback The function to call if there is an error. |
1513 | * @param {boolean=} opt_activate Whether the active frame should be updated to |
1514 | * the newly created frame so tasks are treated as sub-tasks. |
1515 | * @private |
1516 | */ |
1517 | webdriver.promise.ControlFlow.prototype.runInNewFrame_ = function( |
1518 | fn, callback, errback, opt_activate) { |
1519 | var newFrame = new webdriver.promise.Frame_(this), |
1520 | self = this, |
1521 | oldFrame = this.activeFrame_; |
1522 | |
1523 | try { |
1524 | if (!this.activeFrame_) { |
1525 | this.activeFrame_ = newFrame; |
1526 | } else { |
1527 | this.activeFrame_.addChild(newFrame); |
1528 | } |
1529 | |
1530 | // Activate the new frame to force tasks to be treated as sub-tasks of |
1531 | // the parent frame. |
1532 | if (opt_activate) { |
1533 | this.activeFrame_ = newFrame; |
1534 | } |
1535 | |
1536 | try { |
1537 | this.schedulingFrame_ = newFrame; |
1538 | webdriver.promise.pushFlow_(this); |
1539 | var result = fn(); |
1540 | } finally { |
1541 | webdriver.promise.popFlow_(); |
1542 | this.schedulingFrame_ = null; |
1543 | } |
1544 | newFrame.lockFrame(); |
1545 | |
1546 | // If there was nothing scheduled in the new frame we can discard the |
1547 | // frame and return immediately. |
1548 | if (!newFrame.children_.length) { |
1549 | removeNewFrame(); |
1550 | webdriver.promise.asap(result, callback, errback); |
1551 | return; |
1552 | } |
1553 | |
1554 | newFrame.then(function() { |
1555 | webdriver.promise.asap(result, callback, errback); |
1556 | }, function(e) { |
1557 | if (result instanceof webdriver.promise.Promise && result.isPending()) { |
1558 | result.cancel(e); |
1559 | e = result; |
1560 | } |
1561 | errback(e); |
1562 | }); |
1563 | } catch (ex) { |
1564 | removeNewFrame(new webdriver.promise.CanceledTaskError_(ex)); |
1565 | errback(ex); |
1566 | } |
1567 | |
1568 | /** |
1569 | * @param {webdriver.promise.CanceledTaskError_=} opt_err If provided, the |
1570 | * error that triggered the removal of this frame. |
1571 | */ |
1572 | function removeNewFrame(opt_err) { |
1573 | var parent = newFrame.getParent(); |
1574 | if (parent) { |
1575 | parent.removeChild(newFrame); |
1576 | } |
1577 | |
1578 | if (opt_err) { |
1579 | newFrame.cancelRemainingTasks(opt_err); |
1580 | } |
1581 | self.activeFrame_ = oldFrame; |
1582 | } |
1583 | }; |
1584 | |
1585 | |
1586 | /** |
1587 | * Commences the shutdown sequence for this instance. After one turn of the |
1588 | * event loop, this object will emit the |
1589 | * {@link webdriver.promise.ControlFlow.EventType.IDLE} event to signal |
1590 | * listeners that it has completed. During this wait, if another task is |
1591 | * scheduled, the shutdown will be aborted. |
1592 | * @private |
1593 | */ |
1594 | webdriver.promise.ControlFlow.prototype.commenceShutdown_ = function() { |
1595 | if (!this.shutdownId_) { |
1596 | // Go ahead and stop the event loop now. If we're in here, then there are |
1597 | // no more frames with tasks to execute. If we waited to cancel the event |
1598 | // loop in our timeout below, the event loop could trigger *before* the |
1599 | // timeout, generating an error from there being no frames. |
1600 | // If #execute is called before the timeout below fires, it will cancel |
1601 | // the timeout and restart the event loop. |
1602 | this.cancelEventLoop_(); |
1603 | |
1604 | var self = this; |
1605 | self.shutdownId_ = self.timer.setTimeout(function() { |
1606 | self.shutdownId_ = null; |
1607 | self.emit(webdriver.promise.ControlFlow.EventType.IDLE); |
1608 | }, 0); |
1609 | } |
1610 | }; |
1611 | |
1612 | |
1613 | /** |
1614 | * Cancels the shutdown sequence if it is currently scheduled. |
1615 | * @private |
1616 | */ |
1617 | webdriver.promise.ControlFlow.prototype.cancelShutdown_ = function() { |
1618 | if (this.shutdownId_) { |
1619 | this.timer.clearTimeout(this.shutdownId_); |
1620 | this.shutdownId_ = null; |
1621 | } |
1622 | }; |
1623 | |
1624 | |
1625 | /** |
1626 | * Aborts this flow, abandoning all remaining tasks. If there are |
1627 | * listeners registered, an {@code UNCAUGHT_EXCEPTION} will be emitted with the |
1628 | * offending {@code error}, otherwise, the {@code error} will be rethrown to the |
1629 | * global error handler. |
1630 | * @param {*} error Object describing the error that caused the flow to |
1631 | * abort; usually either an Error or string value. |
1632 | * @private |
1633 | */ |
1634 | webdriver.promise.ControlFlow.prototype.abortNow_ = function(error) { |
1635 | this.activeFrame_ = null; |
1636 | this.cancelShutdown_(); |
1637 | this.cancelEventLoop_(); |
1638 | |
1639 | var listeners = this.listeners( |
1640 | webdriver.promise.ControlFlow.EventType.UNCAUGHT_EXCEPTION); |
1641 | if (!listeners.length) { |
1642 | this.timer.setTimeout(function() { |
1643 | throw error; |
1644 | }, 0); |
1645 | } else { |
1646 | this.emit(webdriver.promise.ControlFlow.EventType.UNCAUGHT_EXCEPTION, |
1647 | error); |
1648 | } |
1649 | }; |
1650 | |
1651 | |
1652 | |
1653 | /** |
1654 | * A single node in an {@link webdriver.promise.ControlFlow}'s task tree. |
1655 | * @param {!webdriver.promise.ControlFlow} flow The flow this instance belongs |
1656 | * to. |
1657 | * @constructor |
1658 | * @extends {webdriver.promise.Deferred} |
1659 | * @private |
1660 | */ |
1661 | webdriver.promise.Node_ = function(flow) { |
1662 | webdriver.promise.Deferred.call(this, null, flow); |
1663 | }; |
1664 | goog.inherits(webdriver.promise.Node_, webdriver.promise.Deferred); |
1665 | |
1666 | |
1667 | /** |
1668 | * This node's parent. |
1669 | * @private {webdriver.promise.Node_} |
1670 | */ |
1671 | webdriver.promise.Node_.prototype.parent_ = null; |
1672 | |
1673 | |
1674 | /** @return {webdriver.promise.Node_} This node's parent. */ |
1675 | webdriver.promise.Node_.prototype.getParent = function() { |
1676 | return this.parent_; |
1677 | }; |
1678 | |
1679 | |
1680 | /** |
1681 | * @param {webdriver.promise.Node_} parent This node's new parent. |
1682 | */ |
1683 | webdriver.promise.Node_.prototype.setParent = function(parent) { |
1684 | this.parent_ = parent; |
1685 | }; |
1686 | |
1687 | |
1688 | /** |
1689 | * @return {!webdriver.promise.Node_} The root of this node's tree. |
1690 | */ |
1691 | webdriver.promise.Node_.prototype.getRoot = function() { |
1692 | var root = this; |
1693 | while (root.parent_) { |
1694 | root = root.parent_; |
1695 | } |
1696 | return root; |
1697 | }; |
1698 | |
1699 | |
1700 | |
1701 | /** |
1702 | * An execution frame within a {@link webdriver.promise.ControlFlow}. Each |
1703 | * frame represents the execution context for either a |
1704 | * {@link webdriver.promise.Task_} or a callback on a |
1705 | * {@link webdriver.promise.Deferred}. |
1706 | * |
1707 | * <p>Each frame may contain sub-frames. If child N is a sub-frame, then the |
1708 | * items queued within it are given priority over child N+1. |
1709 | * |
1710 | * @param {!webdriver.promise.ControlFlow} flow The flow this instance belongs |
1711 | * to. |
1712 | * @constructor |
1713 | * @extends {webdriver.promise.Node_} |
1714 | * @private |
1715 | */ |
1716 | webdriver.promise.Frame_ = function(flow) { |
1717 | webdriver.promise.Node_.call(this, flow); |
1718 | |
1719 | var reject = goog.bind(this.reject, this); |
1720 | var cancelRemainingTasks = goog.bind(this.cancelRemainingTasks, this); |
1721 | |
1722 | /** @override */ |
1723 | this.reject = function(e) { |
1724 | cancelRemainingTasks(new webdriver.promise.CanceledTaskError_(e)); |
1725 | reject(e); |
1726 | }; |
1727 | |
1728 | /** |
1729 | * @private {!Array.<!(webdriver.promise.Frame_|webdriver.promise.Task_)>} |
1730 | */ |
1731 | this.children_ = []; |
1732 | }; |
1733 | goog.inherits(webdriver.promise.Frame_, webdriver.promise.Node_); |
1734 | |
1735 | |
1736 | /** |
1737 | * The task currently being executed within this frame. |
1738 | * @private {webdriver.promise.Task_} |
1739 | */ |
1740 | webdriver.promise.Frame_.prototype.pendingTask_ = null; |
1741 | |
1742 | |
1743 | /** |
1744 | * Whether this frame is active. A frame is considered active once one of its |
1745 | * descendants has been removed for execution. |
1746 | * |
1747 | * Adding a sub-frame as a child to an active frame is an indication that |
1748 | * a callback to a {@link webdriver.promise.Deferred} is being invoked and any |
1749 | * tasks scheduled within it should have priority over previously scheduled |
1750 | * tasks: |
1751 | * <code><pre> |
1752 | * var flow = webdriver.promise.controlFlow(); |
1753 | * flow.execute('start here', goog.nullFunction).then(function() { |
1754 | * flow.execute('this should execute 2nd', goog.nullFunction); |
1755 | * }); |
1756 | * flow.execute('this should execute last', goog.nullFunction); |
1757 | * </pre></code> |
1758 | * |
1759 | * @private {boolean} |
1760 | */ |
1761 | webdriver.promise.Frame_.prototype.isActive_ = false; |
1762 | |
1763 | |
1764 | /** |
1765 | * Whether this frame is currently locked. A locked frame represents a callback |
1766 | * or task function which has run to completion and scheduled all of its tasks. |
1767 | * |
1768 | * <p>Once a frame becomes {@link #isActive_ active}, any new frames which are |
1769 | * added represent callbacks on a {@link webdriver.promise.Deferred}, whose |
1770 | * tasks must be given priority over previously scheduled tasks. |
1771 | * |
1772 | * @private {boolean} |
1773 | */ |
1774 | webdriver.promise.Frame_.prototype.isLocked_ = false; |
1775 | |
1776 | |
1777 | /** |
1778 | * A reference to the last node inserted in this frame. |
1779 | * @private {webdriver.promise.Node_} |
1780 | */ |
1781 | webdriver.promise.Frame_.prototype.lastInsertedChild_ = null; |
1782 | |
1783 | |
1784 | /** |
1785 | * Marks all of the tasks that are descendants of this frame in the execution |
1786 | * tree as cancelled. This is necessary for callbacks scheduled asynchronous. |
1787 | * For example: |
1788 | * |
1789 | * var someResult; |
1790 | * webdriver.promise.createFlow(function(flow) { |
1791 | * someResult = flow.execute(function() {}); |
1792 | * throw Error(); |
1793 | * }).addErrback(function(err) { |
1794 | * console.log('flow failed: ' + err); |
1795 | * someResult.then(function() { |
1796 | * console.log('task succeeded!'); |
1797 | * }, function(err) { |
1798 | * console.log('task failed! ' + err); |
1799 | * }); |
1800 | * }); |
1801 | * // flow failed: Error: boom |
1802 | * // task failed! CanceledTaskError: Task discarded due to a previous |
1803 | * // task failure: Error: boom |
1804 | * |
1805 | * @param {!webdriver.promise.CanceledTaskError_} error The cancellation |
1806 | * error. |
1807 | */ |
1808 | webdriver.promise.Frame_.prototype.cancelRemainingTasks = function(error) { |
1809 | goog.array.forEach(this.children_, function(child) { |
1810 | if (child instanceof webdriver.promise.Frame_) { |
1811 | child.cancelRemainingTasks(error); |
1812 | } else { |
1813 | // None of the previously registered listeners should be notified that |
1814 | // the task is being canceled, however, we need at least one errback |
1815 | // to prevent the cancellation from bubbling up. |
1816 | child.removeAll(); |
1817 | child.thenCatch(goog.nullFunction); |
1818 | child.cancel(error); |
1819 | } |
1820 | }); |
1821 | }; |
1822 | |
1823 | |
1824 | /** |
1825 | * @return {webdriver.promise.Task_} The task currently executing |
1826 | * within this frame, if any. |
1827 | */ |
1828 | webdriver.promise.Frame_.prototype.getPendingTask = function() { |
1829 | return this.pendingTask_; |
1830 | }; |
1831 | |
1832 | |
1833 | /** |
1834 | * @param {webdriver.promise.Task_} task The task currently |
1835 | * executing within this frame, if any. |
1836 | */ |
1837 | webdriver.promise.Frame_.prototype.setPendingTask = function(task) { |
1838 | this.pendingTask_ = task; |
1839 | }; |
1840 | |
1841 | |
1842 | /** Locks this frame. */ |
1843 | webdriver.promise.Frame_.prototype.lockFrame = function() { |
1844 | this.isLocked_ = true; |
1845 | }; |
1846 | |
1847 | |
1848 | /** |
1849 | * Adds a new node to this frame. |
1850 | * @param {!(webdriver.promise.Frame_|webdriver.promise.Task_)} node |
1851 | * The node to insert. |
1852 | */ |
1853 | webdriver.promise.Frame_.prototype.addChild = function(node) { |
1854 | if (this.lastInsertedChild_ && |
1855 | this.lastInsertedChild_ instanceof webdriver.promise.Frame_ && |
1856 | !this.lastInsertedChild_.isLocked_) { |
1857 | this.lastInsertedChild_.addChild(node); |
1858 | return; |
1859 | } |
1860 | |
1861 | node.setParent(this); |
1862 | |
1863 | if (this.isActive_ && node instanceof webdriver.promise.Frame_) { |
1864 | var index = 0; |
1865 | if (this.lastInsertedChild_ instanceof |
1866 | webdriver.promise.Frame_) { |
1867 | index = goog.array.indexOf(this.children_, this.lastInsertedChild_) + 1; |
1868 | } |
1869 | goog.array.insertAt(this.children_, node, index); |
1870 | this.lastInsertedChild_ = node; |
1871 | return; |
1872 | } |
1873 | |
1874 | this.lastInsertedChild_ = node; |
1875 | this.children_.push(node); |
1876 | }; |
1877 | |
1878 | |
1879 | /** |
1880 | * @return {(webdriver.promise.Frame_|webdriver.promise.Task_)} This frame's |
1881 | * fist child. |
1882 | */ |
1883 | webdriver.promise.Frame_.prototype.getFirstChild = function() { |
1884 | this.isActive_ = true; |
1885 | this.lastInsertedChild_ = null; |
1886 | return this.children_[0]; |
1887 | }; |
1888 | |
1889 | |
1890 | /** |
1891 | * Removes a child from this frame. |
1892 | * @param {!(webdriver.promise.Frame_|webdriver.promise.Task_)} child |
1893 | * The child to remove. |
1894 | */ |
1895 | webdriver.promise.Frame_.prototype.removeChild = function(child) { |
1896 | var index = goog.array.indexOf(this.children_, child); |
1897 | child.setParent(null); |
1898 | goog.array.removeAt(this.children_, index); |
1899 | if (this.lastInsertedChild_ === child) { |
1900 | this.lastInsertedChild_ = null; |
1901 | } |
1902 | }; |
1903 | |
1904 | |
1905 | /** @override */ |
1906 | webdriver.promise.Frame_.prototype.toString = function() { |
1907 | return '[' + goog.array.map(this.children_, function(child) { |
1908 | return child.toString(); |
1909 | }).join(', ') + ']'; |
1910 | }; |
1911 | |
1912 | |
1913 | |
1914 | /** |
1915 | * A task to be executed by a {@link webdriver.promise.ControlFlow}. |
1916 | * |
1917 | * @param {!webdriver.promise.ControlFlow} flow The flow this instances belongs |
1918 | * to. |
1919 | * @param {!Function} fn The function to call when the task executes. If it |
1920 | * returns a {@code webdriver.promise.Promise}, the flow will wait |
1921 | * for it to be resolved before starting the next task. |
1922 | * @param {string} description A description of the task for debugging. |
1923 | * @param {!webdriver.stacktrace.Snapshot} snapshot A snapshot of the stack |
1924 | * when this task was scheduled. |
1925 | * @constructor |
1926 | * @extends {webdriver.promise.Node_} |
1927 | * @private |
1928 | */ |
1929 | webdriver.promise.Task_ = function(flow, fn, description, snapshot) { |
1930 | webdriver.promise.Node_.call(this, flow); |
1931 | |
1932 | /** |
1933 | * Executes this task. |
1934 | * @type {!Function} |
1935 | */ |
1936 | this.execute = fn; |
1937 | |
1938 | /** @private {string} */ |
1939 | this.description_ = description; |
1940 | |
1941 | /** @private {!webdriver.stacktrace.Snapshot} */ |
1942 | this.snapshot_ = snapshot; |
1943 | }; |
1944 | goog.inherits(webdriver.promise.Task_, webdriver.promise.Node_); |
1945 | |
1946 | |
1947 | /** @return {string} This task's description. */ |
1948 | webdriver.promise.Task_.prototype.getDescription = function() { |
1949 | return this.description_; |
1950 | }; |
1951 | |
1952 | |
1953 | /** @override */ |
1954 | webdriver.promise.Task_.prototype.toString = function() { |
1955 | var stack = this.snapshot_.getStacktrace(); |
1956 | var ret = this.description_; |
1957 | if (stack.length) { |
1958 | if (this.description_) { |
1959 | ret += '\n'; |
1960 | } |
1961 | ret += stack.join('\n'); |
1962 | } |
1963 | return ret; |
1964 | }; |
1965 | |
1966 | |
1967 | |
1968 | /** |
1969 | * Special error used to signal when a task is canceled because a previous |
1970 | * task in the same frame failed. |
1971 | * @param {*} err The error that caused the task cancellation. |
1972 | * @constructor |
1973 | * @extends {goog.debug.Error} |
1974 | * @private |
1975 | */ |
1976 | webdriver.promise.CanceledTaskError_ = function(err) { |
1977 | goog.base(this, 'Task discarded due to a previous task failure: ' + err); |
1978 | }; |
1979 | goog.inherits(webdriver.promise.CanceledTaskError_, goog.debug.Error); |
1980 | |
1981 | |
1982 | /** @override */ |
1983 | webdriver.promise.CanceledTaskError_.prototype.name = 'CanceledTaskError'; |
1984 | |
1985 | |
1986 | |
1987 | /** |
1988 | * The default flow to use if no others are active. |
1989 | * @private {!webdriver.promise.ControlFlow} |
1990 | */ |
1991 | webdriver.promise.defaultFlow_ = new webdriver.promise.ControlFlow(); |
1992 | |
1993 | |
1994 | /** |
1995 | * A stack of active control flows, with the top of the stack used to schedule |
1996 | * commands. When there are multiple flows on the stack, the flow at index N |
1997 | * represents a callback triggered within a task owned by the flow at index |
1998 | * N-1. |
1999 | * @private {!Array.<!webdriver.promise.ControlFlow>} |
2000 | */ |
2001 | webdriver.promise.activeFlows_ = []; |
2002 | |
2003 | |
2004 | /** |
2005 | * Changes the default flow to use when no others are active. |
2006 | * @param {!webdriver.promise.ControlFlow} flow The new default flow. |
2007 | * @throws {Error} If the default flow is not currently active. |
2008 | */ |
2009 | webdriver.promise.setDefaultFlow = function(flow) { |
2010 | if (webdriver.promise.activeFlows_.length) { |
2011 | throw Error('You may only change the default flow while it is active'); |
2012 | } |
2013 | webdriver.promise.defaultFlow_ = flow; |
2014 | }; |
2015 | |
2016 | |
2017 | /** |
2018 | * @return {!webdriver.promise.ControlFlow} The currently active control flow. |
2019 | */ |
2020 | webdriver.promise.controlFlow = function() { |
2021 | return /** @type {!webdriver.promise.ControlFlow} */ ( |
2022 | goog.array.peek(webdriver.promise.activeFlows_) || |
2023 | webdriver.promise.defaultFlow_); |
2024 | }; |
2025 | |
2026 | |
2027 | /** |
2028 | * @param {!webdriver.promise.ControlFlow} flow The new flow. |
2029 | * @private |
2030 | */ |
2031 | webdriver.promise.pushFlow_ = function(flow) { |
2032 | webdriver.promise.activeFlows_.push(flow); |
2033 | }; |
2034 | |
2035 | |
2036 | /** @private */ |
2037 | webdriver.promise.popFlow_ = function() { |
2038 | webdriver.promise.activeFlows_.pop(); |
2039 | }; |
2040 | |
2041 | |
2042 | /** |
2043 | * Creates a new control flow. The provided callback will be invoked as the |
2044 | * first task within the new flow, with the flow as its sole argument. Returns |
2045 | * a promise that resolves to the callback result. |
2046 | * @param {function(!webdriver.promise.ControlFlow)} callback The entry point |
2047 | * to the newly created flow. |
2048 | * @return {!webdriver.promise.Promise} A promise that resolves to the callback |
2049 | * result. |
2050 | */ |
2051 | webdriver.promise.createFlow = function(callback) { |
2052 | var flow = new webdriver.promise.ControlFlow( |
2053 | webdriver.promise.defaultFlow_.timer); |
2054 | return flow.execute(function() { |
2055 | return callback(flow); |
2056 | }); |
2057 | }; |