原型链
是一个比较抽象的概念,每当被问起这个问题时,总会回答得不是那么准确,好像懂,但自己好像又不太懂,真是尴尬了
正文开始...
我们知道每一个函数都有一个自身的prototype
,每一个对象都有__proto__
对象,而这个__proto__
我们常称之为隐式原型
,正因为它连接起了对象与构造函数的关系。
当我们访问一个对象时,首先会在自身属性上找,当自身属性找不到时,会到对象的隐式链上去找,如果隐式链上还没有,那么会到构造函数的原型上找,当原型上没有时,会到原型的隐式__proto__
上去找,当这个属性还找不到时,就直接返回undefined
了,因此才形成了一条原型链。
针对以上一段长长的话,我们用实际例子来佐证一下
function Person() {
this.name = 'Maic';
this.age = 18;
}
Person.prototype.say = function () {
return `hello ${this.name}`
}
const person = new Person();
我们访问
console.log(person.name); // Maic
现在我在原型上找
function Person() {
// 1 this.name = 'Maic';
this.age = 18;
}
// 3 Person.prototype.name = 'Test';
// 4 Person.prototype.__proto__.name = '999'
Person.prototype.say = function () {
return `hello ${this.name}`
}
const person = new Person();
// 2 person.__proto__.name = '8888'
console.log(person.say());
从结果上来看,会是依次从1,2,3,4
依次查找下去,直到最后找不到name
为止,最后就打印undefined
当我们对构造函数实例化的时候,此时就会返回一个对象person
,然而这个person
对象就可以访问构造函数内部的属性,以及原型上的方法了。
这个person
对象为什么可以访问构造函数的属性?以及构造函数原型上的方法?
那是因为通过__proto__
这个隐式原型指向的构造函数的prototype
在上面例子中我们看到有用实例化构造函数,在面试中常有问题到,new
的过程中发生了啥?
1、创建了一个对象
2、将这个对象的__proto__
指向了构造函数的prototype
3、执行构造函数内部方法,并改变构造函数内部的this指向到新对象中
4、返回该构造函数的结果
我们根据以上几点,实现一个类似new
的操作,从而真正理解new
原生的实现
function mynew(Fn, ...arg) {
// 1、创建一个对象
const ret = {};
// 2 将这个对象__proto__执行构造函数的prototype
ret.__proto__ = Fn.prototype
// or
// Object.setPrototypeOf(ret, Fn.prototype);
const result = Fn.call(ret, ...arg);
return typeof result === 'object' ? result : ret;
}
我们再重新看下这段代码
function Person() {
this.name = 'Maic';
this.age = 18;
}
Person.prototype.say = function () {
return `hello ${this.name}`
}
const person = new Person();
看下下面的几个判断
...
console.log(person.__proto__ === Person.prototype) // true
console.log(Person.__proto__ === Function.prototype) // true
console.log(Person.__proto__ === Object.__proto__); // true
console.log(Function.prototype === Object.__proto__); // true
console.log(Person.prototype.__proto__ === Object.prototype) // true
console.log(Object.prototype.__proto__ === null); // true
console.log(person.__proto__.__proto__ === Object.prototype) // true
console.log(Function.prototype.__proto__ === Object.prototype); // true
上面的关系画了一个图, 可能更直观点
这个图看起来貌似还是不太容易记住,多理解几遍,应该会掌握八九不离十
另外还有一篇github上关于伢羽老师的原型链[1]的文章可以一同参考
prototype
,每一个对象都有自己的隐式__proto__
,当我们访问对象属性时,会优先在自己内部属性寻找,然后会找__proto__
上的属性,然后会去构造函数的prototype
上寻找,如果构造函数的prototype
找不到,会到到构造函数prototype
的__proto__
上寻找,最后找不到该属性就返回undefined
[1]
原型链: https://github.com/mqyqingfeng/Blog/issues/2
[2]
code example: https://github.com/maicFir/lessonNote/tree/master/javascript/17-原型链