DEV Community

Tailo Mateus Gonsalves
Tailo Mateus Gonsalves

Posted on

How to make ajax requests

Some time ago (not that long ago), people added the JQuery library to their projects. In some (still frequent) cases, only to use the ajax() function.

$.ajax({
    url:"https://api.github.com/users/tailomateus/repos",
    dataType: 'json',
    success: function(response){
  console.log(response);
    }
});
Enter fullscreen mode Exit fullscreen mode

In addition to this function, JavaScript has a method, XMLHttpRequest that also makes requests. However, it takes many steps to achieve what is expected. This issue led to the creation of the Fetch and Axios APIs, which has more flexible features, including request and response concepts.

The Fetch and Axios APIs use the concept of promises. You can read more about it in the following links:

JavaScript Promises: an Introduction

Using promises

Fetch API - How it works

Below is an example of the Github API.

fetch('https://api.github.com/users/tailomateus/repos')
  .then(response => response.json())
  .then(data => console.log('data is', data))
  .catch(error => console.log('error is', error));
Enter fullscreen mode Exit fullscreen mode

If you want to go deeper into the subject, I suggest:

Introduction to fetch

Using fetch - CSS Tricks

Using fetch - Mozilla

SUPPORT

Personally I think the biggest problem is not having support in IE 11.

Support Fetch API

Axios - How to use

The API is basically an http client, it works on browsers and nodejs servers.

If you want to use in the browser, import the cdn:

<script src="https://unpkg.com/axios/dist/axios.min.js"></script>
Enter fullscreen mode Exit fullscreen mode

Or install it using npm:

npm install axios
Enter fullscreen mode Exit fullscreen mode

Import the package:

ES5: var axios = require('axios'); 
ES6: import axios from 'axios';
Enter fullscreen mode Exit fullscreen mode

After the installation, the code below is able to simulate a get request to the Github API.

axios.get('https://api.github.com/users/tailomateus/repos').then(function(response){
    console.log(response.data); 
}); 
Enter fullscreen mode Exit fullscreen mode

To use the post method you need one more parameter, indicating the data sent to the server:

axios.post('/save', { firstName: 'Teste', lastName: 'Testes' })
  .then(function(response){
    console.log('Saved successfully')
});
Enter fullscreen mode Exit fullscreen mode

SUPPORT

It is supported by the most used browsers.

Support Fetch API

To learn more about Axios API:

Axios NPM

Getting Started With Axios

CONCLUSION

In this article we have demonstrated ways to make requests (JQuery, Fetch API, Axios). There are many other ways, neither being the single best one for every situation. The important thing is to always choose the best fit for each project.

Reviewed by: Marcos Gobbi

Top comments (0)