防抖動處理和節流 小技巧

小魚er發表於2019-02-16

1. 簡單的防抖動處理,一秒內點選一次

var timer = null;
$(`.coupon`).click(function(){
  if (timer) {
    return;
  }
  timer = true;
  setTimeout(function() {
    timer = false;
  }, 1000);

...

})

2. 向伺服器請求資料

點選按鈕向後臺請求資料 優化點:

var running = false;
$(`.btn`).on(`click`, function() {
  if (running) {
    return;
  }
  running = true;

  $.ajax(url, {
    complete: () => {
      running = false;
    }
  })
});

另外一些防抖動的小技巧,請參考:
http://blog.csdn.net/crystal6…
https://jinlong.github.io/201…

3. 封裝好的簡單防抖動函式

// 防抖動函式 fn要執行的函式,timeout間隔毫秒數

function debounce(fn, timeout) {
  let last = null;
  return function() {
    if (last) {
      return last.result;
    }

    setTimeout(() => { last = null; }, timeout || 1000);
    const result = fn.apply(this, arguments);
    last = { result };
    return result;
  };
}
//呼叫
btn.addEventListener(`click`, debounce(function() {
  ...
}, 1000));

4. 現成的工具庫Loadash

http://www.css88.com/doc/loda…
防抖動:
_.debounce

節流:
_.throttle

相關文章