function Person (){
this.name=“张三”;
this.run = function(){
alert( this.name+'在运动' )
}
}
Person.prototype.work = function(){
alert( this.name+'在工作’ )
}
// web类 继承person类 原型链+对象冒充的组合继承模式
function web(){
Person.call( this ) // 对象冒充实现继承
}
var w = new web()
web.run() // 会执行 对象继承可以继承构造函数里面的方法
web.work() // 不会执行 对象继承可以继承构造函数里面的方法 但是无法继承原型链上面的方法跟属性
// web.protype = new Person()// 原型链继承方法 缺点 实例化子类的时候无法给父类传参
// 组合继承模式
function Person (name){
this.name=name;
this.run = function(){
alert( this.name+'在运动' )
}
}
Person.prototype.work = function(){
alert( this.name+'在工作’ )
}
function web(name){
Person.call(this,name)
}
web.protype = new Person()