Js中的原型鏈繼承,建構函式繼承,組合繼承
阿新 • • 發佈:2019-02-13
昨天學習了一下js的這三種繼承,感覺面試還是會問到,今天早上就總結了一下。都寫到了程式碼裡。
<script type="text/javascript"> // -----------------------------------------原型鏈繼承 // 缺點1:建立子型別時,不能向超型別中傳遞引數。 // 缺點2: 當原型鏈中包含引用型別值的原型時,該引用型別值會被所有例項共享; function Dad(name,age){ this.name = name; this.age = age; this.counts = [1,2,3,4,5]; } Dad.prototype.sayNmae = function() { console.log(this.name) }; function Son(name,age){ this.name = name; this.age = age; }; Son.prototype = new Dad(); var son = new Son('劉暢',23); var dad = new Dad('王珍',88); son.sayNmae(); son.counts.push(6) //修改父類counts var son1 = new Son('大哥',11); console.log(son1.counts)//第二個例項物件的counts也被修改,特點1 console.log(son.counts) console.log(son instanceof Dad); console.log(dad instanceof Dad); console.log(dad instanceof Son); //只要是原型鏈中出現過的原型,isPrototypeOf() 方法就會返回true, 如下所示. console.log(Object.prototype.isPrototypeOf(son)); console.log(Dad.prototype.isPrototypeOf(son)); console.log(Son.prototype.isPrototypeOf(son)); // -----------------------------------------建構函式繼承。 // 基本思想:即在子型別建構函式的內部呼叫超型別建構函式. // 優點1.保證了原型鏈中引用型別值的獨立,不再被所有例項共享; // 優點2.子型別也可以向父型別去傳遞引數 // 缺點1.方法都在建構函式中定義, 因此函式複用也就不可用了。 // 缺點2.超型別中定義的方法對子型別都是不可見的。 function Person(name,age){ this.name = name; this.age = age; this.counts = [1,2,3,4,5]; } function Man(name,age,sex){ Person.call(this,name,age); this.sex = sex; } var man = new Man('劉暢',18,'男'); var man1 = new Man('王樂樂',19,'男') man.counts.push(6) console.log(man);//counts為1到6 console.log(man1);//counts為1到5 // -------------------------------------------採用建構函式和原型鏈相結合的方法進行繼承 // 優點1.組合繼承避免了原型鏈和借用建構函式的缺陷,融合了它們的優點,成為 JavaScript 中最常用的繼承模式. 而且, instanceof 和 isPrototypeOf( )也能用於識別基於組合繼承建立的物件. // 缺點1.每一次整合都呼叫了兩次父父物件,造成了不必要的損失 function Teacher(name,age){ this.name = name; this.age = age; } Teacher.prototype.sayNmae = function(){ console.log(this.name) } function Student(name,age,sex){ Teacher.call(this,name,age); this.sex = sex; } Student.prototype = new Teacher(); var student = new Student('liuchanh',18,'boy'); student.__proto__.name = '王珍'; console.log(student) </script>