js继承总结

2019-03-02  本文已影响0人  一包

最近在准备面试,js继承真的好乱鸭鸭鸭鸭,整理一下~希望可以记得!
(参考:https://blog.csdn.net/caijixin/article/details/78295676
https://juejin.im/entry/5bcb2f695188255c2f425251

1. 借用构造函数继承

function SuperType() {
     this.colors = ["red","blue","green"];    
}

function SubType() {
   //继承了SuperType   --重新创建SuperType构造函数属性的副本
   SuperType.call(this);
}

ar instance1 = newe SubType();
instance1.colors.push("black");
console.log(instance1.colors);  //"red,blue,green,black"

缺点:

优点

2.原型链方法

function SuperType(){
  this.colors = ["red", "blue", "green"];
}
function SubType(){}

SubType.prototype = new SuperType();
SubType.prototype.constructor=SubType;

缺点:

function SuperType(){
  this.colors = ["red", "blue", "green"];
}
function SubType(){}

SubType.prototype = new SuperType();
SubType.prototype.constructor=SubType;

var instance1 = new SubType();
instance1.colors.push("black");
alert(instance1.colors); //"red,blue,green,black"

var instance2 = new SubType(); 
alert(instance2.colors); //"red,blue,green,black"

3.组合继承方法

function SuperType(name){
  this.name = name;
  this.colors = ["red", "blue", "green"];
}
SuperType.prototype.sayName = function(){
  alert(this.name);
};

function SubType(name, age){
  // 继承属性
  // 第二次调用SuperType()
  SuperType.call(this, name);
  this.age = age;
}

// 继承方法
// 构建原型链
// 第一次调用SuperType()
SubType.prototype = new SuperType(); 
// 重写SubType.prototype的constructor属性,指向自己的构造函数SubType
SubType.prototype.constructor = SubType; 
var instance1 = new SubType("Nicholas", 29);

缺点:

4.原型式继承

function object(obj){
    function F(){}
    F.prototype=obj;
    return new F()
}

object()对传入其中的对象执行了一次浅复制,将构造函数F的原型直接指向传入的对象。

var person = {
  name: "Nicholas",
  friends: ["Shelby", "Court", "Van"]
};

var anotherPerson = object(person);

ES5中存在Object.create()的方法,能够代替上面的object方法

缺点

优点

5.寄生式继承

function createAnother(original){
  var clone = object(original); // 通过调用 object() 函数创建一个新对象
  clone.sayHi = function(){  // 以某种方式来增强对象
    alert("hi");
  };
  return clone; // 返回这个对象
}


缺点

6.寄生组合继承

function inheritPrototype(subType, superType){
    var prototype=Object.create(surperType.prototype);// 创建对象,创建父类原型的一个副本
    prototype.constructor=subType;// 增强对象,弥补因重写原型而失去的默认的constructor 属性
    subType.prototype=prototype;// 增强对象,弥补因重写原型而失去的默认的constructor 属性
}

// 父类初始化实例属性和原型属性
function SuperType(name){
  this.name = name;
  this.colors = ["red", "blue", "green"];
}
SuperType.prototype.sayName = function(){
  alert(this.name);
};

// 借用构造函数传递增强子类实例属性(支持传参和避免篡改)
function SubType(name, age){
  SuperType.call(this, name);
  this.age = age;
}
/ /将父类原型指向子类
inheritPrototype(SubType, SuperType);

// 新增子类原型属性
SubType.prototype.sayAge = function(){
  alert(this.age);
}

缺点

上一篇 下一篇

猜你喜欢

热点阅读