I have a number of async tasks that need to be completed, so I'm using promises.
I need to detect when each one of the promises has been executed (both resolved and rejected). I must not continue execution until that point.
I was using something like this:
$.when(promise1, promise2, ...).always();
But this code is wrong, because the when
method has lazy evaluation, and it returns as soon as one of the promises fails. So the always
callback also runs as soon as one of the promises fail.
I was thinking in coding a workaround, but this use case is so common that maybe somebody has done it already, or maybe there's even a way of doing this using just jQuery (if not, it would be nice to add a Promise.whenNonLazy
or a Promise.when(promise1, promise2, ..., false)
in the future.
Is this possible?
More sophisticated promise libraries have an
allSettled()
function likeQ
orPromise.settle
like Bluebird.In jQuery, you could implement such a function yourself as well and extend the
$
namespace with it, but that will only be necessary if you need it often and performance-optimized.A simpler solution would be to create a new promise for each of the ones you are waiting for, and fulfilling them even when the underlying one is rejected. Then you can use
$.when()
on them without problems. In short:More stable:
You might change the
then
callbacks a bit to distinguish between fulfilled and rejected results in the finaldone
.Smithy,
First let's assume your promises are in an array.
What you appear to want is
.when()
applied to some transform of these promises, such that any rejected promise is converted to resolved, whilst being transparent to promises that are already resolved.The required operation can be written very succinctly as follows :
where
resolvize
is the transform mechanism.So what should
resolvize()
, look like? Let's exploit the characteristics of.then()
to make the distinction beteween a resolved and a rejected promise, and respond accordingly.untested
With
resolvize
in some outer scope, it can be made available to be used in a$.when.apply($.map(promises, resolvize))
expression wherever it is needed. This is most likely adequate, without going to the extent of extending jQuery with a new method.Regardless of how the transform is achieved, you end up with a potential issue; namely knowing for each argument of the
.done()
callback, whether its corresponding promise was originally resolved or rejected. That's the price you pay for converting rejection to resolution. You may, however, be able to detect the original status from the parameter(s) with which the original promises were resolved/rejected.That's an interesting property of
always
- I hadn't expected that behaviour.I suppose you could use a master, top-level deferred to monitor the states of the main deferreds, which is resolved only once the main deferreds are all either resolved or rejected. Something like:
Fiddle: http://jsfiddle.net/Wtxfy/3/