所有的 JavaScript 对象都会从一个 prototype(原型对象)中继承属性和方法

    function Person(first, last, age, eyecolor) {    
      this.firstName = first;
      this.lastName = last;
      this.age = age;
      this.eyeColor = eyecolor;
    }
     
    var father= new Person("John", "Doe", 50, "blue");
    var mother = new Person("Sally", "Rally", 48, "green");
    console.log(father.age) //50
    console.log(mother .age) //48

如果访问对象不存在的属性,会报undefined

    console.log(father.fullName) //undefined

给已有的对象增加属性或者方法

格式:构造函数名.prototype.新属性或者新方法

使用prototype属性 可以给对象的构造函数添加新的属性

    Person.prototype.fullName = 'zwy'    
    log(father.fullName) //zwy
    
    mother.fullName = 'lex' //设置mother fullName属性
    log(mother.fullName)

使用prototype属性 可以给对象的构造函数添加新的方法

    Person.prototype.getFullName = function(){    
      return this.firstName + this.lastName
    }
    log(father.getFullName()) //zwy
    log(mother.getFullName()) //lex

prototype 继承

所有的 JavaScript 对象都会从一个 prototype(原型对象)中继承属性和方法:

Date 对象从 Date.prototype 继承。

Array 对象从 Array.prototype 继承。

Person 对象从 Person.prototype 继承。

所有 JavaScript 中的对象都是位于原型链顶端的 Object 的实例。

JavaScript 对象有一个指向一个原型对象的链。当试图访问一个对象的属性时,它不仅仅在该对象上搜寻,还会搜寻该对象的原型,

以及该对象的原型的原型,依次层层向上搜索,直到找到一个名字匹配的属性或到达原型链的末尾。

Date 对象, Array 对象, 以及 Person 对象从 Object.prototype 继承。