ES6模拟私有属性+前端100道面试题

👍100个前端面试题及答案汇总

算法-冒泡排序及优化

JavaScript 中的私有变量

最近 JavaScript 有了很多改进,新的语法和功能一直在被增加进来。但有些东西并没有改变,一切仍然是对象,几乎所有东西都可以在运行时被改变,并且没有公共、私有属性的概念。但是我们自己可以用一些技巧来改变这种情况,在这篇文章中,我介绍各种可以实现私有变量的方式。

在 2015 年,JavaScript 有了 [类] ,对于那些从 更传统的 C 语系语言(如 Java 和 C#)过来的程序员们,他们会更熟悉这种操作对象的方式。但是很明显,这些类不像你习惯的那样 – 它的属性没有修饰符来控制访问,并且所有属性都需要在函数中定义。

那么我们如何才能保护那些不应该在运行时被改变的数据呢?我们来看看一些选项。

在整篇文章中,我将反复用到一个用于构建形状的示例类。它的宽度和高度只能在初始化时设置,提供一个属性来获取面积。有关这些示例中使用的 get 关键字的更多信息,请参阅我之前的文章 Getters 和 Setters

命名约定

第一个也是最成熟的方法是使用特定的命名约定来表示属性应该被视为私有。通常以下划线作为属性名称的前缀(例如 _count )。这并没有真正阻止变量被访问或修改,而是依赖于开发者之间的相互理解,认为这个变量应该被视为限制访问。

1
2
3
4
5
6
7
8
9
10
11
12
13
class Shape {
constructor(width, height) {
this._width = width;
this._height = height;
}
get area() {
return this._width * this._height;
}
}

const square = new Shape(10, 10);
console.log(square.area); // 100
console.log(square._width); // 10

WeakMap

想要稍有一些限制性,您可以使用 WeakMap 来存储所有私有值。这仍然不会阻止对数据的访问,但它将私有值与用户可操作的对象分开。对于这种技术,我们将 WeakMap 的关键字设置为私有属性所属对象的实例,并且我们使用一个函数(我们称之为 internal )来创建或返回一个对象,所有的属性将被存储在其中。这种技术的好处是在遍历属性时或者在执行 JSON.stringify 时不会展示出实例的私有属性,但它依赖于一个放在类外面的可以访问和操作的 WeakMap 变量。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
const map = new WeakMap();

// 创建一个在每个实例中存储私有变量的对象
const internal = obj => {
if (!map.has(obj)) {
map.set(obj, {});
}
return map.get(obj);
}

class Shape {
constructor(width, height) {
internal(this).width = width;
internal(this).height = height;
}
get area() {
return internal(this).width * internal(this).height;
}
}

const square = new Shape(10, 10);
console.log(square.area); // 100
console.log(map.get(square)); // { height: 100, width: 100 }

Symbol

Symbol 的实现方式与 WeakMap 十分相近。在这里,我们可以使用 Symbol 作为 key 的方式创建实例上的属性。这可以防止该属性在遍历或使用 JSON.stringify 时可见。不过这种技术需要为每个私有属性创建一个 Symbol。如果您在类外可以访问该 Symbol,那你还是可以拿到这个私有属性。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
const widthSymbol = Symbol('width');
const heightSymbol = Symbol('height');

class Shape {
constructor(width, height) {
this[widthSymbol] = width;
this[heightSymbol] = height;
}
get area() {
return this[widthSymbol] * this[heightSymbol];
}
}

const square = new Shape(10, 10);
console.log(square.area); // 100
console.log(square.widthSymbol); // undefined
console.log(square[widthSymbol]); // 10

闭包

到目前为止所显示的所有技术仍然允许从类外访问私有属性,闭包为我们提供了一种解决方法。如果您愿意,可以将闭包与 WeakMap 或 Symbol 一起使用,但这种方法也可以与标准 JavaScript 对象一起使用。闭包背后的想法是将数据封装在调用时创建的函数作用域内,但是从内部返回函数的结果,从而使这一作用域无法从外部访问。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
function Shape() {
// 私有变量集
const this$ = {};

class Shape {
constructor(width, height) {
this$.width = width;
this$.height = height;
}

get area() {
return this$.width * this$.height;
}
}

return new Shape(...arguments);
}

const square = new Shape(10, 10);
console.log(square.area); // 100
console.log(square.width); // undefined

这种技术存在一个小问题,我们现在存在两个不同的 Shape 对象。代码将调用外部的 Shape 并与之交互,但返回的实例将是内部的 Shape。这在大多数情况下可能不是什么大问题,但会导致 square instanceof Shape 表达式返回 false,这可能会成为代码中的问题所在。

解决这一问题的方法是将外部的 Shape 设置为返回实例的原型:

1
return Object.setPrototypeOf(new Shape(...arguments), this);

不幸的是,这还不够,只更新这一行现在会将 square.area 视为未定义。这是由于 get 关键字在幕后工作的缘故。我们可以通过在构造函数中手动指定 getter 来解决这个问题。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
function Shape() {
// 私有变量集
const this$ = {};

class Shape {
constructor(width, height) {
this$.width = width;
this$.height = height;

Object.defineProperty(this, 'area', {
get: function() {
return this$.width * this$.height;
}
});
}
}

return Object.setPrototypeOf(new Shape(...arguments), this);
}

const square = new Shape(10, 10);
console.log(square.area); // 100
console.log(square.width); // undefined
console.log(square instanceof Shape); // true

或者,我们可以将 this 设置为实例原型的原型,这样我们就可以同时使用 instanceofget。在下面的例子中,我们有一个原型链 Object -> 外部的 Shape -> 内部的 Shape 原型 -> 内部的 Shape

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
function Shape() {
// 私有变量集
const this$ = {};

class Shape {
constructor(width, height) {
this$.width = width;
this$.height = height;
}

get area() {
return this$.width * this$.height;
}
}

const instance = new Shape(...arguments);
Object.setPrototypeOf(Object.getPrototypeOf(instance), this);
return instance;
}

const square = new Shape(10, 10);
console.log(square.area); // 100
console.log(square.width); // undefined
console.log(square instanceof Shape); // true

Proxy

Proxy 是 JavaScript 中一项美妙的新功能,它将允许你有效地将对象包装在名为 Proxy 的对象中,并拦截与该对象的所有交互。我们将使用 Proxy 并遵照上面的 命名约定 来创建私有变量,但可以让这些私有变量在类外部访问受限。

Proxy 可以拦截许多不同类型的交互,但我们要关注的是 getset ,Proxy 允许我们分别拦截对一个属性的读取和写入操作。创建 Proxy 时,你将提供两个参数,第一个是您打算包裹的实例,第二个是您定义的希望拦截不同方法的 “处理器” 对象。

我们的处理器将会看起来像是这样:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
const handler = {
get: function(target, key) {
if (key[0] === '_') {
throw new Error('Attempt to access private property');
}
return target[key];
},
set: function(target, key, value) {
if (key[0] === '_') {
throw new Error('Attempt to access private property');
}
target[key] = value;
}
};

在每种情况下,我们都会检查被访问的属性的名称是否以下划线开头,如果是的话我们就抛出一个错误从而阻止对它的访问。

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
class Shape {
constructor(width, height) {
this._width = width;
this._height = height;
}
get area() {
return this._width * this._height;
}
}

const handler = {
get: function(target, key) {
if (key[0] === '_') {
throw new Error('Attempt to access private property');
}
return target[key];
},
set: function(target, key, value) {
if (key[0] === '_') {
throw new Error('Attempt to access private property');
}
target[key] = value;
}
}

const square = new Proxy(new Shape(10, 10), handler);
console.log(square.area); // 100
console.log(square instanceof Shape); // true
square._width = 200; // 错误:试图访问私有属性

正如你在这个例子中看到的那样,我们保留使用 instanceof 的能力,也就不会出现一些意想不到的结果。

不幸的是,当我们尝试执行 JSON.stringify 时会出现问题,因为它试图对私有属性进行格式化。为了解决这个问题,我们需要重写 toJSON 函数来仅返回“公共的”属性。我们可以通过更新我们的 get 处理器来处理 toJSON 的特定情况:

注:这将覆盖任何自定义的 toJSON 函数。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
 get: function(target, key) {
if (key[0] === '_') {
throw new Error('Attempt to access private property');
} else if (key === 'toJSON') {
const obj = {};
for (const key in target) {
if (key[0] !== '_') { // 只复制公共属性
obj[key] = target[key];
}
}
return () => obj;
}
return target[key];
}

我们现在已经封闭了我们的私有属性,而预计的功能仍然存在,唯一的警告是我们的私有属性仍然可被遍历。for(const key in square) 会列出 _width_height。谢天谢地,这里也提供一个处理器!我们也可以拦截对 getOwnPropertyDescriptor 的调用并操作我们的私有属性的输出:

1
2
3
4
5
6
7
getOwnPropertyDescriptor(target, key) {
const desc = Object.getOwnPropertyDescriptor(target, key);
if (key[0] === '_') {
desc.enumerable = false;
}
return desc;
}

现在我们把所有特性都放在一起:

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
class Shape {
constructor(width, height) {
this._width = width;
this._height = height;
}
get area() {
return this._width * this._height;
}
}

const handler = {
get: function(target, key) {
if (key[0] === '_') {
throw new Error('Attempt to access private property');
} else if (key === 'toJSON') {
const obj = {};
for (const key in target) {
if (key[0] !== '_') {
obj[key] = target[key];
}
}
return () => obj;
}
return target[key];
},
set: function(target, key, value) {
if (key[0] === '_') {
throw new Error('Attempt to access private property');
}
target[key] = value;
},
getOwnPropertyDescriptor(target, key) {
const desc = Object.getOwnPropertyDescriptor(target, key);
if (key[0] === '_') {
desc.enumerable = false;
}
return desc;
}
}

const square = new Proxy(new Shape(10, 10), handler);
console.log(square.area); // 100
console.log(square instanceof Shape); // true
console.log(JSON.stringify(square)); // "{}"
for (const key in square) { // No output
console.log(key);
}
square._width = 200; // 错误:试图访问私有属性

Proxy 是现阶段我在 JavaScript 中最喜欢的用于创建私有属性的方法。这种类是以老派 JS 开发人员熟悉的方式构建的,因此可以通过将它们包装在相同的 Proxy 处理器来兼容旧的现有代码。

附:TypeScript 中的处理方式

TypeScript 是 JavaScript 的一个超集,它会编译为原生 JavaScript 用在生产环境。允许指定私有的、公共的或受保护的属性是 TypeScript 的特性之一。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class Shape {
private width;
private height;

constructor(width, height) {
this.width = width;
this.height = height;
}

get area() {
return this.width * this.height;
}
}
const square = new Shape(10, 10)
console.log(square.area); // 100

使用 TypeScript 需要注意的重要一点是,它只有在 编译 时才获知这些类型,而私有、公共修饰符在编译时才有效果。如果你尝试访问 square.width,你会发现,居然是可以的。只不过 TypeScript 会在编译时给你报出一个错误,但不会停止它的编译。

1
2
// 编译时错误:属性 ‘width’ 是私有的,只能在 ‘Shape’ 类中访问。
console.log(square.width); // 10

TypeScript 不会自作聪明,不会做任何的事情来尝试阻止代码在运行时访问私有属性。我只把它列在这里,也是让大家意识到它并不能直接解决问题。

未来

我已经向大家介绍了现在可以使用的方法,但未来呢?事实上,未来看起来很有趣。目前有一个提案,向 JavaScript 的类中引入 private fields,它使用 符号表示它是私有的。它的使用方式与命名约定技术非常类似,但对变量访问提供了实际的限制。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
class Shape {
#height;
#width;

constructor(width, height) {
this.#width = width;
this.#height = height;
}

get area() {
return this.#width * this.#height;
}
}

const square = new Shape(10, 10);
console.log(square.area); // 100
console.log(square instanceof Shape); // true
console.log(square.#width); // 错误:私有属性只能在类中访问


1. 实现一个call函数

1
2
3
4
5
6
7
8
9
10
// 将要改变this指向的方法挂到目标this上执行并返回Function.prototype.mycall = function (context) {
if (typeofthis !== 'function') {
thrownewTypeError('not funciton')
}
context = context || window
context.fn = thislet arg = [...arguments].slice(1)
let result = context.fn(...arg)
delete context.fn
return result
}

2. 实现一个apply函数

1
2
3
4
5
6
7
8
9
10
11
12
13
14
Function.prototype.myapply = function (context) {
if (typeofthis !== 'function') {
thrownewTypeError('not funciton')
}
context = context || window
context.fn = thislet result
if (arguments[1]) {
result = context.fn(...arguments[1])
} else {
result = context.fn()
}
delete context.fn
return result
}

3. 实现一个bind函数

1
2
3
4
5
6
7
8
9
10
11
12
13
Function.prototype.mybind = function (context) {
if (typeofthis !== 'function') {
thrownewTypeError('Error')
}
let _this = thislet arg = [...arguments].slice(1)
returnfunctionF() {
// 处理函数使用new的情况if (thisinstanceof F) {
returnnew _this(...arg, ...arguments)
} else {
return _this.apply(context, arg.concat(...arguments))
}
}
}

4. instanceof的原理

1
2
3
4
5
6
7
8
9
10
11
12
13
14
// 右边变量的原型存在于左边变量的原型链上
function instanceOf(left, right) {
let leftValue = left.__proto__
let rightValue = right.prototype
while (true) {
if (leftValue === null) {
returnfalse
}
if (leftValue === right) {
returntrue
}
leftValue = leftValue.__proto__
}
}

5. Object.create的基本实现原理

1
2
3
4
functioncreate(obj) {
functionF() {}
F.prototype = obj
returnnew F()

6. new本质

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
function myNew (fun) {
returnfunction () {
// 创建一个新对象且将其隐式原型指向构造函数原型let obj = {
__proto__ : fun.prototype
}
// 执行构造函数
fun.call(obj, ...arguments)
// 返回该对象return obj
}
}

functionperson(name, age) {
this.name = name
this.age = age
}
let obj = myNew(person)('chen', 18) // {name: "chen", age: 18}

7. 实现一个基本的Promise

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
// ①自动执行函数,②三个状态,③then 
class Promise{
constructor (fn) {
// 三个状态this.state = 'pending'this.value = undefinedthis.reason = undefinedlet resolve = value => {
if (this.state === 'pending') {
this.state = 'fulfilled'this.value = value
}
}
let reject = value => {
if (this.state === 'pending') {
this.state = 'rejected'this.reason = value
}
}
// 自动执行函数try {
fn(resolve, reject)
} catch (e) {
reject(e)
}
}
// then
then(onFulfilled, onRejected) {
switch (this.state) {
case'fulfilled':
onFulfilled()
breakcase'rejected':
onRejected()
breakdefault:
}
}
}

8. 实现浅拷贝

1
2
3
// 1. ...实现let copy1 = {...{x:1}}

// 2. Object.assign实现let copy2 = Object.assign({}, {x:1})

9. 实现一个基本的深拷贝

1
2
3
4
5
6
7
8
9
10
11
12
13
14
// 1. JOSN.stringify()/JSON.parse()
let obj = {a: 1, b: {x: 3}}
JSON.parse(JSON.stringify(obj))

// 2. 递归拷贝
function deepClone(obj) {
let copy = obj instanceofArray ? [] : {}
for (let i in obj) {
if (obj.hasOwnProperty(i)) {
copy[i] = typeof obj[i] === 'object' ? deepClone(obj[i]) : obj[i]
}
}
return copy
}

10. 使用setTimeout模拟setInterval

1
2
3
4
5
// 可避免setInterval因执行时间导致的间隔执行时间不一致
setTimeout (function () {
// do something
setTimeout (arguments.callee, 500)
}, 500)

11. js实现一个继承方法

1
2
3
4
5
6
7
8
9
10
// 借用构造函数继承实例属性
function Child () {
Parent.call(this)
}
// 寄生继承原型属性
(function () {
let Super = function () {}
Super.prototype = Parent.prototype
Child.prototype = new Super()
})()

12. 实现一个基本的Event Bus

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
// 组件通信,一个触发与监听的过程
class EventEmitter{
constructor () {
// 存储事件this.events = this.events || newMap()
}
// 监听事件
addListener (type, fn) {
if (!this.events.get(type)) {
this.events.set(type, fn)
}
}
// 触发事件
emit (type) {
let handle = this.events.get(type)
handle.apply(this, [...arguments].slice(1))
}
}

// 测试
let emitter = new EventEmitter()
// 监听事件
emitter.addListener('ages', age => {
console.log(age)
})
// 触发事件
emitter.emit('ages', 18) // 18

13. 实现一个双向数据绑定

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
let obj = {}
let input = document.getElementById('input')
let span = document.getElementById('span')
Object.defineProperty(obj, 'text', {
configurable: true,
enumerable: true,
get() {
console.log('获取数据了')
return obj.text
},
set(newVal) {
console.log('数据更新了')
input.value = newVal
span.innerHTML = newVal
}
})
input.addEventListener('keyup', function(e) {
obj.text = e.target.value
})

完整实现可前往之前写的:这应该是最详细的响应式系统讲解了

14. 实现一个简单路由

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
class Route{
constructor(){
// 路由存储对象
this.routes = {}
// 当前hash
this.currentHash = ''// 绑定this,避免监听时this指向改变
this.freshRoute = this.freshRoute.bind(this)
// 监听
window.addEventListener('load', this.freshRoute, false)
window.addEventListener('hashchange', this.freshRoute, false)
}
// 存储
storeRoute (path, cb) {
this.routes[path] = cb || function () {}
}
// 更新
freshRoute () {
this.currentHash = location.hash.slice(1) || '/'this.routes[this.currentHash]()
}
}

15. 实现懒加载

1
2
3
4
5
6
7
8
9
10
11
12
13
14
<ul><li><imgsrc="./imgs/default.png"data="./imgs/1.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/2.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/3.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/4.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/5.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/6.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/7.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/8.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/9.png"alt=""></li><li><imgsrc="./imgs/default.png"data="./imgs/10.png"alt=""></li></ul> 

let imgs = document.querySelectorAll('img')
// 可视区高度let clientHeight = window.innerHeight || document.documentElement.clientHeight || document.body.clientHeight
functionlazyLoad () {
// 滚动卷去的高度let scrollTop = window.pageYOffset || document.documentElement.scrollTop || document.body.scrollTop
for (let i = 0; i < imgs.length; i ++) {
// 得到图片顶部距离可视区顶部的距离let x = clientHeight + scrollTop - imgs[i].offsetTop
// 图片在可视区内if (x > 0 && x < clientHeight+imgs[i].height) {
imgs[i].src = imgs[i].getAttribute('data')
}
}
}
setInterval(lazyLoad, 1000)

16. rem实现原理

1
2
3
4
5
6
functionsetRem () {
let doc = document.documentElement
let width = doc.getBoundingClientRect().width
// 假设设计稿为宽750,则rem为10pxlet rem = width / 75
doc.style.fontSize = rem + 'px'
}

17. 手写实现AJAX

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
53
54
55
56
57
58
// 1. 简单实现// 实例化let xhr = new XMLHttpRequest()
// 初始化
xhr.open(method, url, async)
// 发送请求
xhr.send(data)
// 设置状态变化回调处理请求结果
xhr.onreadystatechange = () => {
if (xhr.readyStatus === 4 && xhr.status === 200) {
console.log(xhr.responseText)
}
}

// 2. 基于promise实现 functionajax (options) {
// 请求地址const url = options.url
// 请求方法const method = options.method.toLocaleLowerCase() || 'get'// 默认为异步trueconstasync = options.async
// 请求参数const data = options.data
// 实例化const xhr = new XMLHttpRequest()
// 请求超时if (options.timeout && options.timeout > 0) {
xhr.timeout = options.timeout
}
// 返回一个Promise实例returnnewPromise ((resolve, reject) => {
xhr.ontimeout = () => reject && reject('请求超时')
// 监听状态变化回调
xhr.onreadystatechange = () => {
if (xhr.readyState == 4) {
// 200-300 之间表示请求成功,304资源未变,取缓存if (xhr.status >= 200 && xhr.status < 300 || xhr.status == 304) {
resolve && resolve(xhr.responseText)
} else {
reject && reject()
}
}
}
// 错误回调
xhr.onerror = err => reject && reject(err)
let paramArr = []
let encodeData
// 处理请求参数if (data instanceofObject) {
for (let key in data) {
// 参数拼接需要通过 encodeURIComponent 进行编码
paramArr.push(encodeURIComponent(key) + '=' + encodeURIComponent(data[key]))
}
encodeData = paramArr.join('&')
}
// get请求拼接参数if (method === 'get') {
// 检测url中是否已存在 ? 及其位置const index = url.indexOf('?')
if (index === -1) url += '?'elseif (index !== url.length -1) url += '&'// 拼接url
url += encodeData
}
// 初始化
xhr.open(method, url, async)
// 发送请求if (method === 'get') xhr.send(null)
else {
// post 方式需要设置请求头
xhr.setRequestHeader('Content-Type','application/x-www-form-urlencoded;charset=UTF-8')
xhr.send(encodeData)
}
})
}

18. 实现拖拽

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
window.onload = function () {
// drag处于绝对定位状态let drag = document.getElementById('box')
drag.onmousedown = function(e) {
var e = e || window.event
// 鼠标与拖拽元素边界的距离 = 鼠标与可视区边界的距离 - 拖拽元素与边界的距离let diffX = e.clientX - drag.offsetLeft
let diffY = e.clientY - drag.offsetTop
drag.onmousemove = function (e) {
// 拖拽元素移动的距离 = 鼠标与可视区边界的距离 - 鼠标与拖拽元素边界的距离let left = e.clientX - diffX
let top = e.clientY - diffY
// 避免拖拽出可视区if (left < 0) {
left = 0
} elseif (left > window.innerWidth - drag.offsetWidth) {
left = window.innerWidth - drag.offsetWidth
}
if (top < 0) {
top = 0
} elseif (top > window.innerHeight - drag.offsetHeight) {
top = window.innerHeight - drag.offsetHeight
}
drag.style.left = left + 'px'
drag.style.top = top + 'px'
}
drag.onmouseup = function (e) {
this.onmousemove = nullthis.onmouseup = null
}
}
}

19. 实现一个节流函数

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
functionthrottle (fn, delay) {
// 利用闭包保存时间let prev = Date.now()
returnfunction () {
let context = thislet arg = argumentslet now = Date.now()
if (now - prev >= delay) {
fn.apply(context, arg)
prev = Date.now()
}
}
}

functionfn () {
console.log('节流')
}
addEventListener('scroll', throttle(fn, 1000))

20. 实现一个防抖函数

1
2
3
4
5
6
7
8
9
10
11
12
13
14
functiondebounce (fn, delay) {
// 利用闭包保存定时器let timer = nullreturnfunction () {
let context = thislet arg = arguments// 在规定时间内再次触发会先清除定时器后再重设定时器
clearTimeout(timer)
timer = setTimeout(function () {
fn.apply(context, arg)
}, delay)
}
}

functionfn () {
console.log('防抖')
}
addEventListener('scroll', debounce(fn, 1000))