节流
https://github.com/mqyqingfeng/Blog/issues/26
实现原理: 持续触发事件,每隔一段时间,只执行一次。节流根据首次和尾次是否执行,实现方式不同。两种主流的实现方式。一种是使用时间戳,一种是使用定时器。
使用时间戳
function throttle(func, wait) {
var previous = 0;
return function () {
var now =+ new Date();
if (now - previous > wait) {
func.apply(this, arguments);
previous = now
}
}
}
使用定时器
function throttle(func, wait) {
var timeFlag;
return function () {
if (!timeFlag) {
timeFlag = setTimeout(() => {
timeFlag = null;
func.apply(this, arguments)
}, wait)
}
}
}
比较
- 使用时间戳的会立即执行,使用定时器的会在一定时间后执行
- 第一种在事件停止后就没办法再执行,第二种事件停止后依旧会执行一次事件
同时使用时间戳和定时器
需求:鼠标移入时执行,鼠标停止时执行。
第三版
function throttle(func, wait) {
var timeout, context, args, result;
var previous = 0;
var later = function () {
previous = +new Date();
timeout = null;
func.apply(context, args)
};
var throttled = function () {
var now = +new Date();
// 下次触发的剩余时间
var remainging = wait - (now - previous);
context = this;
args = arguments;
if (remainging < 0 || remainging > wait) {
if (timeout) {
clearTimeout(timeout);
timeout = null;
}
previous = now;
func.apply(context, args)
} else if (!timeout) {
timeout = setTimeout(later, remainging);
}
};
return throttled
}
可以配置的截溜函数
leading:false:表示禁止第一次执行
trailing:false表示禁用停止触发回调
function throttle(func, wait, options) {
var timeout, context, args, result;
var previous;
if (!options) options = {};
var later = function () {
previous = options.leading === false ? 0 : new Date().getTime();
timeout = null;
func.apply(context, args);
if (!timeout) {
context = args = null
}
};
var throttled = function () {
var now = new Date().getTime();
if (!previous && options.leading === false) previous = now;
var remaining = wait - (now - previous);
context = this;
args = arguments;
if (remaining <= 0 || remaining > wait) {
if (timeout) {
clearTimeout(timeout);
timeout = null;
}
previous = now;
func.apply(context, args);
if (!timeout) context = args = null;
} else if (!timeout && options.trailing !== false) {
timeout = setTimeout(later, remaining)
}
};
return throttled
}
取消
throttled.cancel = function() {
clearTimeout(timeout);
previous = 0;
timeout = null;
}
注意undersore实现的问题
leading:false 和 trailing: false 不能同时设置
leading:false 和 trailing: false 不能同时设置