Get "PHP 8 in a Nuthshell" (Now comes with PHP 8.3)
Amit Merchant

Amit Merchant

A blog on PHP, JavaScript, and more

How to check if the API call is failing using Fetch in JavaScript

The Fetch API as we all know is the modern replacement to the good old XHRHttpRequest AKA Ajax as it’s much simpler and uses promises. It’s great to make API calls without adding any third-party library overhead.

So, for instance, if I want to make a GET call to this API (https://jsonplaceholder.typicode.com/posts/1), I can comfortably do it like so.

fetch('https://jsonplaceholder.typicode.com/posts/1')
  .then(response => {
    console.log('suucess!');
  })
  .catch(error => {
    console.log('API failure' + error);
  });

Now, as you can see here, the Fetch API will call the provided endpoint and return whatever response in form of a Promise. But there’s a catch. The Fetch API can’t distinguish between a successful or a bad response sent by the server.

Irrespective of bad response, say 404 or 500, it will still fulfill the promise and goes into then(). So, for instance, the following endpoint https://jsonplaceholder.typicode.com/posts/1483948389 would return 404 as 1483948389 is a non-existent post ID but still, the Fetch API wouldn’t throw any error.

To get around this, the Fetch API provides two object variables mainly status and ok.

  • Response.ok - Returns true if the response returned successfully.
  • Response.status - Returns status code of the response.

Using these object variables, one can identify if the request is successful or failing.

So, in the previous example, if we use some non-existent post ID, we can use status and ok the bad request like so.

fetch('https://jsonplaceholder.typicode.com/posts/1483948389')
  .then(response => {
    console.log(response.status, response.ok); // 404 false 
  })
  .catch(error => {
    console.log('API failure' + error);
  });

As you can see, the response.status states that the response is 404 and response.ok states that the request is failing. Check it in action below.

Like this article? Consider leaving a

Tip

👋 Hi there! I'm Amit. I write articles about all things web development. You can become a sponsor on my blog to help me continue my writing journey and get your brand in front of thousands of eyes.

Comments?