πŸš€ Implementing a Polyfill for Promise.all in JavaScript

Anmol KansalAnmol Kansal
2 min read

Promise.all is a powerful built-in helper function in JavaScript that takes an array of promises and returns a new promise that resolves when all the given promises have resolved or rejects if any promise fails. But have you ever wondered how you can implement it yourself? Let’s dive in! πŸŠβ€β™‚οΈ

🧐 What Does Promise.all Do?

Before writing our version, let's understand how Promise.all works:

  • It takes an array of promises.

  • It resolves with an array of values when all promises are resolved.

  • It rejects immediately if any promise fails.

  • The order of resolved values remains the same as the input.

✍️ Polyfill for Promise.all

function promiseAll(promises) {
  return new Promise((resolve, reject) => {
    if (!Array.isArray(promises)) {
      return reject(new TypeError("Argument must be an array"));
    }

    let results = [];
    let completed = 0;
    let total = promises.length;

    if (total === 0) {
      return resolve([]);
    }

    promises.forEach((promise, index) => {
      Promise.resolve(promise)
        .then((value) => {
          results[index] = value;
          completed++;

          if (completed === total) {
            resolve(results);
          }
        })
        .catch(reject);
    });
  });
}

πŸ“Œ How It Works

  • We ensure the input is an array.

  • We initialize an empty results array to store resolved values.

  • We iterate over the promises and resolve them individually.

  • If all promises resolve, we return an array of results.

  • If any promise rejects, we immediately reject the entire Promise.all.

πŸ† Example Usage

const p1 = Promise.resolve(10);
const p2 = Promise.resolve(20);
const p3 = new Promise((resolve) => setTimeout(() => resolve(30), 1000));

promiseAll([p1, p2, p3]).then(console.log).catch(console.error);
// Output after 1 second: [10, 20, 30]

🎯 Final Thoughts

Implementing your own Promise.all helps you understand how promises work under the hood. It's a great concept for JavaScript interviews and building robust asynchronous applications.

Would you like to see polyfills for more Promise methods? Let me know in the comments! πŸš€

0
Subscribe to my newsletter

Read articles from Anmol Kansal directly inside your inbox. Subscribe to the newsletter, and don't miss out.

Written by

Anmol Kansal
Anmol Kansal

Web Development allows me to bring my ideas to life. Passionate about Web Development and Proficient in Data Structures and Algorithms, I like to solve challenging problems.