"防抖"
首先,先去解释一下什么叫做防抖, 在事件被触发n秒后再执行回调,如果在这n秒内又被触发,则重新计时。也就是说 用户触发时间过于频繁,只要最后一次请求的操作就叫做防抖。
javascript
// 函数防抖
//time秒之后调用,如果频繁触发则重新计时
<input type="text" />
<script>
let input = document.querySelector("input");
input.onkeydown = debounce(function (e) {
console.log(e.keyCode);
}, 1000);
function debounce(callback, time) {
//定时器变量
let timeId = null;
//返回一个函数
return function (e) {
if (timeId !== null) {
clearTimeout(timeId);
}
timeId = setTimeout(() => {
//执行回调
callback.call(this, e);
//重置定时器变量
timeId = null;
}, time);
};
}
节流
限制函数在规定时间内执行的次数
javascript
//函数节流
//在wait毫秒内最多执行 callback 一次
function throttle(callback, wait) {
//定义开始时间
let start = 0;
//返回结果是一个函数
return function (e) {
//获取当前的时间戳
let now = Date.now();
// let new = +new Date()
//使用现在的时间戳减去上一次的时间戳
if (now - start >= wait) {
callback.call(this, e);
//start:代表上一次执行的时间
start = now;
}
};
}