JavaScript高级程序设计(第三版)③

12 继承

ECMAScript中描述了原型链的概念,并将原型链作为实现继承的主要方法。其基本思想是利用原型让一个引用类型继承另一个引用类型的属性和方法。
 前面讲过:每个构造函数都有一个原型对象,原型对象都包含一个指向构造函数的指针,而实例都包含一个指向原型对象的内部指针。

function SuperType() {
    this.property = true;
}

SuperType.prototype.getSuperValue = function() {
    return this.property;
};

function SubType() {
    this.subproperty = false;
}


SubType.prototype = new SuperType(); // 继承了SuperType 
SubType.prototype.getSubValue = function() {
    return this.subproperty;
};

var instance = new SubType();
alert(instance.getSuperValue()); //true
alert(instance.getSubValue()); //false

JavaScript高级程序设计(第三版)③_第1张图片
原型链

原型式继承:
组合式继承:
寄生式继承:
⑤ 寄生组合式继承: ★

function inheritPrototype(Female,Person){ 
  var protoType=Object.create(Person.prototype);
  protoType.constructor=Female;
  Female.prototype=protoType;
}
function Person(name){
  this.name=name;
}
Person.prototype.sayName=function(){
  console.log(this.name+' '+this.gender+' '+this.age);
}
function Female(name,gender,age){
  Person.call(this,name);//第一次调用父类构造函数             
  this.age=age;
  this.gender=gender;
}
inheritPrototype(Female,Person);
Female.prototype.sayAge=function(){
console.log(this.name+' '+this.age);
}
 var fm=new Female('skila','female',19);
 fm.sayName();//skila female 19
 fm.sayAge();skila  19

13 JSON

JSON是JS对象的字符串表示法,它使用文本表示一个JS对象的信息,本质是个字符串;
JSON的key键值对中的键必须带有""

你可能感兴趣的:(JavaScript高级程序设计(第三版)③)