I’ve created a basic React App as described in my previous post. This is just a demo on how you can use fetch API to load data in the componentDidMount() lifecycle method with/without
async/await. I’ve not used any error handling yet.
The basic structure of the React App contains index.js and index.html files. The code is added to my Github profile.
Replace the code of the index.js file as below:
import React from 'react';
import ReactDOM from 'react-dom';
import App from './App';
ReactDOM.render(<App />, document.getElementById('root'));
Create App.js file under the src directory and add the below code:
import React, { Component } from "react";
import MyComp from "./MyComp";
export default class App extends Component {
render() {
return (
<div className="App">
<MyComp />
</div>
);
}
}
It’s time to create MyComp which is the sample component that will call the placeholder JSON API to show the list of users using Fetch GET request.
The code for MyComp is as shown below:
import React from "react";
export default class MyComp extends React.Component {
constructor(props) {
super(props);
this.state = {
usernames : []
};
}
componentDidMount() {
fetch('https://jsonplaceholder.typicode.com/users')
.then(res => res.json())
.then(json => this.setState({ usernames: json }));
}
render() {
return(
<div>
Hey guys!
<ul>
{this.state.usernames.map(user => (
<li key={user.username}>
Hello, {user.username}
</li>
))}
</ul>
</div>
);
}
}
Run the App using as below:
npm start
The above code will now use async/await. It is a clean asynchronous way to call the API by writing unblocking code just like promises and callbacks.
Run the following command in the terminal:
npm i @babel/preset-env @babel/plugin-transform-runtime @babel/runtime --save
Replace the componentDidMount() code as below:
async componentDidMount() {
const response = await fetch(`https://jsonplaceholder.typicode.com/users`);
const json = await response.json();
this.setState({ usernames: json });
}
The async function which in this case is the componentDidMount contains the await expression that pauses the execution of the async function. It waits until the passed Promise is resolved. It then resumes the async function’s execution and evaluates as the resolved value.
Run the App again to see the results which are the same in this case.
You can also include headers and credentials in the Fetch call as shown below:
const myHeaders = new Headers();
myHeaders.append('token', 'xxxx');
const response = fetch(`http://someurl/home/details?username=someuser`, {
credentials: 'include',
headers: myHeaders,
cors: 'cors'
});