繼承
繼承是物件導向語言的必備特徵,即一個類能夠重用另一個類的方法和屬性。在JavaScript中繼承方式的實現方式主要有以下五種:對象冒充、call()、apply()、原型鏈、混合方式。
下面分別介紹。
對象冒充
原理:建構函式使用this關鍵字給所有屬性和方法賦值。因為建構函式只是一個函數,所以可以使ClassA的建構函式成為ClassB的方法,然後調用它。ClassB就會收到ClassA的建構函式中定義的屬性和方法。
樣本: 複製代碼 代碼如下:function ClassA(sColor){
this.color=sColor;
this.sayColor=function(){
alert(this.color);
}
}
function ClassB(sColor,sName){
this.newMethod=ClassA;
this.newMethod(sColor);
delete this.newMethod;
this.name=sName;
this.sayName=function(){
alert(this.name);
}
}
調用: 複製代碼 代碼如下:var objb=new ClassB("blue","Test");
objb.sayColor();//
blueobjb.sayName(); // Test
注意:這裡要刪除對ClassA的引用,否則在後面定義新的方法和屬性會覆蓋超類的相關屬性和方法。用這種方式可以實現多重繼承。
call()方法
由於對象冒充方法的流行,在ECMAScript的第三版對Function對象加入了兩個新方法 call()和apply()方法來實現相似功能。
call()方法的第一個參數用作this的對象,其他參數都直接傳遞給函數自身。樣本: 複製代碼 代碼如下:function sayColor(sPrefix,sSuffix){
alert(sPrefix+this.color+sSuffix);
}
var obj=new Object();
obj.color="red";
//output The color is red, a very nice color indeed.
sayColor.call(obj,"The color is ",", a very nice color indeed.");
使用此方法來實現繼承,只需要將前三行的賦值、調用、刪除代碼替換即可: 複製代碼 代碼如下:function ClassB(sColor,sName){
//this.newMethod=ClassA;
//this.newMethod(sColor);
//delete this.newMethod;
ClassA.call(this,sColor);
this.name=sName;
this.sayName=function(){
alert(this.name);
}
}
apply()方法
apply()方法跟call()方法類似,不同的是第二個參數,在apply()方法中傳遞的是一個數組。 複製代碼 代碼如下:function sayColor(sPrefix,sSuffix){
alert(sPrefix+this.color+sSuffix);
}
var obj=new Object();
obj.color="red";
//output The color is red, a very nice color indeed.
sayColor.apply(obj,new Array("The color is ",", a very nice color indeed."));
使用此方法來實現繼承,只需要將前三行的賦值、調用、刪除代碼替換即可: 複製代碼 代碼如下:function ClassB(sColor,sName){
//this.newMethod=ClassA;
//this.newMethod(sColor);
//delete this.newMethod;
ClassA.apply(this,new Array(sColor));
this.name=sName;
this.sayName=function(){
alert(this.name);
}
}
跟call()有一點不同的是,如果超類中的參數順序與子類中的參數順序完全一致,第二個參數可以用arguments。
原型鏈
繼承這種形式在ECMAScript中原本是用於原型鏈的。Prototype對象的任何屬性和方法都被傳遞給那個類的所有執行個體。原型鏈利用這種功能實現繼承機制。
用原型鏈實現繼承樣本: 複製代碼 代碼如下:function ClassA(){
}
ClassA.prototype.color="red";
ClassA.prototype.sayColor=function(){
alert(this.color);
};
function ClassB(){
}
ClassB.prototype=new ClassA();
注意:調用ClassA的建構函式時,沒有給它傳遞參數。這在原型鏈中是標準的做法,要確保建構函式沒有任何參數。
混合方式
這種方式混合了對象冒充和原型鏈方式。樣本: 複製代碼 代碼如下:function ClassA(sColor){
this.color=sColor;
}
ClassA.prototype.sayColor=function(){
alert(this.color);
}
function ClassB(sColor,sName){
ClassA.call(this,sColor);
this.name=sName;
}
ClassB.prototype=new ClassA();
ClassB.prototype.sayName=function(){
alert(this.name);
}
調用樣本: 複製代碼 代碼如下:var objb=new ClassB("red","test");
objb.sayColor();// output red
objb.sayName();// output test
作者:Artwl