Skip to content

Instantly share code, notes, and snippets.

@wthit56
Created June 29, 2013 12:09
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save wthit56/5890898 to your computer and use it in GitHub Desktop.
Save wthit56/5890898 to your computer and use it in GitHub Desktop.
Garbage Collection is a very useful and clever piece of the JavaScript engine. It cleans up pieces of memory that are hanging around for no reason, allowing the machine it is running on to continue running as smoothly as possible without having to move large chunks of memory to and from the hard drive to try to cope. There are times, however, in…
// holds all instantiated Obj objects in memory for reuse
var clean = [];
function Obj(a, b) {
// reset newObj variable
var newObj = false;
// when function was not called as a "new" contructor...
// (like a "factory" function)
if (!(this instanceof Obj)) {
// ...use newly created object with Obj's prototype
newObj = Object.create(Obj.prototype);
}
// when there are clean objects in memory...
else if (clean.length) {
// ...remove and use last clean object
newObj = clean.pop();
}
// when a new object has been found/created...
if (newObj) {
// ...apply arguments to object
Obj.apply(newObj, arguments);
// and return
return newObj;
}
// the following will run only when an "this" is an Obj object
// and there were no "clean" objects in memory
this.a = a;
this.b = b;
// mark the object as "unclean", or "live"
this.isClean = false;
}
Obj.prototype = {
// this property can be used to tell if the object
// should be considered "live" or "dead", "clean" or "unclean"
// in case the user of this object did not release any references to it
// when the object was .destroy()'d
isClean: true,
a: null, b: null,
destroy: function () {
// mark the object as "clean" or "dead"
this.isClean = true;
this.a = null;
this.b = null;
// add the object to the list of clean objects in memory
clean.push(this);
}
};
function log(name, obj) {
console.log(name + " ", obj, "clean.length: " + clean.length);
}
// tests
var a = new Obj(1, 2);
a.wasA = true;
log("var a = new Obj(1, 2); a.wasA = true;",a);
var b = new Obj(3, 4);
log("new Obj(3, 4);", b);
a.destroy();
log("a.destory();", a);
var c = new Obj(5, 6);
log("new Obj(5, 6);", c);
@ericelliott
Copy link

Looks like a take on the object pool pattern. Note that it's probably more efficient to just let the GC do its work unless your objects are both:

  • expensive to instantiate (involving network connections, files, or large data chunks, for instance), and
  • need to be instantiated very quickly

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment