一.防抖(debounce)
1.1 防抖策略(debounce)是当事件被触发后,延迟 n 秒后再执行回调,如果在这 n 秒内事件又被触发,则重新计时。
1.2 防抖的应用场景
用户在输入框中连续输入一串字符时,可以通过防抖策略,只在输入完后,才执行查询的请求,这样可以有效减少请求次数,节约请求资源;
1.3实现输入框的防抖
// 简单版
var timer = null // 1. 防抖动的 timer
function debounceSearch(keywords) { // 2. 定义防抖的函数
timer = setTimeout(function() {
// 发起 JSONP 请求
getSuggestList(keywords)
}, 500)
}
$('#ipt').on('keyup', function() { // 3. 在触发 keyup 事件时,立即清空 timer
clearTimeout(timer)
// ...省略其他代码
debounceSearch(keywords)
})
/**
* 函数防抖
*/
export function debounce(fn, delay) {
// 记录上一次的延时器
var timer = null;
var delay = delay || 200;
return function () {
var args = arguments;
var that = this;
// 清除上一次延时器
clearTimeout(timer)
timer = setTimeout(function () {
fn.apply(that, args)
}, delay);
}
}
import {debounce} from '@/utils/debounce.js'
handleInput: debounce(function () {
this.searchType()
}, 500),
二.节流(throttling)
2.1节流策略(throttle),顾名思义,可以减少一段时间内事件的触发频率。
就是指连续触发事件但是在 n 秒中只执行一次函数。
2.2 节流的应用场景
①鼠标连续不断地触发某事件(如点击),只在单位时间内只触发一次;
②懒加载时要监听计算滚动条的位置,但不必每次滑动都触发,可以降低计算的频率,而不必去浪费 CPU 资源;
2.3 节流阀的概念
节流阀为空,表示可以执行下次操作;不为空,表示不能执行下次操作。
当前操作执行完,必须将节流阀重置为空,表示可以执行下次操作了。
每次执行操作前,必须先判断节流阀是否为空。
2.4 使用节流优化鼠标跟随效果
$(function() {
var angel = $('#angel')
var timer = null // 1.预定义一个 timer 节流阀
$(document).on('mousemove', function(e) {
if (timer) { return } // 3.判断节流阀是否为空,如果不为空,则证明距离上次执行间隔不足16毫秒
timer = setTimeout(function() {
$(angel).css('left', e.pageX + 'px').css('top', e.pageY + 'px')
timer = null // 2.当设置了鼠标跟随效果后,清空 timer 节流阀,方便下次开启延时器
}, 16)
})
})
/*
* @param {Function} func 函数
* @param {Number} wait 延迟执行毫秒数
* @param {Boolean} type true 表示时间戳版,false 表示定时器版
* @description 节流:即使持续触发事件,没隔一段时间,只会执行一次事件。
*/
function throttle(func, wait, type) {
let previous
let timeout
if (type) {
previous = 0
} else {
timeout
}
return function () {
let context = this
let args = arguments
if (type) {
let now = Date.now()
if (now - previous > wait) {
typeof func === 'function' && func.apply(context, args)
previous = now
}
} else {
if (!timeout) {
timeout = setTimeout(() => {
timeout = null
typeof func === 'function' && func.apply(context, args)
}, wait)
}
}
}
}
export default throttle
三.防抖和节流的区别
防抖:如果事件被频繁触发,防抖能保证只有最有一次触发生效!前面 N 多次的触发都会被忽略!
节流:如果事件被频繁触发,节流能够减少事件触发的频率,因此,节流是有选择性地执行一部分事件!