Intro to JavaScript Promises β One Piece Edition β οΈπ΄ββ οΈ β
In this guide, we'll embark on an adventure to understand JavaScript Promises, using examples from the thrilling world of One Piece. We'll explore why Promises are powerful, how they compare to older methods, and how they can help you handle asynchronous operations more effectively.
Introduction to Promises β
Imagine you're Monkey D. Luffy, captain of the Straw Hat Pirates, coordinating various tasks to find the One Piece. Some tasks take time, and you don't want to wait idle for each to complete. Promises in JavaScript are like your trusted crewmates who promise to return with results in the future.
A Promise is an object representing the eventual completion or failure of an asynchronous operation.
Creating a Promise β
Let's dive into some examples.
Case 1: Successful Promise Resolution β
Luffy wants to recruit a new crewmate who is at least 18 years old.
let recruitPromise = new Promise((resolve, reject) => {
let age = 20;
if (age >= 18) {
resolve("Welcome aboard! π");
} else {
reject("You're too young! π
ββοΈ");
}
});
recruitPromise.then((message) => console.log(message));
console.log(recruitPromise, typeof recruitPromise);
Why use Promises over older methods?
- Clarity: Promises provide a cleaner way to handle asynchronous code compared to callbacks.
- Error Handling: Easier to handle errors with
.catch()
.
If we run the code, what will be logged to the console?
Answer
- It will log
"Welcome aboard! π"
from the.then()
handler. - It will also log the
Promise
object and"object"
as its type.
Try It Out
Modify the age
to 16
and observe what happens.
Task
- Change
let age = 20;
tolet age = 16;
. - Run the code and see the output.
What happens when the Promise is rejected but no .catch()
is provided?
Common Pitfall
If a Promise is rejected and there's no .catch()
, it leads to an Unhandled Promise Rejection error.
When we run the code with age = 16
, we'll see an error:
Uncaught (in promise) You're too young! π
ββοΈ
To handle this, we need to add a .catch()
method.
Case 2: Handling Rejection with .catch()
β
Let's handle the rejection properly.
let recruitPromise = new Promise((resolve, reject) => {
let age = 16;
if (age >= 18) {
resolve("Welcome aboard! π");
} else {
reject("You're too young! π
ββοΈ");
}
});
recruitPromise
.then((message) => console.log(message))
.catch((error) => console.log("Sorry, " + error));
Now, when the Promise is rejected, what will be the output?
Answer
Sorry, You're too young! π
ββοΈ
Case 3: Chaining .then()
Methods β
Sanji is cooking a meal, and each step depends on the previous.
let cookingPromise = new Promise((resolve, reject) => {
let ingredientsAvailable = true;
if (ingredientsAvailable) {
resolve("Ingredients ready π₯");
} else {
reject("Ingredients missing β");
}
});
cookingPromise
.then((message) => message + ", starting to cook π³")
.then((message) => message + ", meal is ready π")
.then((message) => console.log(message))
.catch((error) => console.log("Oh no! " + error));
If ingredientsAvailable
is true
, what will be the output?
Answer
Ingredients ready π₯, starting to cook π³, meal is ready π
Try It Out
Set ingredientsAvailable
to false
and see what happens.
Task
- Change
let ingredientsAvailable = true;
tolet ingredientsAvailable = false;
. - Run the code and observe the output.
What happens to the .then()
chain when the Promise is rejected?
Common Pitfall
When a Promise is rejected, all subsequent .then()
methods are skipped, and control goes to the .catch()
block.
The output will be:
Oh no! Ingredients missing β
Case 4: Continuing After .catch()
β
Zoro gets lost but wants to continue his journey.
let journeyPromise = new Promise((resolve, reject) => {
let knowsDirection = false;
if (knowsDirection) {
resolve("On the right path πΊοΈ");
} else {
reject("Lost in the woods π³");
}
});
journeyPromise
.then((message) => message + ", moving forward πΆ")
.catch((error) => {
console.log("Oops! " + error);
return "But I won't give up! πͺ";
})
.then((message) => console.log(message));
After handling the error in .catch()
, the chain continues.
What will be the output?
Answer
Oops! Lost in the woods π³
But I won't give up! πͺ
Important Note
If you return a value from the .catch()
block, it will be passed to the next .then()
.
Case 5: Asynchronous Operations with setTimeout
β
Usopp is preparing his slingshot, which takes some time.
let prepareWeapon = new Promise((resolve, reject) => {
let hasAmmo = true;
if (hasAmmo) {
setTimeout(() => {
resolve("Weapon ready π―");
}, 2000);
} else {
reject("Out of ammo π");
}
});
prepareWeapon
.then((message) => message + ", aiming at target π―")
.then((message) => console.log(message))
.catch((error) => console.log("Oh no! " + error));
After 2 seconds, what will be logged?
Answer
Weapon ready π―, aiming at target π―
Try It Out
Set hasAmmo
to false
and observe what happens.
Task
- Change
let hasAmmo = true;
tolet hasAmmo = false;
. - Run the code and see the output.
When hasAmmo
is false
, the output will be:
Oh no! Out of ammo π
Case 6: Chaining After Rejection β
Nami tries to retrieve a treasure map, but sometimes the map is unavailable.
let fetchMap = new Promise((resolve, reject) => {
let mapAvailable = false;
setTimeout(() => {
if (mapAvailable) {
resolve({ map: "Grand Line Map πΊοΈ" });
} else {
reject("Map not found π«");
}
}, 3000);
});
fetchMap
.then((data) => data.map)
.then((map) => map.toUpperCase())
.then((map) => console.log("Transformed Map:", map))
.catch((error) => {
console.log("Error:", error);
return "Using alternative route π";
})
.then((message) => console.log(message));
What will happen after 3 seconds?
Answer
Error: Map not found π«
Using alternative route π
Understanding
After the .catch()
, the chain continues, and we can provide an alternative solution.
Case 7: Multiple Scenarios and Error Handling β
Franky is building a new ship, but he needs special materials.
let buildShip = new Promise((resolve, reject) => {
let materialsAvailable = false;
let budget = 1000000; // in Berries
setTimeout(() => {
if (materialsAvailable && budget >= 500000) {
resolve("Ship is built π’");
} else if (!materialsAvailable) {
reject("Materials missing π§±");
} else if (budget < 500000) {
reject("Not enough budget π°");
}
}, 2000);
});
buildShip
.then((message) => console.log(message))
.catch((error) => {
console.log("Problem encountered: " + error);
return "Initiating backup plan π§";
})
.then((nextStep) => console.log(nextStep));
What will be the output?
Answer
Problem encountered: Materials missing π§±
Initiating backup plan π§
Try It Out
- Set
materialsAvailable
totrue
andbudget
to400000
. - What happens now?
Task
- Change
let materialsAvailable = false;
tolet materialsAvailable = true;
. - Change
let budget = 1000000;
tolet budget = 400000;
. - Run the code.
Answer
Problem encountered: Not enough budget π°
Initiating backup plan π§
Common Pitfalls β
Common Pitfall
- Forgetting to handle rejections: Always include a
.catch()
block to handle errors. - Not returning from
.then()
or.catch()
: To pass values down the chain, you must return them. - Assuming
.then()
runs after.catch()
: Once a Promise is rejected and caught, the chain continues from the next.then()
after the.catch()
.
Tasks for Practice β
Task 1: Luffy Waiting for Meat β
Create a Promise that simulates Luffy waiting for meat to cook, which takes 2 seconds. If meatAvailable
is true
, resolve with "Meat is ready π"; otherwise, reject with "No meat available π’".
Task
let cookMeat = new Promise((resolve, reject) => {
let meatAvailable = true;
// Your code here
});
cookMeat
.then((message) => console.log(message))
.catch((error) => console.log(error));
Solution
let cookMeat = new Promise((resolve, reject) => {
let meatAvailable = true;
setTimeout(() => {
if (meatAvailable) {
resolve("Meat is ready π");
} else {
reject("No meat available π’");
}
}, 2000);
});
cookMeat
.then((message) => console.log(message))
.catch((error) => console.log(error));
Task 2: Chopper's Medicine β
Chopper is preparing medicine, which takes 3 seconds. If ingredientsAvailable
is true
, resolve with "Medicine ready π"; otherwise, reject with "Ingredients missing π«". Chain .then()
methods to simulate giving the medicine to Luffy.
Task
- Create the Promise with a
setTimeout
. - Handle both resolved and rejected cases.
- Chain
.then()
methods to log "Giving medicine to Luffy πββοΈ" and "Luffy is healed! π".
Solution
let prepareMedicine = new Promise((resolve, reject) => {
let ingredientsAvailable = true;
setTimeout(() => {
if (ingredientsAvailable) {
resolve("Medicine ready π");
} else {
reject("Ingredients missing π«");
}
}, 3000);
});
prepareMedicine
.then((message) => {
console.log(message);
return "Giving medicine to Luffy πββοΈ";
})
.then((action) => {
console.log(action);
return "Luffy is healed! π";
})
.then((result) => console.log(result))
.catch((error) => console.log("Oh no! " + error));
Task 3: Robin's Research β
Robin is searching for Poneglyphs. The search takes 4 seconds. If locationKnown
is true
, resolve with "Found Poneglyph π"; otherwise, reject with "Location unknown β". Use .finally()
to log "Search operation completed π΅οΈββοΈ".
Task
- Create a Promise with a
setTimeout
. - Use
.then()
,.catch()
, and.finally()
. - Ensure the
.finally()
runs regardless of success or failure.
Solution
let searchPoneglyph = new Promise((resolve, reject) => {
let locationKnown = false;
setTimeout(() => {
if (locationKnown) {
resolve("Found Poneglyph π");
} else {
reject("Location unknown β");
}
}, 4000);
});
searchPoneglyph
.then((message) => console.log(message))
.catch((error) => console.log("Search failed: " + error))
.finally(() => console.log("Search operation completed π΅οΈββοΈ"));
Conclusion β
Promises are essential for managing asynchronous operations in JavaScript.
Key Takeaways:
- Use Promises to avoid callback hell.
- Always handle both resolved and rejected cases.
- Chain
.then()
and.catch()
for sequential operations. - Utilize
.finally()
for code that runs regardless of the Promise outcome.
Happy coding, and may your JavaScript journey be as adventurous as Luffy's quest for the One Piece! β οΈ