Mastering JavaScript Promises:

Imagine you’re at a restaurant, eagerly waiting for your food. You place your order, and the waiter hands you a little ticket—a promise that your meal will arrive soon. You don’t sit there staring at the kitchen; you chat with friends or sip your drink while the kitchen works its magic. Eventually, your food arrives (yay!) or the waiter apologizes because they ran out of ingredients (boo!). Either way, life goes on.
In JavaScript, Promises work the same way. They’re a way to handle tasks that take time—like fetching data from a website or waiting for a file to load—without freezing your program. Whether you’re a beginner or just brushing up, this blog will walk you through everything you need to know about Promises, step by step, with examples you can relate to. Let’s dive in!
What Exactly is a Promise?
A Promise is an object that represents something that will happen in the future. It’s like a placeholder for a result that isn’t ready yet. Promises have three states:
Pending: The task is still in progress (your food is being cooked).
Resolved: The task finished successfully (your food is served!).
Rejected: Something went wrong (sorry, no food today).
Think of it as a contract: "I’ll try to do this, and I’ll let you know how it goes."
Creating a Promise: The Basics
Let’s start with a simple example. Imagine you ask a friend to grab you a snack. Here’s how that looks as a Promise in JavaScript:
let snackPromise = new Promise((resolve, reject) => {
let snack = "chips"; // Your friend has chips (or not)
setTimeout(() => { // Simulating a 2-second walk
if (snack) {
resolve("Here are your chips!"); // Success!
} else {
reject("Sorry, I forgot the snack."); // Failure
}
}, 2000);
});
new Promise creates the Promise.
It takes a function with two parameters: resolve (for success) and reject (for failure).
Inside, we decide what happens—here, it’s a 2-second delay to mimic waiting.
Handling Promises: .then(), .catch(), and .finally()
Once you’ve got a Promise, you need to handle its outcome. Here’s how:
.then(): When It Works
This runs if the Promise resolves (success).
snackPromise.then((message) => {
console.log(message); // "Here are your chips!"
});
.catch(): When It Fails
This catches any errors if the Promise rejects
snackPromise.catch((error) => {
console.log(error); // "Sorry, I forgot the snack."
});
.finally(): No Matter What
This runs whether the Promise resolves or rejects—perfect for cleanup.
snackPromise
.then((message) => console.log(message))
.catch((error) => console.log(error))
.finally(() => console.log("Okay, I’m done waiting now."));
Output (if snack exists):
(2 seconds pass)
Here are your chips!
Okay, I’m done waiting now.
Output (if snack is null):
(2 seconds pass)
Sorry, I forgot the snack.
Okay, I’m done waiting now.
Promise Chaining: Step-by-Step Tasks
Promises can be chained with multiple .then() calls, letting you sequence tasks. Imagine ordering food online:
let orderPromise = new Promise((resolve) => {
resolve("Order placed");
});
orderPromise
.then((result) => {
console.log(result); // "Order placed"
return "Cooking food"; // Pass to next step
})
.then((result) => {
console.log(result); // "Cooking food"
return "Food delivered";
})
.then((result) => {
console.log(result); // "Food delivered"
});
Output:
Order placed
Cooking food
Food delivered
Each .then() takes the result of the previous one, like a relay race!
Handling Multiple Promises: Promise.all() and Promise.race()
Sometimes you’re waiting on more than one thing. JavaScript has tools for that.
Promise.all(): Wait for Everything
This waits for all Promises to resolve. If any fail, it rejects.
let snack1 = Promise.resolve("Chips ready");
let snack2 = Promise.resolve("Soda ready");
Promise.all([snack1, snack2])
.then((results) => {
console.log(results); // ["Chips ready", "Soda ready"]
});
It’s like waiting for all your friends to arrive before eating.
Promise.race(): First One Wins
This resolves or rejects as soon as the first Promise settles.
let slowSnack = new Promise((resolve) => setTimeout(resolve, 1000, "Slow"));
let fastSnack = new Promise((resolve) => setTimeout(resolve, 500, "Fast"));
Promise.race([slowSnack, fastSnack])
.then((result) => {
console.log(result); // "Fast" (it finishes first)
});
Think of it as a race—whoever’s quickest gets your attention!
Quick Promises: Promise.resolve() and Promise.reject()
Need a Promise that’s already done? Use these shortcuts:
Promise.resolve("Instant win").then((msg) => console.log(msg)); // "Instant win"
Promise.reject("Instant loss").catch((err) => console.log(err)); // "Instant loss"
No delays, no fuss—just instant results.
Why Promises Matter
Promises are the backbone of asynchronous programming in JavaScript. They let your app stay responsive while waiting for slow stuff—like API calls, file uploads, or timeouts. Without them, your code would freeze, and nobody wants that!
Whether you’re fetching user data, loading images, or timing animations, Promises (and async/await) are your go-to tools. Start with the basics—.then(), .catch(), .finally()—and level up with chaining or Promise.all() as you need them.
Wrapping Up
Promises might seem tricky at first, but they’re just a way to say, "Hey, I’ll get back to you." With a little practice, you’ll be handling asynchronous tasks like a pro. Here’s a quick recap:
Create: new Promise((resolve, reject) => {...})
Handle: .then(), .catch(), .finally()
Chain: Multiple .then()s for steps
Multiples: Promise.all() or Promise.race()
Shortcuts: Promise.resolve() and Promise.reject()
Subscribe to my newsletter
Read articles from Dilip Asdeo directly inside your inbox. Subscribe to the newsletter, and don't miss out.
Written by
