JavaScript

JavaScript之防抖和节流

2023-07-20  本文已影响0人  h2coder

前言

防抖

目的

应用场景

封装函数

function debounce(callback, timeout) {
  let timerId;
  return function (...args) {
    // 此时的this,是DOM元素
    const that = this;
    // 清除上次的延时器,并再次开启延时器
    clearTimeout(timerId);
    timerId = setTimeout(() => {
      // 调用回调函数,并重新设置this为DOM元素,再把方法参数回传
      if (callback) {
        callback.apply(that, args);
      }
    }, timeout);
  };
}

使用案例

<!DOCTYPE html>
<html lang="en">

<head>
  <meta charset="UTF-8">
  <meta http-equiv="X-UA-Compatible" content="IE=edge">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>防抖函数实现</title>
  <style>
    .box {
      width: 500px;
      height: 500px;
      background-color: #ccc;
      color: #fff;
      text-align: center;
      font-size: 100px;
    }
  </style>
</head>

<body>
  <input type="text">
  <div class="box">0</div>
  <script>
    const input = document.querySelector('input');
    const box = document.querySelector('.box');

    // 延时自动搜索
    const handleInput = function (e) {
      console.log('发送搜索商品请求...');
    }
    input.addEventListener('input', debounce(handleInput, 1000));
  </script>
</body>

</html>

节流

目的

应用场景

封装函数

function throttle(callback, timeout) {
  // 延时器Id
  let timerId;
  return function (...args) {
    // 如果定时器正在运行,那么拦截调用
    if (!timerId) {
      // 调用回调函数,并设置this和方法参数
      callback.apply(this, args);
      // 开启延时器,时间到时,重置定时器Id变量
      timerId = setTimeout(() => {
        timerId = undefined;
      }, timeout);
    }
  }
}

使用案例

<!DOCTYPE html>
<html lang="en">

<head>
  <meta charset="UTF-8">
  <meta http-equiv="X-UA-Compatible" content="IE=edge">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>利用节流实现性能优化</title>
  <style>
    .box {
      width: 500px;
      height: 500px;
      background-color: #ccc;
      color: #fff;
      text-align: center;
      font-size: 100px;
    }
  </style>
</head>

<body>
  <div class="box"></div>
  <script>
    const box = document.querySelector('.box');

    // 节流,3秒内只能执行一次,下一次3秒才能执行下一次
    // 正常业务逻辑
    const fn = function (e) {
      box.innerText++;
    }
    // 鼠标移动事件
    box.addEventListener('mousemove', throttle(fn, 3000));
  </script>
</body>

</html>
上一篇下一篇

猜你喜欢

热点阅读