JavaScript - 防抖和节流

2020-04-11  本文已影响0人  coderfl

lodash工具库里有实现防抖和节流的函数

function showTop  () {
    var scrollTop = document.body.scrollTop || document.documentElement.scrollTop;
  console.log('滚动条位置:' + scrollTop);
}
window.onscroll  = showTop

防抖(debounce)

  1. 如果在200ms内没有再次触发滚动事件,那么就执行函数
  2. 如果在200ms内再次触发滚动事件,那么当前的计时取消,重新开始计时
  3. 效果:如果短时间内大量触发同一事件,只会执行一次函数。
  4. 实现:既然前面都提到了计时,那实现的关键就在于setTimeOut这个函数,由于还需要一个变量来保存计时,考虑维护全局纯净,可以借助闭包来实现:
function debounce(func, wait) {
        let timer = null
        return function () {
            let context = this
            let args = arguments
            if (timer) clearTimeout(timer)
            timer = setTimeout(() => {
                func.apply(context, args)
            }, wait)
        }
    }
// 然后是旧代码
function showTop  () {
    var scrollTop = document.body.scrollTop || document.documentElement.scrollTop;
  console.log('滚动条位置:' + scrollTop);
}
window.onscroll = debounce(showTop,1000) // 为了方便观察效果我们取个大点的间断值,实际使用根据需要来配置

对于短时间内连续触发的事件(上面的滚动事件),防抖的含义就是让某个时间期限(如上面的1000毫秒)内,事件处理函数只执行一次。

节流(throttle)

// 完全不借助setTimeout,可以把状态位换成时间戳,然后利用时间戳差值是否大于指定间隔时间来做判定
    function throttle(func, wait) {
        let prev = 0;
        return function () {
            let now = Date.now();
            let context = this;
            let args = arguments
            if (now - prev > wait) {
                func.apply(context, args);
                prev = now;
            }
        }
    }

// 将setTimeout的返回的标记当做判断条件-判断当前定时器是否存在,如果存在表示还在冷却,并且在执行fn之后消除定时器表示激活
    function throttle(func, wait) {
        let timer = null
        return function () {
            let context = this
            let args = arguments
            if (!timer) {
                timer = setTimeout(() => {
                    timer = null
                    func.apply(context, args)
                }, wait)
            }
        }
    }

// 以下照旧
function showTop  () {
    var scrollTop = document.body.scrollTop || document.documentElement.scrollTop;
  console.log('滚动条位置:' + scrollTop);
}
window.onscroll = throttle(showTop,1000) 

运行以上代码的结果是:如果一直拖着滚动条进行滚动,那么会以1s的时间间隔,持续输出当前位置和顶部的距离

其他应用场景举例

上一篇下一篇

猜你喜欢

热点阅读