I'm using a bit of code that I found on the web to manufacture objects. It allows me to organize objects into namespaces, and keeps my code pretty readable.
var TEST = {};
//The next two lines is the stuff that I found on the web. I think I
//basically understand what's going on here, but maybe I'm implementing it
//incorrectly?
TEST.testObj = function () { this.initialize.apply(this, arguments); };
TEST.testObj.prototype = {
a: null,
b: [],
initialize: function(a) {
this.a = a;
this.b[0] = a;
}
}
t1 = new TEST.testObj(1);
t2 = new TEST.testObj(2);
alert(t1.a + ', ' + t2.a);
alert(t1.b + ', ' + t2.b);
So, basically t1.a, a primitive, retains it's value when t2 is instantiated. But t1.b changes. It seems like both instances are simply referencing a single array, but creating unique primitives.
If you are fuzzy about prototype inheritance, make sure you read up on it - it will help you reason about this problem. In essence, an object inherits all properties of its prototype, but an object's own properties has higher precedence than those of its prototype. In your example,
TEST.testObj.prototype
is the prototype of botht1
andt2
. Thus, botht1
andt2
inherit its properties.When the
Test.testObj
constructor is called, it then calls theinitialize
method, which then sets the object'sa
property to the passed-in parameter. This operation will create ana
property on the object itself (it's own property), this will override the inheriteda
property onTest.testObj.prototype
. Thus, each time a constructor is called, the new object will get its owna
property.The second statement in
initialize
is different in nature. It first looks up property
b
on the object. Since it is not found on the object itself, it goes up to its prototypeTest.testObject.prototype
and finds it there. Now, having a handle on the array object, it then modifies its zeroth element. As you can see, each time the constructor gets called, this same array will be modified.