溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊(cè)×
其他方式登錄
點(diǎn)擊 登錄注冊(cè) 即表示同意《億速云用戶服務(wù)條款》

javascript原型鏈中如何實(shí)現(xiàn)繼承

發(fā)布時(shí)間:2021-07-07 11:45:26 來(lái)源:億速云 閱讀:116 作者:小新 欄目:web開發(fā)

這篇文章將為大家詳細(xì)講解有關(guān)javascript原型鏈中如何實(shí)現(xiàn)繼承,小編覺得挺實(shí)用的,因此分享給大家做個(gè)參考,希望大家閱讀完這篇文章后可以有所收獲。

具體如下:

繼承的幾種方式:

① 使用構(gòu)造函數(shù)實(shí)現(xiàn)繼承

function Parent(){
  this.name = 'parent';
}
function Child(){
Parent.call(this); //在子類函數(shù)體里面執(zhí)行父類的構(gòu)造函數(shù)
this.type = 'child';//子類自己的屬性
}

Parent.call(this),this即實(shí)例,使用this執(zhí)行Parent方法,那么就用this.name = 'parent'把屬性

掛載在了this(實(shí)例)上面,以此實(shí)現(xiàn)了繼承。

缺點(diǎn):以上只是讓Child得到了Parent上的屬性,Parent的原型鏈上的屬性并未被繼承。

② 使用原型鏈實(shí)現(xiàn)繼承

function Parent(){
  this.name = 'parent';
}
function Child(){
  this.type = 'child';
}
Child.prototype = new Parent();

解釋:Child.prototype === Chlid實(shí)例的__proto__ === Child實(shí)例的原型

所以當(dāng)我們引用new Child().name時(shí),Child上沒(méi)有,然后尋找Child的原型child.__proto__Child.prototypenew Parent(),Parent的實(shí)例上就有name屬性,所以Child實(shí)例就在原型鏈上找到了name屬性,以此實(shí)現(xiàn)了繼承。

缺點(diǎn):可以看出,Child的所有實(shí)例,它們的原型都是同一個(gè),即Parent的實(shí)例:

var a = new Child();
var b = new Child();
a.__proto === b.__proto__; //true

所以,當(dāng)使用 a.name = 'a'重新給name賦值時(shí),b.name也變成了'a',反之亦然。

用instanceof和constructor都無(wú)法確認(rèn)實(shí)例到底是Child的還是Parent的。

③ 結(jié)合前兩種取長(zhǎng)補(bǔ)短

function Parent(){
  this.name = 'parent';
}
function Child(){
  Parent.call(this);
  this.type = 'child';
}
Child.prototype = new Parent();

缺點(diǎn):在Child()里面用Parent.call(this);執(zhí)行了一次Parent(),然后又使用Child.prototype = new Parent()執(zhí)行了一次Parent()。

改進(jìn)1:

function Parent(){
  this.name = 'parent';
}
function Child(){
  Parent.call(this);
  this.type = 'child';
}
Child.prototype = Parent.prototype;

缺點(diǎn):用instanceof和constructor都無(wú)法確認(rèn)實(shí)例到底是Child的還是Parent的。

原因: Child.prototype = Parent.prototype直接從Parent.prototype里面拿到constructor,即Parent。

改進(jìn)2:

function Parent(){
  this.name = 'parent';
}
function Child(){
  Parent.call(this);
  this.type = 'child';
}
Child.prototype = Object.create(Parent.prototype);
Child.prototype.constructor = Child;

畫圖說(shuō)明吧:

var a = new Child();

javascript原型鏈中如何實(shí)現(xiàn)繼承

所以這樣寫我們就構(gòu)造出了原型鏈。

關(guān)于“javascript原型鏈中如何實(shí)現(xiàn)繼承”這篇文章就分享到這里了,希望以上內(nèi)容可以對(duì)大家有一定的幫助,使各位可以學(xué)到更多知識(shí),如果覺得文章不錯(cuò),請(qǐng)把它分享出去讓更多的人看到。

向AI問(wèn)一下細(xì)節(jié)

免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場(chǎng),如果涉及侵權(quán)請(qǐng)聯(lián)系站長(zhǎng)郵箱:is@yisu.com進(jìn)行舉報(bào),并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI