Waldo joins Tricentis, expanding mobile testing for higher-quality mobile apps – Learn more
App Development

Fetch in React Native: How to Get Data From an API

Siddhant Varma
Siddhant Varma
Fetch in React Native: How to Get Data From an API
April 4, 2022
9
min read

You see loads of discounted products and offers when you open your favorite shopping app. Your Netflix app shows you recent movies and TV shows on its homepage. Your Instagram account displays your profile information as soon as you navigate to the page.

The native app interacts with a back-end server or an API to fetch some data in all these situations. In fact, fetching data from an API is a common task for any front end or user-facing application. So, in this post, I'll walk you through how you can use Fetch in React Native to get data from an API.

Primer on Fetch API

Let's do a quick overview of the Fetch API. The Fetch API is available on the global window object of the browser. It allows developers to send HTTP requests, as well as receive and extract JSON data from the response. The same is implemented in React Native.

Therefore, we can use the Fetch API in React Native to interact with a remote data server or an API. Here's a simple example of the Fetch API:

 
 
fetch('https://jsonplaceholder.typicode.com/todos/1')
  .then(response => response.json())
  .then(data => console.log(data));

In the above case, our API endpoint is https://jsonplaceholder.typicode.com/todos/1. Fetch returns a promise so we can tack a .then() on it to convert the response to JSON format. This is also an asynchronous action and returns a promise. Hence, we tack on another .then() to extract the actual data.

Now, let's dive deeper into Fetch and see how we can use it to get real data from an API in a React Native app.

Create a New Expo Project

First, we'll create a new Expo project. Inside a directory of your choice, run the following command:

 
 
expo init rn-fetch-app

Then, head inside this project and kickstart the local development server:

 
 
cd rn-fetch-app && npm run start

We're all set up now!

Use Fetch to Get Data From an API

Now, let's use the Fetch API to grab some data from a dummy API. For the sake of this tutorial, we'll use the fake REST API offered by the JSON Placeholder API.

First, let's simply make a new API request to the users endpoint. This API will return us a list of 10 users with some data associated with each of the users. In our app, we'll first create a function that uses the Fetch API to get a response from this API and outputs the data on the console.

 
 
const getData=()=>{
    fetch('https://jsonplaceholder.typicode.com/users')
    .then(response=>response.json())
    .then(data=>console.log(data))
  }

Now, we'll invoke the above function inside the useEffect in our App.js file:

 
 
useEffect(() => {
    getData();
  },[])

Once you do that, you should see the user data logged on the console:

Handling Errors With Fetch

Sometimes your API might throw an error. This could be due to a number of scenarios. Maybe the server is down. It could also be that you didn't send the request to the correct endpoint. Another common scenario is that the user is out of network or WiFi, so a data connection cannot be established.

In all these cases, you need to handle the error returned by your API caller. You can handle errors with Fetch using the .catch block. Thus, whenever the Fetch request fails, your catch block will be invoked, which will automatically take an error object as a parameter.

You can then either log this error parameter to the console or display a custom error message to your user.

 
 
const getData=()=>{
    fetch('https://jsonplaceholder.typicode.com/users')
    .then(response=>response.json())
    .then(data=>console.log(data))
    .catch(error=>console.log(error))
  }

The above example represents the refactored version of the getData() function with error handling using the .catch handler. We'll talk more about another way to elegantly handle errors with Fetch requests later.

Display Data From Fetch

Now, let's hook our fetch API call with our app's UI. We receive the data from the users API, but since it's asynchronous, we'll also need some state to store it. Consequently, we'll also update our getData() function accordingly.

 
 
const [usersData,setUsersData]=useState([])
  const getData=()=>{
    fetch('https://jsonplaceholder.typicode.com/users')
    .then(response=>response.json())
    .then(data=>setUsersData(data));
  }

Great!

Next, we'll display the name of our 10 users on the UI. Since we store this data in our usersData state array, we'll simply map through the array and render a <Text> component with the user's name inside it:

 
 
return (
    <View style={styles.container}>
      {usersData.map(_user=><Text key={_user.id}>{_user.name}</Text>)}
    </View>
  );

Once you do that, you should see the list of users as shown below:

Awesome! Let's learn a little bit about how we can refactor our getData function using async/await and Fetch.

Use Async/Await With Fetch

Right now, we use the traditional approach of using the Fetch API. Each caller of the Fetch API asynchronously returns us a promise. Hence, we tack a .then method on each and do something with the data we get inside that callback.

This approach works and is technically correct, but we can rewrite that code in a more modern and neater fashion. We can use async/await, available in Es6, to refactor our code.

Here's what the updated getData() function should then look like:

 
 
const getData=async()=>{
    const response=await fetch('https://jsonplaceholder.typicode.com/users');
    const data=await response.json();
    setUsersData(data)
  }

We first make our getData function asynchronous by attaching the async keyword next to its name. Then, use await for any asynchronous line of code inside it. The above code makes the entire fetching data action cleaner with the same result.

Once you refactor your getData function, you should still see the same result that we saw in the previous section.

Error Handling in Async/Await

When we used the .then() blocks, we could use the .catch block to handle our errors. However, with async/await we can no longer use the .then and .catch methods directly.

So, how do we handle errors?

We can use the try/catch blocks in this case. Everything related to processing the data and making the Fetch call can be wrapped inside a try block. Then, we can have a catch block that automatically takes an error object as a parameter.

We can then do anything inside this catch block to handle that error.

Here's what the updated getData function would look like with try/catch blocks:

 
 
const getData=async()=>{
    try{
      const response=await fetch('https://jsonplaceholder.typicodeX.com/users');
      const data=await response.json();
      setUsersData(data)
    }
    catch(error){
      console.log(error)
    }
  }

Notice that I intentionally appended an "X" in the endpoint so that the request would fail. We can now test it out by running the app:

We get an error logged to the console via the catch block. Sweet!

Implement Loading Action With Fetch

We know that getting data using the Fetch API is an asynchronous action. This means that the data is not displayed instantly to the user. Now, this might create a bad user experience for your app because it might leave users wondering what really is going on.

Therefore, in most cases, the data-fetching action is accompanied by a loader. Until you receive and process the response from your Fetch request, you can show a loader to the user to indicate that a data-fetching action is underway.

Use the .finally Handler in Fetch

However, with try/catch blocks on Fetch, we can handle the loading state very smoothly via the .finally handler. First, we'll create a new state that would store the loading status:

 
 
 const [fetchedState,setFetchedState]=useState(null);

Then, we'll set this state to loading inside our useEffect right before we invoke the getData function. We'll also intentionally delay the getData function's calling using a setTimeout.

 
 
 useEffect(() => {
    setFetchedState('loading')
    setTimeout(()=>getData(),3000);
  },[])

Now, we'll need to set the loading state back to null after the request is completed. Usually, you might do it two timesonce inside the try block then again inside the catch block.

That's necessary because you also need to toggle the loading state in case of errors. However, we use the finally block to only toggle the loading state once.

 
 
const getData=async()=>{
    try{
      const response=await fetch('https://jsonplaceholder.typicode.com/users');
      const data=await response.json();
      setUsersData(data)
    }
    catch(error){
      console.log(error)
    }
    finally{
      setFetchedState(null);
    }
  }

The finally block is executed after the request is complete regardless of its success or error. Thus, even if your request fails, the finally block will run.

Now, let's conditionally render a loading message on the UI:

 
 
<View style={styles.container}>
      {
        fetchedState ? <Text style={styles.loadingtext}>Loading Data...</Text> :
        usersData.map(_user=><Text style={styles.text} key={_user.id}>{_user.name}</Text>)
      }
    </View>

I've also updated the styles of the project just to make everything a little bigger:

 
 
const styles = StyleSheet.create({
  container: {
    flex: 1,
    backgroundColor: '#fff',
    alignItems: 'center',
    justifyContent: 'center',
  },
  loadingtext:{
    fontSize: 28,
    fontWeight: 'bold',
  },
  text:{
    fontSize:24,
    margin:10
  }
});

Now, if you check back, you should see a loading message for three seconds before your data appears.

Awesome! You can do a lot more inside the finally block, as well, like setting an error state to display a custom error message.

Testing React Native Fetch With Jest

Let's now see how we can test our Fetch calls using Jest by mocking the Fetch function.

First, we'll install Jest and expo-jest in our app by running

 
 
expo install jest-expo jest

We'll also install jest-fetch-mock, which will help us mock the Fetch API's implementation:

 
 
npm install --dev jest-fetch-mock

We now need to update our package.json as shown:

 
 
...
 "scripts": {
...
    "test": "jest"
  },
  "jest": {
    "preset": "jest-expo",
  },
...

Next, we'll create a file called App.test.js. Here, we'll test if our mocked Fetch function works correctly or not.

 
 
const fetch = require('jest-fetch-mock');
beforeEach(() => {
  fetch.resetMocks();
});
test('Fetch works correctly', () => {
  fetch.mockResponseOnce();
});

We can now run the above test by running the following command:

 
 
npm run test

And our test should pass correctly:

Great! You can now use this test as a wrapper for all the unit tests you write for your Fetch API calls.

Conclusion

In this post, we've seen how we can use React Native Fetch API to get data, implement loading action and handle errors with it.

There's a lot more you can do, however. You can try implementing an API retry mechanism by recursively calling your Fetch function. You can also conditionally revoke your Fetch API calls if the user is offline.

We've also seen how to mock the Fetch function in our unit tests. Further, you can also check out Waldo, which gives you a no-code testing environment for creating automated tests conveniently.

Automated E2E tests for your mobile app

Creating tests in Waldo is as easy as using your app!
Learn more about our Automate product, or try our live testing tool Sessions today.

Reproduce, capture, and share bugs fast!

Waldo Sessions helps mobile teams reproduce bugs, while compiling detailed bug reports in real time.