手写防抖和节流
# 手写防抖(Debouncing)和节流(throttling)
// 思路:在规定时间内只触发一次
function throttle(fn, delay) {
// 利用闭包保存时间
let prev = Date.now();
return function() {
let context = this;
let arg = arguments;
let now = Date.now();
if (now - prev >= delay) {
fn.apply(context, arg);
prev = Date.now();
}
};
}
function fn() {
console.log("节流");
}
addEventListener("scroll", throttle(fn, 1000));
// 思路:在规定时间内未触发第二次,则执行
function debounce(fn, delay) {
// 利用闭包保存定时器
let timer = null;
return function() {
let context = this;
let arg = arguments;
// 在规定时间内再次触发会先清除定时器后再重设定时器
clearTimeout(timer);
timer = setTimeout(function() {
fn.apply(context, arg);
}, delay);
};
}
function fn() {
console.log("防抖");
}
addEventListener("scroll", debounce(fn, 1000));
//限流
function limiting(fn) {
let falg = true;
function done() {
falg = true;
}
return function() {
if (!falg) return;
falg = false;
const newArgs = [].concat(Array.prototype.slice.call(arguments));
return fn.call(this, ...newArgs, done);
};
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
更新时间: 3/15/2022, 12:28:01 AM