转自:http://www.cnblogs.com/snandy/archive/2011/03/06/1972254.html
这篇开始会记录一些写类的工具函数,通过上篇我们知道本质上都是 构造函数+原型。理解了它碰到各式各样的写类方式就不惧怕了。
构造函数 + 原型 直接组装一个类;同一构造函数将组装出同一类型
06 |
function $class(constructor,prototype) { |
07 |
var c = constructor || function (){}; |
08 |
var p = prototype || {}; |
用构造函数来生成类实例的属性(字段),原型对象用来生成类实例的方法。
02 |
function Person(name) { |
07 |
getName : function (){ return this .name}, |
08 |
setName : function (name){ this .name = name;} |
11 |
var Man = $class(Person,proto); |
12 |
var Woman = $class(Person,proto); |
这时候已经得到了两个类Man,Woman。并且是同一个类型的。测试如下:
1 |
console.log(Man == Woman); |
2 |
console.log(Man.prototype == Woman.prototype); |
创建对象看看
1 |
var man = new Man( "Andy" ); |
2 |
var woman = new Woman( "Lily" ); |
4 |
console.log(man instanceof Man); |
5 |
console.log(woman instanceof Woman); |
6 |
console.log(man instanceof Person); |
7 |
console.log(woman instanceof Person); |
ok,一切如我们所期望。但是有个问题,下面代码的结果输出false
1 |
console.log(man.constructor == Person); |
这让人不悦:从以上的代码看出man的确是通过Man类new出来的 var man = new Man("Andy"),那么对象实例man的构造器应该指向Man,但为何事与愿违呢?
原因就在于$class中重写了Person的原型:c.prototype = p;
好了,我们把$class稍微改写下,将方法都挂在构造器的原型上(而不是重写构造器的原型),如下:
1 |
function $class(constructor,prototype) { |
2 |
var c = constructor || function (){}; |
3 |
var p = prototype || {}; |
6 |
c.prototype[atr] = p[atr]; |