函数节流和函数去抖

2019-03-27  本文已影响0人  xiamihaozi

debounce 应用场景

函数去抖就是对于一定时间段的连续的函数调用,只让其执行一次。

/**
* 简单模拟debounce
* @param fn
* @param delay
* @returns {Function}
*/

debounce = function (fn, delay) {
   let timer = undefined
   return function () {
       if(timer!==undefined){
           window.clearTimeout(timer)
       }
       timer =setTimeout(()=>{
           fn.call()
           timer = undefined
       },delay*1000)
   }
}
var f1 = debounce(()=>{
   console.log(1)
},3);

throttle 应用场景

函数节流的核心是,让一个函数不要执行得太频繁,减少一些过快的调用来节流。

哪些时候我们需要间隔一定时间触发回调来控制函数调用频率?

/**
 * 简单模拟throttle
 * @param fn
 * @param delay
 * @returns {Function}
 */
throttle=function (fn, delay) {
    let cd =false;
    return function () {
        if(cd){return}
        fn.call()
        cd=true
        console.log(new Date())
        setTimeout(()=>{
            cd =false
        },delay*1000)
    }
};
var f2=throttle(()=>{
    console.log(2)
},3);

总结

函数节流和函数去抖的核心:限制某个方法被频繁触发,而一个方法之所以会被频繁触发,大多数情况下是因为 DOM 事件的监听回调,而这也是函数节流以及去抖多数情况下的应用场景

上一篇下一篇

猜你喜欢

热点阅读