Skip to content Skip to sidebar Skip to footer

How Can I Tell If My Promise.all Is Running In Parallel?

I have the following Promise.all example. I was wondering if it was operating in 'parallel' in regards to the lambda.invoke? And how can I test if something is running parallel? Re

Solution 1:

You could count how many actions are started and haven't finished yet:

let running = 0;

  // Inside of the promise:
  running++;
  lambda.invoke(params, (err, data) => {
    running--;
    console.log(`lambda.invoked finished, ${running} tasks still running`);
  });

If invoke is synchronous, you get:

  lambda.invoked finished, 0 tasks still running
  lambda.invoked finished, 0 tasks still running
  lambda.invoked finished, 0 tasks still running

If it is asynchronous you get:

  lambda.invoked finished, 2 tasks still running
  lambda.invoked finished, 1 tasks still running
  lambda.invoked finished, 0 tasks still running

Solution 2:

One way to test would be to baseline how long the call should take, and how long it takes Promise.all to complete. If tasks are executed serially, and each call takes ~1 second, a list of 5 elements it should take ~5 seconds to complete. However, if they are running in parallel, they should take closer to ~1 second (although probably slightly higher due to inherent overhead). Basically, you are checking to see if it completes as quickly as the longest task, or if it completes after the sum of time it takes to complete all tasks.

Post a Comment for "How Can I Tell If My Promise.all Is Running In Parallel?"