class 与 原型链 解析

这篇文章只是我个人的见解,因为也是今年刚毕业,所以理解不一定非常的准确,如果理解有误希望大家告诉我。

一、class 相当于 拿实例对象的名字 来给 原型 命名。

为什么这么说呢。

先说说 es6中的用法 :

 class testClass{
      constructor(name,age){
            this.name = name;
            this.age = age;
        }
        printFn() {
            console.log(this.age);
        }
    }
    new testClass('hello',18).printFn()//18

这个类用 es5怎么写呢:

function testProto(name,age) {
    this.name = name;
    this.age = age;
   }
   testProto.prototype.printFn = function(){
    console.log(this.age);
   }
   new testProto('hello',18).printFn();
   

其实写法上是差不太多的。

不专业点说:class的实例函数(constructor)为匿名函数,而es5中,构造函数(即原型链prototype展示的原型)为匿名函数。
class例子中,class是有名字的 —— testClass,每个类的constructor唯一,就像每本书的目录 是唯一的,那么翻书的时候,正常说法就是打开 某本书的目录,而不用特意去给目录命名。

es5例子中,实例函数的名字是唯一的 —— testProto,他的构造对象,就是,他的原型链对象,testProto.prototype。这就像老师找学生家长聊天一样,一般老师都会说,让某同学(testProto)的妈妈(prototype)过来一下,某同学的名字已知,那么他的妈妈也就确定了。当实例化的时候(new testProto()),这个对象的名字就是以某同学的名字命名的。

prototype,constructor,__proto__关系图(不通过create创造,不通过各种情况扰乱的情况下分析);
prototype为原型属性,展示构造函数,比如上面举例的某同学的妈妈(构造函数)。某同学就是他妈妈生(实例)的对象。这个用类的思想比较好理解,我们平时调用的方法,其实都是一个原型的实例化(constructor)。
实例化对象之后,属性会存在于对象的__proto__中,当调用一个属性的时候,如果这个对象中没有,就回去他的__proto__中查找。
举个例子:

        
    function test1() {console.log('test1')};
    test1.prototype.test2 = function(){console.log(0)};
    new test1().__proto__ .test2 == new test1().test2//true;
    
    new test1()实例化之后的结构大概如下:
    test1 {
             __proto__:{
                          construtor:function(){console.log('test1')},
                          test2: function(){console.log(0)}
                        }
           }
    construtor会被立即执行
    所以 控制台会分别打印出  test1 ;test1 ;true;第一个test1 是执行new test1().__proto__ .test2这句话时候打印出来的,第二个test1是执行这句话new test1().test2的时候打印出来的。
    new test1().constructor == test1//true;
    new test1().__proto__.constructor == test1  //true;
    这句话可以证明“我们平时调用的方法,其实都是一个原型的实例化(constructor)。实例化对象之后,属性会存在于对象的__proto__中,当调用一个属性的时候,如果这个对象中没有,就回去他的__proto__中查找。”


    原文作者:lackdata
    原文地址: https://segmentfault.com/a/1190000012781196
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞