在看《js设计模式》中,作者提到了js中的两种继承方式:类继承 或 原型继承,或许是本人才疏学浅,竟发现一些问题。
一、类继承
思路:作者的思路是使用基于类来继承,并且做了一个extend函数,在第一时间就吸引了我的眼球,函数如下:
1
function
extend(subClass, superClass){
2 var F = function (){};
3 F.prototype = superClass.prototype;
4 subClass.prototype = new F();
5 subClass.prototype.constructor = subClass;
6 }
2 var F = function (){};
3 F.prototype = superClass.prototype;
4 subClass.prototype = new F();
5 subClass.prototype.constructor = subClass;
6 }
在js中sunClass和superClass分别是子类和父类的名字(即函数的名字).
在使用的时候作者的思路类似是这样:
1
function
Person()
2 {
3 this .attr1 = 1 ;
4 this .attr2 = 2 ;
5 this .attr3 = 3 ;
6 }
7
8 function Author()
9 {
10 Person.apply( this );
11 }
12
13 extend(Author,Person);
2 {
3 this .attr1 = 1 ;
4 this .attr2 = 2 ;
5 this .attr3 = 3 ;
6 }
7
8 function Author()
9 {
10 Person.apply( this );
11 }
12
13 extend(Author,Person);
但是我在测试中发现一个问题,在上面的extend函数的执行时间为0。仔细看看,其实这个类继承仅仅的核心部分为Author函数中的
Person.apply(this);
extend函数并没有起到作用?!
二、原型继承
这种继承基于一个父类的实例对象,只是把A.prorotype = obj;做了个函数封装,得到以下的clone函数:
1
function
clone(parentObj)
2 {
3 function F() = {};
4 F.prototype = parentObj;
5 return new F();
6 }
2 {
3 function F() = {};
4 F.prototype = parentObj;
5 return new F();
6 }