A Generic Fetch Handler
The Fetch Helper
The code for fetching data is almost always the same:
In a
try
block,fetch
from a URL and parse the response as JSONIn a
catch
block, log the caughterror
. Any error that occurs in thetry
block will be caught by this one sharedcatch
block
The function below does the following:
It accepts a
url
and anoptions
argument allowing other types of requests to be made (POST, PATCH/PUT, DELETE, etc...). If the caller offetchData
does not provideoptions
, it will default to an empty object.If the
!response.ok
guard clause is triggered, an error is thrown instead of returning. This let's us handle4xx
and5xx
responses in thecatch
block and treat them the same as errors thrown byfetch
andresponse.json()
.It checks the content type of the
response
to determine how to parse (withresponse.json()
orresponse.text()
)
Why Are We Checking the Content Type?
We've added in one detail that can occasionally trip us up: the data is NOT in JSON format. DELETE
requests, for example, often do not return ANY data in response. In other cases, we may be fetching other data formats. In those cases, we can't use the response.json
function and instead will use response.text
to read the incoming response body ReadableStream
.
So, to make our function more flexible, we check the response.headers
to determine the contentType
and then use response.json()
if we're dealing with JSON, and response.text()
if we're dealing with anything else.
A Useful Improvement
One subtle change will make the function more easier to use.
This version returns the data in a "tuple" format — an array with 2 values where the first value is always the data (if present) and the second value is always the error (if present). Only one of the two values will ever be present.
Why return a tuple?
You may be wondering, why couldn't we write this helper function such that it just returns the data if there are no errors, or returns the error if there is one?
The reason we don't do this is to make the code that uses this function cleaner. The code that uses fetchData
will need to know if the data it receives is an error or JSON data.
The problem is that error
objects and the jsonData
can often be difficult to differentiate. An error
object will have a message
property, and often times, so do JSON response objects! Take the Dog Image API as an example. It will return its data like this:
Since error
objects and jsonData
objects can look so similar in their structure, we can't simply check the structure of the returned object to know if it was an error or JSON data. We could do something like this:
But if our fetchData
function always returns a [data, error]
tuple where one of those values will ALWAYS be null
while the other is defined, then the code that uses fetchData
will become much cleaner:
Last updated