An example of how JavaScript can prevent duplicate network requests

An example of how JavaScript can prevent duplicate network requests

Preface

During development, we often encounter various problems caused by repeated interface requests.
Repeated network requests will cause the page to be updated multiple times, resulting in page jitter, which affects the user experience.
For example, if the current page request has not yet responded and is switched to other routes, then these requests will not be terminated until the response is returned.
Whether from the perspective of user experience or business rigor, canceling useless requests is something that needs to be avoided.

Implementation ideas

** 1. Intercept the current request address (url + method + parameters) before sending the request;
** 2. Open a request queue to save the current address;
** 3. Check whether there is a current URL address in the request queue for each request;
** 4. If the current URL address is in the request queue, cancel the current request.
** 5. If not, send the request. When the request data is returned, clear the current URL address in the request queue.

1. Usually we write interfaces like this:

Request interface file

import { http } from '@/plugin/axios'; // Import request interface http

// Initialization export function getInit(params) {
  return http({
    method: 'get',
    url: '/xxx/xxx/xx',
    params,
  });
}

The main thing is to perform operations when executing the http method here;
When executing the http function, all the configurations of the request can be obtained and a promise object is returned.

2. Here we demonstrate the use of axios. The idea is to wrap a layer outside when executing the request function

axios.js configuration file

import axios from 'axios';
import { httpRequest, completeRequest } from './options'; // Here is the logic file we want to implement // Do some request interception in it, and see the axios document for specific response interception operations const service = axios.create({
  baseURL: 'xxx/xxx',
});

// Request interceptor service.interceptors.request.use(config => {}, error => {})

// Response interceptor service.interceptors.response.use(response => {
 completeRequest(response); // 2. Response request comes back for execution}, error => {
 
})

export function http(config) { // => Here config is the request configuration parameter passed return httpRequest(config, service); // + 1. Do some logical operations here}

3. Prevent duplication of network configuration files

options.js
(1) Before sending a request, check whether there is a current request in the request queue (determined by the URL address)

  • The request queue has the current URL address, cancel the request and return promise.reject failure
  • There is no current request, so the request is sent normally;
/**
 * Responsibility: Prevent duplicate network requests*
 */

let list = new Set(); // 1. Request queue // Merge method parameter url address function getUrl(config = {}) {
 // Get request params parameters post request data parameters, baseURL
 const { url, method, params, data, baseURL = '' } = config;
 const urlVal = url.replace(baseURL, '');
 return `${urlVal}?${method === 'get' ? getformatObjVal(params) : getformatObjVal(data)}`;
}

// Processing URL address const getformatObjVal = (obj) => {
 obj = typeof obj === 'string' ? JSON.parse(`${obj}`) : obj;
 var str = [];
 for (let p in obj) {
  if (obj.hasOwnProperty(p) && p !== '_t') {
   var item = obj[p] === null ? '' : obj[p]; // handle null
   str.push(encodeURIComponent(p) + '=' + encodeURIComponent(item));
  }
 }
 return str.join('&');
}

// 2. Request method export function httpRequest(config = {}, axios) {
 const url = getUrl(config); //3. Here we get the URL addressif (list.has(url)) { // 4. Check if the request queue has the current url addressreturn Promise.reject('In the request'); // 5. Cancel the current request in the request queue and return the Promise failure result}
 
 // 6. The request queue does not have the current URL address. Send the request and store the URL address in the request queue.list.add(url);
 return Promise.resolve(axios); 
}

(2) After the request response comes back, delete the current URL address in the request queue; (the next request can be sent normally)
options.js

// Execute this function after the request response comes back export function completeRequest(response = {}) {
 const { config } = response; // 1. The config in response can get the configuration parameters const url = getUrl(config); // 2. Get the url address if (list.has(url)) {
  list.delete(url); // 3. Delete the current request url address in the request queue}
}

axios.js

import axios from 'axios';
import { httpRequest, completeRequest } from './options'; // Prevent duplicate requests const service = axios.create({
  baseURL: 'xxx/xxx',
});

// Request interceptor service.interceptors.request.use(config => {}, error => {})

// Response interceptor service.interceptors.response.use(response => {
 completeRequest(response); // 2. Response request comes back to execute +
}, error => {
 
})


// Export request export function http(config) {
  return httpRequest(config, service); // 1. Execute before sending the request}

At this point, we have achieved prevention of duplicate network requests, but there is still a problem. If an exception occurs in the response request, we need to clear the current URL address in the request queue. If not cleaned up, the next request will be canceled directly (here I just wrote a method to clear all request queues, you can write it according to your own scenario).

/**
 * Clear all request queues */
export function clearRequestList() {
 list = new Set(); // I just clear it here }

Complete http.js file

import axios from 'axios';
import { httpRequest, completeRequest, clearRequestList } from './options'; // Prevent duplicate requests +

const service = axios.create({
  baseURL: 'xxx/xxx',
});

// Request interceptor service.interceptors.request.use(config => {}, error => {})

// Response interceptor service.interceptors.response.use(response => {
 completeRequest(response); // 2. Response request comes back for execution}, error => {
 clearRequestList(); // + 
})


// Export request export function http(config) {
  return httpRequest(config, service); // 1. Execute before sending the request}

Complete options.js

/**
 * Responsibility: Prevent duplicate network requests*
 */

let list = new Set(); // 1. Request queue // Merge method parameter url address function getUrl(config = {}) {
 // Get request params parameters post request data parameters, baseURL
 const { url, method, params, baseURL = '' } = config;
 const urlVal = url.replace(baseURL, '');
 return `${urlVal}?${method === 'get' ? getformatObjVal(params) : 'post'}`;
}

// Processing URL address const getformatObjVal = (obj) => {
 obj = typeof obj === 'string' ? JSON.parse(`${obj}`) : obj;
 var str = [];
 for (let p in obj) {
  if (obj.hasOwnProperty(p) && p !== '_t') {
   var item = obj[p] === null ? '' : obj[p]; // handle null
   str.push(encodeURIComponent(p) + '=' + encodeURIComponent(item));
  }
 }
 return str.join('&');
}

// 2. Request method export function httpRequest(config = {}, axios) {
 const url = getUrl(config); //3. Here we get the URL addressif (list.has(url)) { // 4. Check if the request queue has the current url addressreturn Promise.reject('In the request'); // 5. Cancel the current request in the request queue and return the Promise failure result}

 // 6. The request queue does not have the current URL address. Send the request and store the URL address in the request queue.list.add(url);
 return Promise.resolve(axios);
}


/**
 * Request response to execute this function */
export function completeRequest(response = {}) {
 const { config } = response; // 1. config in response can get configuration parameters const url = getUrl(config); // 2. Get the url address list.has(url) && list.delete(url); // 3. Delete the current request url address in the request queue }

/**
 * Clear all request queues */
export function clearRequestList(error) {
 // error can get the configuration and do some operations.
 list = new Set(); // I just clear it here }

The above is how I prevent network requests. I have used CancelToken in axios to cancel requests before; but there are some problems.

  1. It requires configuration of request files, which is not user-friendly and is also troublesome for team development configuration.
  2. CancelToken needs to be configured for each request. There are two ways to use it. Please refer to the official website documentation for details.

This concludes this article about how to prevent duplicate network requests with JavaScript. For more information about how to prevent duplicate network requests with JavaScript, please search for previous articles on 123WORDPRESS.COM or continue browsing the following related articles. I hope you will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • How to prevent duplicate submission of JS Ajax requests
  • JavaScript uses promise to handle multiple repeated requests

<<:  MySQL log system detailed information sharing

>>:  Detailed explanation of nginx current limiting module in Nginx source code research

Recommend

Example code of Vue3 encapsulated magnifying glass component

Table of contents Component Infrastructure Purpos...

The correct way to migrate MySQL data to Oracle

There is a table student in the mysql database, i...

Example code for CSS columns to achieve two-end alignment layout

1. Going around in circles After going around in ...

Use Firebug tool to debug the page on iPad

How to debug a page on iPad? When using iOS 5, you...

Operate on two columns of data as new columns in sql

As shown below: select a1,a2,a1+a2 a,a1*a2 b,a1*1...

Graphic tutorial on installing Ubuntu 18.04 on VMware 15 virtual machine

In the past few years, I have been moving back an...

Docker Machine in-depth explanation

Differences between Docker and Docker Machine Doc...

Detailed explanation of common methods of JavaScript Array

Table of contents Methods that do not change the ...

Basic introductory tutorial on MySQL partition tables

Preface In a recent project, we need to save a la...

ElementUI component el-dropdown (pitfall)

Select and change: click to display the current v...

Customization Method of Linux Peripheral File System

Preface Generally speaking, when we talk about Li...

How to understand JS function anti-shake and function throttling

Table of contents Overview 1. Function debounce 2...

Web Design Summary

<br />From the birth of my first personal pa...