手写防抖和节流函数
作者:互联网
手写防抖和节流函数
文章目录
1、防抖函数
1、函数防抖
在事件被触发n秒后再执行回调,如果在这n秒内又被触发,则重新计时。
关键点:事件在n秒内再次触发,则重新计时。直到n秒后不再触发,再执行回调
防抖相当于做了一次延迟
2、应用场景
- 频繁输入内容、提交或搜索信息
- 频繁点击按钮,触发某个事件
- 监听浏览器滚动,完成特定操作
- 用户缩放浏览器的resize事件
3、防抖案例
1、第三方库
- lodash
- 重量级、功能多
- underscore
- 轻量级、持续维护
<body>
<input type="text" />
<script src="https://cdn.jsdelivr.net/npm/underscore@1.13.1/underscore-umd-min.js"></script>
</body>
//防抖将该事件不断延后处理
const inputEl = document.querySelector('input');
const inputChange = function (event) {
// 这里的this绑定触发的元素对象,event事件对象
console.log(`发送了第${++counter}次网络请求`, this, event);
};
//_.throttle,underscore内置的防抖函数,返回一个处理后的函数
inputEl.oninput = _.debounce(inputChange, 2000)
2、手写
inputEl.oninput = debounce(inputChange, 3000)
// 两个参数,需要防抖的函数和延迟时间
// 延迟执行,原理就是如果有定时器就先取消上次的定时器重新计时
function debounce(fn, delay) {
// 1.定义一个定时器, 保存上一次的定时器
let timer = null;
// 2.真正执行的函数
// ...args接受调用时传递的参数
const _debounce = function (...args) {
// 取消上一次的定时器
if (timer) clearTimeout(timer);
// 重新定义一个定时器
// 延迟执行
timer = setTimeout(() => {
// 外部传入的真正要执行的函数
// 这里用的是箭头函数,this从上层作用域查找即_debounce的this
fn.apply(this, args)
}, delay);
};
// 返回一个新的函数
return _debounce;
}
inputEl.oninput = debounce(inputChange, 3000, true)
// 防抖增加立即执行功能,额外添加一个immediate属性
function debounce(fn, delay, immediate = false) {
// 1.定义一个定时器, 保存上一次的定时器
let timer = null
let isInvoke = false
// 2.真正执行的函数
const _debounce = function(...args) {
// 取消上一次的定时器
if (timer) clearTimeout(timer)
// 判断是否需要立即执行
if (immediate && !isInvoke) {
fn.apply(this, args)
isInvoke = true
} else {
// 延迟执行
timer = setTimeout(() => {
// 外部传入的真正要执行的函数
fn.apply(this, args)
isInvoke = false
}, delay)
}
}
return _debounce
}
2、节流函数
1、函数节流
规定在一个单位时间内,只能触发一次函数。如果这个单位时间内触发多次函数,只有一次生效。
关键词:在单位时间内,不管触发多少次,只生效一次
节流相当于做了一个限制
2、应用场景
- 监听页面的滚动事件
- 鼠标移动事件
- 用户频繁点击按钮操作
- 页面交互的一些设计
3、节流案例
1、第三方库
- underscore
- 轻量级、持续维护
<body>
<input type="text" />
<script src="https://cdn.jsdelivr.net/npm/underscore@1.13.1/underscore-umd-min.js"></script>
</body>
//节流将该事件在2000ms内触发一次
const inputEl = document.querySelector('input');
const inputChange = function (event) {
console.log(`发送了第${++counter}次网络请求`, this, event);
};
//_.throttle,underscore内置的防抖函数,返回一个处理后的函数
inputEl.oninput = _.throttle(inputChange, 2000)
2、手写
inputEl.oninput = throttle(inputChange, 3000);
function throttle(fn, interval, options) {
// 1.记录上一次的开始时间
let lastTime = 0;
// 2.事件触发时, 真正执行的函数
const _throttle = function () {
// 2.1.获取当前事件触发时的时间
const nowTime = new Date().getTime();
// 2.2.使用当前触发的时间和之前的时间间隔以及上一次开始的时间, 计算出还剩余多长事件需要去触发函数
const remainTime = interval - (nowTime - lastTime);
// 第一次会默认执行
if (remainTime <= 0) {
// 2.3.真正触发函数
fn();
// 2.4.保留上次触发的时间
lastTime = nowTime;
}
};
return _throttle;
}
标签:触发,防抖,const,节流,debounce,手写,函数 来源: https://blog.csdn.net/wingchiehpih/article/details/122022651