1 手写防抖函数
- 函数防抖是指在事件被触发n秒后再执行回调,如果在这n秒内事件又被触发,则重新计时。
- 这可以使用在一些点击请求的事件上,避免因为用户的多次点击向后端发送多次请求。
function debounce(fn, await) {
let timer = null;
return function() {
let self = this;
let args = arguments;
if (timer) {
clearTimeout(timer);
timer = null;
}
timer = setTimeout(() => {
fn.call(self, args);
}, await);
}
}
2 手写节流函数
- 函数节流是指规定一个单位时间,在这个单位时间内,只能有一次触发事件的回调函数执行,如果在同一个单位时间内某事件被触发多次,只有一次能生效。
- 节流可以使用在scroll函数的事件监听上,通过事件节流来降低事件调用的频率。
function throttle(fn, delay) {
let curTime = Date.now();
return function() {
let context = this;
let args = arguments;
let nowTime = Date.now();
if (nowTime - curTime >= delay) {
curTime = Date.now();
return fn.apply(context, args);
}
}
}