美文网首页
函数防抖 和 函数节流

函数防抖 和 函数节流

作者: 玲儿珑 | 来源:发表于2020-06-11 23:28 被阅读0次

    函数防抖

    函数防抖(debounce):在事件被触发n秒后再执行回调,如果在这n秒内又被触发,则重新计时。

    看一个🌰(栗子):

    //模拟一段ajax请求
    function ajax(content) {
      console.log('ajax request ' + content)
    }
    
    let inputa = document.getElementById('unDebounce')
    
    inputa.addEventListener('keyup', function (e) {
        ajax(e.target.value)
    })
    

    可以看到,我们只要按下键盘,就会触发这次ajax请求。不仅从资源上来说是很浪费的行为,而且实际应用中,用户也是输出完整的字符后,才会请求。下面我们优化一下:

    //模拟一段ajax请求
    function ajax(content) {
      console.log('ajax request ' + content)
    }
    
    function debounce(fun, delay) {
        return function (args) {
            let that = this
            let _args = args
            clearTimeout(fun.id)
            fun.id = setTimeout(function () {
                fun.call(that, _args)
            }, delay)
        }
    }
        
    let inputb = document.getElementById('debounce')
    
    let debounceAjax = debounce(ajax, 500)
    
    inputb.addEventListener('keyup', function (e) {
            debounceAjax(e.target.value)
        })
    

    函数节流

    函数节流(throttle):规定在一个单位时间内,只能触发一次函数。如果这个单位时间内触发多次函数,只有一次生效。

    function throttle(fun, delay) {
            let last, deferTimer
            return function (args) {
                let that = this
                let _args = arguments
                let now = +new Date()
                if (last && now < last + delay) {
                    clearTimeout(deferTimer)
                    deferTimer = setTimeout(function () {
                        last = now
                        fun.apply(that, _args)
                    }, delay)
                }else {
                    last = now
                    fun.apply(that,_args)
                }
            }
        }
    
        let throttleAjax = throttle(ajax, 1000)
    
        let inputc = document.getElementById('throttle')
        inputc.addEventListener('keyup', function(e) {
            throttleAjax(e.target.value)
        })
    

    参考:https://www.cnblogs.com/Joe-and-Joan/p/10697161.html

    相关文章

      网友评论

          本文标题:函数防抖 和 函数节流

          本文链接:https://www.haomeiwen.com/subject/rbabtktx.html