前端学习小记-ES5实现ES6中的extends继承

在es5中是没有class这个语法的,所以实际上就是用函数来定义

// 1.prototype
// 这种方式无法在生成对象时进行传参
// 且由classA生成的实例对象会共享name属性
function classA() {
	this.name = 'hello';
}
classA.prototype.getName = function() {
	return this.name;
}
function classB() {
}
classB.prototype = new classA();
classB.prototype.constructor = classB;
var b = new classB();
console.log(b.getName()); //hello

// 2.原型链上加构造函数
// 能够传参
// 且公有变量不会被其他实例共享
function classA(name) {
    this.name = name;
}
classA.prototype.getName = function() {
    return this.name;
}
function classB(name) {
    classA.call(this,name);
}
classB.prototype = new classA();
classB.prototype.constructor = classB;

var b = new classB('world');
var c = new classB('yes');
console.log(b.getName());    //world
console.log(c.getName());    //yes

你可能感兴趣的:(前端,JavaScript,小记)