性能优化

作者: MY代码世间 | 来源:发表于2019-07-19 21:15 被阅读1次

    1.实现一个防抖函数

    function debounce (fn, delay) {
      // 利用闭包保存定时器
      let timer = null
      return function () {
        let context = this
        let arg = arguments
        // 在规定时间内再次触发会先清除定时器后再重设定时器
        clearTimeout(timer)
        timer = setTimeout(function () {
          fn.apply(context, arg)
        }, delay)
      }
    }
    
    function fn () {
      console.log('防抖')
    }
    addEventListener('scroll', debounce(fn, 1000)) 
    

    2.实现一个节流函数

    function throttle (fn, delay) {
      // 利用闭包保存时间
      let prev = Date.now()
      return function () {
        let context = this
        let arg = arguments
        let now = Date.now()
        if (now - prev >= delay) {
          fn.apply(context, arg)
          prev = Date.now()
        }
      }
    }
    
    function fn () {
      console.log('节流')
    }
    addEventListener('scroll', throttle(fn, 1000)) 
    

    相关文章

      网友评论

        本文标题:性能优化

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