本文实例讲述了javascript继承机制。分享给大家供大家参考。具体分析如下:
初学javascript一般很难理解Javascript语言的继承机制它没有"子类"和"父类"的概念,也没有"类"(class)和"实例"(instance)的区分,全靠一种很奇特的"原型链"(prototype chain)模式,来实现继承。
我花了很多时间,学习这个部分,还做了很多笔记。但是都属于强行记忆,无法从根本上理解。
一、如何创建一个类
假设有给叫Person的类如下:
var Person = function(name, age) { this.name = name; this.age = age; } Person.prototype.getName = function() { return this.name; }
class Students extend Person {}; //很简单,一行代码;更确切的说是一个单词--extend
二、换成js如何能做到
在讲解js的继承机制实现之前,先了解一下js的原型链:
var person = new Person('Poised-flw', 21); person.getName(); // "Poised-flw"
就上面的getName()方法来说,是如何执行的?首先会在Person这个函数里面找是否有getName()这个方法,发现没有;然后就转到 Person.prototype中寻找,发现有!然后就调用,若没有呢?继续按照相同的方法一直沿着prototype寻找下去,直到找到方法或者 达到原型链的顶端为止!
举例来说,现在有一个叫做DOG的构造函数,表示狗对象的原型。
function DOG(name){ this.name = name; }
var dogA = new DOG('大毛'); alert(dogA.name); // 大毛
三、new运算符的缺点
用构造函数生成实例对象,有一个缺点,那就是无法共享属性和方法。
比如,在DOG对象的构造函数中,设置一个实例对象的共有属性species。
function DOG(name){ this.name = name; this.species = '犬科'; }
var dogA = new DOG('大毛'); var dogB = new DOG('二毛');
dogA.species = '猫科'; alert(dogB.species); // 显示"犬科",不受dogA的影响
所以:继承的思想: 通过js特有的原型链来实现继承机制!
四、基于原型链的继承
1.直接继承实现
var Students = function(name, age, sid) { Person.call(this, name, age); this.sid = sid; } Students.prototype = new Person(); //把Person放到Students的原型链上实现继承机制 Students.prototype.constructor = Students; Students.prototype.getResults = function() { // 得到学生的成绩 }
var Test = function() { this.time = "now"; } console.log(Test.prototype); // Object {} 一个空对象 console.log(Test.prototype.constructor); // function() {this.time = "now";},及函数本身 // 若手工改变Test的prototype属性 Test.prototype = { someFunc: function() { console.log('hello world!'); } }; console.log(Test.prototype.constructor); // function Object() { [native code] } // 然后你会发现完全指错了,故手动更改prototype属性的时候需要更改它的constructor指向;
2.封装继承的函数extend
function extend(subClass, superClass) { var F = function() {}; F.prototype = superClass.prototype; subClass.prototype = new F(); subClass.prototype.constructor = subClass; }
// 在Students构造函数中继续添加一行代码: Person.call(this, name, age);
五、小结
利用js的原型链原理,我们可以很容易的实现js的继承机制,尽管不是非常的严格,但是我的目的达到了: 重复的代码尽量出现一次!
希望本文所述对大家的javascript程序设计有所帮助。