What is JavaScript anti-shake and throttling

What is JavaScript anti-shake and throttling

1. Function debounce

1. What is image stabilization?

Function anti-shake: When an event is triggered frequently, the corresponding callback function will be called only after the event is no longer triggered for a period of time. If the next event is triggered within the set interval, the timer will be restarted until the event triggering ends.

If no event is triggered within the specified time, the event processing function will be called;

The following example shows this:

/*Define anti-shake function* func: pass in a function that will be called when the event is no longer triggered continuously* delay: define how long it will take to execute the passed callback function* */
 function debounce(func,delay) {
  let timer = null // used to save the timer return function (...args) {
   // If the timer exists, clear the timer and then reset the timer
   if(timer !== null) clearTimeout(timer)
   timer = setTimeout(func, delay) // If the delay is exceeded, the func here will be called to receive the event. If necessary, the this pointer of func can be modified. Since timer has a reference to the outside, it will not be destroyed.}
 }

 /*Event processing function*/
 function testDeBounce(){
  console.log('How many times did I execute it??')
 }

 // Receive the function returned by debounce const temp = debounce(testDeBounce(),1000)

 /*Bind event, test anti-shake function*/
 window.addEventListener('scroll',()=>{
  temp()
 }); // This will call the event handler at least once, and at most will not be executed more times than the following window.addEventListener('scroll', testDeBounce); // If written like this, the event handler will be called every time the page scrolls

To summarize the ideas:

  • 1. Define a throttling function
  • 2. Use a variable inside the function to save the timer
  • 3. Return a function, which defines: if the timer already exists, clear the timer and reset the timer
  • 4. Define a variable to receive the function returned by debounce
  • 5. Directly call the variable receiving method in the previous step in the event callback function

2. Function Throttling

Function throttling: Under the premise of continuous event triggering, ensuring that the event processing function is called only once within a certain period of time is function throttling;

Function throttling implementation methods: timer, timestamp, timer + timestamp;

2.1 Timer Implementation

Ideas:

  • 1. Define the throttling function throttle
  • 2. Define timer to save timer
  • 3. Return a function. Function internal definition: If the timer does not exist, set the timer, and set the timer to null after a certain interval. If the event is triggered again before this, the callback in the timer will be invalid.

<button>這是一個孤獨的按鈕</button>

/*
 * Define the timer throttling function * func: incoming event processing function * delay: the timer callback is invalid within the time specified by delay * */
 function throttle(func,delay) {
  let timer = null
  const context = this
  return function(...args){
   // If the timer does not exist if(!timer){
    timer = setTimeout(()=>{
     func.apply(context,args) // Consider the environment of the returned function call, so this is not used directly here
     timer = null // clear the timer after delay},delay)
   }
  }
 }

 function test() {
  console.log('Aaaaah!')
 }

 const temp = throttle(test,1000)

 document.querySelector('button').addEventListener('click',()=>{
  temp()
 })

2.2 Timestamp Implementation

var throttle = function(func, delay) {            
  var prev = Date.now();            
  return function() {                
    var context = this;                
    var args = arguments;                
    var now = Date.now();                
    if (now - prev >= delay) {                    
      func.apply(context, args);                    
      prev = Date.now();                
    }            
  }        
}    

function handle() {            
  console.log(Math.random());        
}        

window.addEventListener('scroll', throttle(handle, 1000));

2.3 Timestamp + Timer

// Throttle code (timestamp + timer):
var throttle = function(func, delay) {     
    var timer = null;     
    var startTime = Date.now();     
    return function() {             
        var curTime = Date.now();             
        var remaining = delay - (curTime - startTime);             
        var context = this;             
        var args = arguments;             
        clearTimeout(timer);              
        if (remaining <= 0) {                    
            func.apply(context, args);                    
            startTime = Date.now();              
        } else {                    
            timer = setTimeout(func, remaining);              
        }      
    }
}

function handle() {      
    console.log(Math.random());
} 

window.addEventListener('scroll', throttle(handle, 1000));

This is the end of this article about what is JavaScript anti-shake and throttling. For more information about JavaScript anti-shake and throttling, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope you will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Throttling and debounce of javascript functions
  • Detailed explanation of javascript debounce function
  • Javascript throttle function and debounce function
  • Difference and implementation of JavaScript anti-shake and throttling
  • Let's talk in detail about what js anti-shake throttling is
  • JavaScript debounce and throttling

<<:  Two common solutions to html text overflow display ellipsis characters

>>:  Graphical explanation of the solutions for front-end processing of small icons

Recommend

One line of code solves various IE compatibility issues (IE6-IE10)

x-ua-compatible is used to specify the model for ...

TypeScript namespace explanation

Table of contents 1. Definition and Use 1.1 Defin...

Mysql master-slave synchronization Last_IO_Errno:1236 error solution

What is the reason for the Last_IO_Errno:1236 err...

Mysql Workbench query mysql database method

Mysql Workbench is an open source database client...

Detailed explanation of command to view log files in Linux environment

Table of contents Preface 1. cat command: 2. more...

Making a simple game engine with React Native

Table of contents Introduction Get started A brie...

Using MySQL in Windows: Implementing Automatic Scheduled Backups

1. Write a backup script rem auther:www.yumi-info...

Tutorial on installing MySQL under Linux

Table of contents 1. Delete the old version 2. Ch...

Implementation of nginx proxy port 80 to port 443

The nginx.conf configuration file is as follows u...

A brief discussion on the semantics of HTML and some simple optimizations

1. What is semanticization? Explanation of Bing D...

Sample code for implementing rolling updates of services using Docker Swarm

1. What is Docker Swarm? Docker Swarm is a cluste...

Web page HTML code: production of scrolling text

In this section, the author describes the special...

Detailed explanation of common usage of MySQL query conditions

This article uses examples to illustrate the comm...