• Articles
  • Tutorials
  • Interview Questions

How To Use Axios with React: A Complete Guide

In the realm of handling HTTP requests within React applications, Axios has emerged as a widely adopted library, renowned for its simplicity and versatility. The remarkable features offered by Axios in React have made it a preferred choice for numerous organizations that utilize these libraries extensively for developing robust applications.

Watch the video below to learn React JS from scratch:

What is Axios in React?

Axios is a popular JavaScript library utilized in React for facilitating HTTP requests from web browsers and Node.js environments. It offers developers a user-friendly API that simplifies the execution of asynchronous tasks, including retrieving data from a server and transmitting data to a server.

In React applications, Axios is frequently employed for various tasks, including retrieving data from an API, submitting form data, and managing other interactions based on HTTP. It offers a range of features that simplify working with HTTP requests. These features include support for promises, automatic transformation of requests and responses, the ability to cancel requests, and efficient error handling.

Here’s an example of using Axios in a React component:

import React, { useEffect, useState } from 'react';
import axios from 'axios';
function ExampleComponent() {
  const [data, setData] = useState([]);
  useEffect(() => {
    const fetchData = async () => {
      try {
        const response = await axios.get('https://api.example.com/data');
        setData(response.data);
      } catch (error) {
        console.error('Error fetching data:', error);
      }
    };
    fetchData();
  }, []);
  return (
    <div>
      <h1>Data fetched using Axios:</h1>
      <ul>
        {data.map((item) => (
          <li key={item.id}>{item.name}</li>
        ))}
      </ul>
    </div>  );
}
export default ExampleComponent;

In this example, the ExampleComponent is a functional component that uses Axios to fetch data from the https://api.example.com/data endpoint. The fetched data is stored in the component’s state using the setData function from the useState hook.

The useEffect hook is used to perform the data fetching when the component mounts. It calls an asynchronous function fetchData which makes the GET request using Axios. The response data is then set in the component’s state using setData.

The fetched data is rendered in the component by mapping over the data array and displaying each item’s name property.

Learn React JS by enrolling in our React JS Training Course today!

Need of Axios in React

Axios is essential in React for various purposes:

Need of Axios in React
  • Axios offers a user-friendly interface that simplifies the process of making HTTP requests.
  • It supports a wide range of request types, such as GET, POST, PUT, DELETE, and more, providing flexibility in interacting with servers.
  • Axios ensures consistent handling of errors and responses, making it convenient to manage errors and present meaningful messages to users.
  • The versatility of Axios shines through its compatibility with both web browsers and Node.js, allowing its usage in diverse environments.

Go through these Android Developer Interview Questions to excel in your interview.

Installing Axios in React

To install Axios in a React project, you can follow these steps:

Step 1: Open the terminal and navigate to the root directory of your React project by using the appropriate commands or graphical interface available in your operating system.
Step 2: Install Axios using npm by running the following command:
npm install axios
Step 3: Once installed, import Axios in your React component using the following code:
import axios from 'axios';
Now, you have successfully installed Axios in your React project and can proceed to use it for making HTTP requests and handling data retrieval and submission operations. 

Get 100% Hike!

Master Most in Demand Skills Now !

How to Make a GET Request? 

In the context of using the Axios library, a GET request refers to making an HTTP GET request to a specified URL or Node.js environment. Here’s a code example demonstrating how to perform a GET request using the popular Python library called requests:

import requests
# Specify the URL you want to send the GET request to
url = 'https://api.example.com/data'
# Send the GET request
response = requests.get(url)
# Check if the request was successful (HTTP status code 200)
if response.status_code == 200:
    # Access the response data
    data = response.json()
    # Process the data or perform any other operations
    print(data)
else:
    # Request was unsuccessful
    print('GET request failed with status code: ', response.status_code)

In the provided code snippet, we start by importing the requests library and indicating the URL we desire to send the GET request to, which is https://api.example.com/data. By utilizing requests.get(url), we initiate the GET request and store the resulting response in the response variable. 

Following that, we evaluate the success of the request by inspecting the status code (response.status_code). In the case of a 200 status code, indicating a successful response, we can retrieve the response data using response.json(). It’s important to note that in this example, we assume the response data is in JSON format.

Finally, we can process the data or perform any other operations based on the response. If the request was unsuccessful (status code other than 200), we print an error message along with the status code. Remember to install the requests library if you don’t have it installed already. You can do this by running pip install requests in your terminal.

Kick start your learning journey of React.Js visit ReactJS Tutorial.

How to Make a POST Request?

A POST request refers to sending an HTTP POST request to a server or API endpoint from a React component. Here’s an example of how you can make a POST request using Axios in a React component:

import React from 'react';
import axios from 'axios';
class MyComponent extends React.Component {
  handleSubmit = async () => {
    try {
      const response = await axios.post('https://api.example.com/data', { key1: 'value1', key2: 'value2' });
      console.log(response.data);
      // Process the response data or perform other operations
    } catch (error) {
      console.error(error);
      // Handle errors, if any
    }
  }
  render() {
    return (
      <div>
        <button onClick={this.handleSubmit}>Submit</button>
      </div>
    );
 }
}

In this provided code example, we begin by importing the axios library, which offers a straightforward and user-friendly approach to making HTTP requests. Within the handleSubmit function, we utilize axios.post to send a POST request to the designated URL (https://api.example.com/data), with the data being passed as the second argument. In this particular case, the data takes the form of a JavaScript object that includes key1 and key2, along with their respective values.

When the button is clicked, the handleSubmit function is called asynchronously. We use await to wait for the response from the server. If the request is successful, we can access the response data through response.data. If any errors occur, they will be caught in the catch block, where you can handle them accordingly. Note that you need to install Axios in your React project by running npm install axios or yarn add axios before using it.

How to Make a PUT Request?

A PUT request is an HTTP method utilized to update pre-existing data on a server or API endpoint, typically employed when there is a need to modify or replace existing data with new values. Here’s an example showcasing how you can employ the Axios library within a React component to make a PUT request:

import React from 'react';
import axios from 'axios';
class MyComponent extends React.Component {
  handleUpdate = async () => {
    try {
      const response = await axios.put('https://api.example.com/data/1', { key1: 'new value' });
      console.log(response.data);
      // Process the response data or perform other operations
    } catch (error) {
      console.error(error);
      // Handle errors, if any
    }
  }
  render() {
    return (
      <div>
        <button onClick={this.handleUpdate}>Update</button>
      </div>
    );
  }
}

In this example, we import the axios library and create a React component called MyComponent. Inside the handleUpdate function, we use axios.put to send a PUT request to the specified URL (https://api.example.com/data/1) and pass the updated data as the second argument. Here, we are updating the data at the resource with an ID of 1 by providing a new value for key1.

When the “Update” button is clicked, the handleUpdate function is called asynchronously. We use await to wait for the response from the server. If the request is successful, we can access the response data through response.data. If any errors occur, they will be caught in the catch block, where you can handle them accordingly. Remember to install Axios in your React project by running npm install axios or yarn add axios before using it.

How to Make a Delete Request?

In React, a DELETE request refers to an HTTP method used to delete existing data from a server or API endpoint. Here’s an example of how to make a DELETE request using the Axios library in a React component:

import React from 'react';
import axios from 'axios';
class MyComponent extends React.Component {
  handleDelete = async () => {
    try {
      const response = await axios.delete('https://api.example.com/data/1');
      console.log(response.data);
      // Process the response data or perform other operations
    } catch (error) {
      console.error(error);
      // Handle errors, if any
    }
  }
  render() {
    return (
      <div>
       <button onClick={this.handleDelete}>Delete</button>
      </div>
    );
  }
}

Upon successful deletion of a post, the user is notified with an alert confirming the deletion. Subsequently, the post data is reset by assigning it to its initial value of null. Furthermore, immediately after the alert message, the text “No post” is displayed to indicate the absence of any post data.

How to Handle Errors in React with Axios?

To handle errors with Axios, you can utilize the built-in error-handling mechanisms provided by the library. Here’s an example of how you can handle errors with Axios in a React component:

import React, { useEffect, useState } from 'react';
import axios from 'axios';
function ExampleComponent() {
  const [data, setData] = useState([]);
  const [error, setError] = useState(null);
  useEffect(() => {
    const fetchData = async () => {
      try {
        const response = await axios.get('https://api.example.com/data');
        setData(response.data);
      } catch (error) {
        setError(error);
      }
    };
    fetchData();
  }, []);
  if (error) {
    return <div>Error fetching data: {error.message}</div>;
  }
  return (
    <div>
      <h1>Data fetched using Axios:</h1>
      <ul>
        {data.map((item) =>
          <li key={item.id}>{item.name}</li>
        ))}
      </ul>
    </div>
  );
}
export default ExampleComponent;

In this example, we’ve added an additional state variable error to track any errors that occur during the data fetching process. Within the try block of the fetchData function, if an error occurs during the Axios request, it is caught and passed to the setError function, setting the error state variable.

In the component’s rendering logic, if the error state variable is truthy, an error message is displayed to the user. Otherwise, the fetched data is rendered as before. By handling errors in this way, you can provide appropriate feedback to the user in case of any errors that occur during the Axios request, improving the user experience of your React application.

Creating an Axios Instance with React

To create an Axios instance in React, you can use the axios.create() method. This allows you to configure and customize Axios for your specific needs, such as setting default headers, base URLs, interceptors, and more.

Here’s an example of creating an Axios instance in a React component:

import React, { useEffect } from 'react';
import axios from 'axios';
function ExampleComponent() {
  useEffect(() => {
    // Create an Axios instance
    const api = axios.create({
      baseURL: 'https://api.example.com',
      headers: {
        'Authorization': 'Bearer token123',
        'Content-Type': 'application/json'
      }
    });
    // Make a request using the Axios instance
    api.get('/data')
      .then(response => {
        // Handle the response
        console.log(response.data);
      })
      .catch(error => {
        // Handle the error
        console.error(error);
      });
  }, []);
  return <div>Example Component</div>;
}
export default ExampleComponent;

In the given example, an Axios instance is created using axios.create(), where an object with configuration options is passed as an argument. The configuration sets the baseURL to ‘https://api.example.com’ and includes custom headers. Subsequently, the Axios instance is utilized to perform a GET request to the /data endpoint. The response from the request is handled using .then(), while any errors that occur are caught using .catch().

Creating an Axios instance allows you to have a customized Axios client specifically for a certain API or set of requests within your React component. It provides flexibility and control over the Axios configuration and makes it easier to manage multiple API endpoints and headers.

Use of Async-Await Syntax with Axios

By using async and await syntax, we can write asynchronous code in a more synchronous and readable manner. It simplifies the handling of promises returned by Axios React and allows for cleaner error handling within the catch block.

Here’s an example of how to use the async-await syntax with Axios in a React component:

import React, { useEffect } from 'react';
import axios from 'axios';
function ExampleComponent() {
  useEffect(() => {
    const fetchData = async () => {
      try {
        const response = await axios.get('https://api.example.com/data');
        console.log(response.data);
      } catch (error) {
        console.error(error);
      }
    };
    fetchData();
  }, []);
  return <div>Example Component</div>;
}
export default ExampleComponent;

In this example, we define an async function called fetchData within the useEffect hook of the React component. The function is marked as async, which allows us to use the await keyword within the function body.

Within the try block, we use await to make an asynchronous GET request using Axios. The response is assigned to the response variable when it is resolved. If there are any errors during the request, they are caught in the catch block. Hence this is how we can use async-await syntax with Axios in React.

Check out our blog on React Interview Questions if you are preparing for a job interview. 

Advantages of Axios in React

Axios offers several advantages when used in React applications. Let us take a look at the following advantages that are as follows:

Advantages of Axios in React
  • User-Friendly API: Axios provides an intuitive and straightforward API for making HTTP requests. Its concise syntax makes it accessible to developers of all levels of expertise.
  • Broad Browser Support: Axios is compatible with a wide range of browsers, ensuring consistent performance across different platforms and versions. It handles browser-specific inconsistencies, providing a reliable experience for HTTP requests.
  • Promises-Based Architecture: Axios leverages Promises, enabling you to manage asynchronous operations in a more elegant and readable manner. This simplifies handling responses and errors, resulting in more maintainable code.
  • Automatic Request and Response Transformation: Axios seamlessly handles request and response data transformation. It automatically parses JSON responses, converts request payloads, and sets appropriate headers. This saves you from writing additional code for data manipulation.
  • Robust Error Handling and Interception: Axios offers comprehensive error handling capabilities. It detects HTTP errors automatically, allowing graceful error handling and customizable error messages. Additionally, Axios supports the interception of requests and responses, enabling global modifications.

These advantages make Axios a favored choice in React applications. It provides developers with a powerful and convenient solution for handling HTTP requests and effectively managing data interactions.

Conclusion

Axios remains a valuable tool in React for handling HTTP requests. With proper consideration of its advantages and limitations, it can continue to serve as a reliable choice for data fetching and interaction with servers in React applications.

In case of any doubts, drop your queries on our community page!

Course Schedule

Name Date Details
Web Development Courses 11 May 2024(Sat-Sun) Weekend Batch
View Details
Web Development Courses 18 May 2024(Sat-Sun) Weekend Batch
View Details
Web Development Courses 25 May 2024(Sat-Sun) Weekend Batch
View Details