JavaScript promises seem straightforward until they become your worst nightmare. Understanding JavaScript promises clearly is crucial for writing better code. In this guide, you'll learn how to use them effectively, master advanced methods, and significantly improve your code.

What is a JavaScript Promise?
A promise is an object representing the eventual completion or failure of an asynchronous operation. It essentially says, "I'll do something, and I'll let you know when I'm done."
Promise States:
- Pending: Initial state.
- Fulfilled: Successful operation.
- Rejected: Failed operation.
const promise = new Promise((resolve, reject) => {
  setTimeout(() => resolve('Data received'), 1000);
});
How to Use Promises Correctly
The simplest way to work with promises is using .then() and .catch() methods:
promise
  .then(result => console.log(result))
  .catch(error => console.error(error));
Important: Always use .catch() to handle unexpected errors.
Promise Chaining
You can elegantly chain multiple asynchronous operations:
fetchData()
  .then(processData)
  .then(saveData)
  .catch(console.error);
This helps avoid the infamous "callback hell."
Advanced Methods: Promise.all, race, allSettled, and any
JavaScript provides powerful methods for handling multiple promises:
Promise.all(): Waits until all promises complete successfully. Immediately rejects if any promise fails.
Promise.race(): Resolves or rejects as soon as the first promise finishes, regardless of its outcome.
Promise.allSettled(): Waits until all promises finish, irrespective of their outcomes. Provides status for each promise, indicating success or failure.
Promise.any(): Returns the first successfully resolved promise. Ignores promises that are rejected. Only rejects if all promises fail.
What Happens if You Return Simple Values in .then()?
If you return a non-promise value in .then(), JavaScript automatically wraps it into a resolved promise:
Promise.resolve(5)
  .then(num => num * 2)
  .then(console.log); // 10
Improving Performance with Promises
Use Promise.all() to efficiently execute tasks in parallel:
const urls = ['url1', 'url2', 'url3'];
Promise.all(urls.map(url => fetch(url)))
  .then(responses => Promise.all(responses.map(r => r.json())))
  .then(data => console.log(data))
  .catch(console.error);
Practical Example:
Some time ago, I developed a sample app for students of one of the courses I teach. I used this method as follows:
function loadList() {
  _showLoadingMessage();
  return fetch(apiUrl).then(function (response) {
      return response.json();
    }).then(function (json) {
      apiUrl = json.next;
      const results = json.results.map(function (item) {
        let pokemon = {
          name: item.name,
          detailsUrl: item.url,
        };
        return _pokemonDetails(pokemon);
      });
      return Promise.all(results).then(() => _hideLoadingMessage());
    }).catch(function (e) {
      console.error(e);
      _hideLoadingMessage()
    });
}
You can see the full code here: cf-1-simple-js-app.
And you can see the application here: Pokédex
Converting Callbacks to Promises (promisify)
Simplify your code by transforming callbacks into promises using built-in modules:
const { promises: fs } = require('fs');
fs.readFile('file.txt', 'utf-8')
  .then(console.log)
  .catch(console.error);
Async/Await: Promises with Better Syntax
Async/Await significantly simplifies promise handling, making your code clearer and more readable:
async function fetchUser() {
  try {
    const response = await fetch('/user');
    const user = await response.json();
    console.log(user);
  } catch (error) {
    console.error('Error loading:', error);
  }
}
To learn more about Async/Await, read: A Comprehensive Guide to Async/Await in JavaScript
Common Errors with Promises and How to Avoid Them
- Not returning promises inside .then(): Breaks the chain.
- Forgetting .catch(): Unexpected errors in production.
- Unnecessary nesting: Makes maintenance difficult.
- Using promises within loops: Can affect performance.
Best Practices with Promises
- Prefer async/awaitfor clarity.
- Handle errors explicitly.
- Avoid excessively long .then()chains.
- Prioritize native methods (Promise.all,allSettled,any) as needed.
Frequently Asked Questions (FAQ) about JavaScript Promises
1. When should I use promises in JavaScript?
Use promises when handling asynchronous operations such as API requests, file read/write, or time-consuming tasks to avoid "callback hell."
2. Why use promises in JavaScript?
They simplify and organize asynchronous code management, enhance readability, and simplify error handling in complex operations.
3. What are the states of a promise in JavaScript?
- Pending: Initial state, neither resolved nor rejected.
- Fulfilled: Operation completed successfully.
- Rejected: Operation failed with an error.
4. How many parameters can the .then() method receive?
The .then() method can receive up to two optional parameters:
promise.then(
  result => { /* handle success */ },
  error => { /* handle error */ }
);
5. What are the limitations of JavaScript promises?
- No native cancellation support.
- Difficulty managing complex flows without careful planning.
- All operations within a promise are executed immediately.
- Error handling can become confusing.
Conclusion on JavaScript Promises
Now you have a comprehensive understanding of how JavaScript promises work.
Key takeaways:
- Clearly understand promise states and lifecycle.
- Leverage chaining and advanced methods to avoid common errors.
- Optimize performance using parallel promises.
- Simplify your code with async/awaitfor better readability.
To learn more about Promises: MDN Documentation
Happy coding 😎