意义:
在进行窗口的 resize、scroll、输入框内容验证、touchmove 等操作时,如果事件处理函数调用的频率无限制,会加重浏览器负担,甚至卡死。导致用户体验很糟糕。
此时可以采用 debounce(防抖)和 throttle(节流)的方式减少调用频率,同时不影响实际效果
防抖
当持续触发事件时,一定时间段内没有再触发事件,事件处理函数才会执行一次。如果设定的事件到来之前,又触发了事件,就重新开始延时
function debounce(fn, wait) {
var timeout = null;
return function() {
if (timeout !== null) clearTimeout(timeout);
timeout = setTimeout(fn, wait);
};
}
// 处理函数
function handle() {
console.log(Math.random());
}
// 滚动事件
window.addEventListener("scroll", debounce(handle, 1000));
节流
当持续触发事件时,保证一定时间段内只调用一次事件处理函数。
例如。当持续触发 scroll 事件时,并不立即执行回调,每隔 1s 才会执行一次
1.时间戳方式实现
var throttle = function(func, delay) {
var prev = Date.now();
return function() {
var context = this;
var args = arguments;
var now = Date.now();
if (now - prev >= delay) {
func.apply(context, args);
prev = Date.now();
}
};
};
function handle() {
console.log(Math.random());
}
window.addEventListener("scroll", throttle(handle, 1000));
2.定时器方式实现
var throttle = function(func, delay) {
var timer = null;
return function() {
var context = this;
var args = arguments;
if (!timer) {
timer = setTimeout(function() {
func.apply(context, args);
timer = null;
}, delay);
}
};
};
function handle() {
console.log(Math.random());
}
window.addEventListener("scroll", throttle(handle, 1000));
总结
函数防抖:讲几次操作合为一次操作进行。原理是维护一个定时器,规定在delay时间后触发,但是在delay时间内再次触发,就会取消之前的定时器重新设置。这样一来,只有最后一次才能触发
函数节流:使得一定时间内只触发一次函数。原理是通过判断是否到达一定时间来触发函数
区别:
函数节流不管事件触发多频繁,都会保证在规定时间内一定会触发一次函数
防抖只是在最后一次事件后才触发一次函数
比如在页面的无限加载场景下,我们需要用户在滚动页面时,每隔一段时间发一次ajax,而不是在用户停下时才去请求。这样的场景适合用节流
页面缩放修改rem设定,适合用防抖