JSLint doesn't like using new function
. This makes sense, because you're just creating a singleton, and so there's no point in using a constructor for that. If you have something like this:
var NowWithClosures = Backbone.Model.extend(new function(){
var x = 1;
this.initialize = function(){
console.log('init');
};
this.AddOneToX = function(){
x++;
};
this.getX = function() {
return x;
};
});
var nwc = new NowWithClosures();
nwc.AddOneToX();
console.log(nwc.getX());
You can easily rewrite using the module pattern like this:
var NowWithClosures = Backbone.Model.extend((function(){
var x = 1;
return {
initialize: function(){
console.log('init');
},
AddOneToX: function(){
x++;
},
getX: function() {
return x;
}
};
}()));
var nwc = new NowWithClosures();
nwc.AddOneToX();
console.log(nwc.getX());
Now, you're avoiding the weird new function
thing and don't have to worry about this
at all.
Thanks