JavaScript中的静态成员

时间:2022-04-05 22:56:30

静态:共享

一、公有静态成员(作为函数的属性即可):

 var Gadget = function(price) {
this.price = price;
}
Gadget.isShiny = function(){
var msg = 'you bet';//公有静态
if(this instanceof Gadget){//实例调用时
msg += ', it costs ' + this.price + '!';
}
return msg;
}
Gadget.prototype.isShiny = function(){
return Gadget.isShiny.call(this)
} console.log(Gadget.isShiny());//you bet 此为静态调用
var a = new Gadget(23);
console.log(a.isShiny());//you bet, it costs 23! 此为实例调用

二、私有静态成员:

  私有:构造函数外部不可访问

  静态:所有实例共享

通过即时函数创建作用域存放

 var Person;
(function(){
var id = 0;//私有
Person = function(){
id ++;
this.id = id;
}
Person.prototype.getId = function(){
console.log(this.id);
}
Person.prototype.getLastId = function(){
console.log(id);
} })(); var p1 = new Person();
p1.getLastId();//
p1.getId();// var p2 = new Person();
p2.getLastId();//
p2.getId()// var p3 = new Person();
p3.getLastId();//
p3.getId();// p1.getId();//
p2.getId();//
p3.getId();//

注:JavaScript设计 P108-111 略变