First you have to differentiate between attributes
and instance variables
.
Attributes: IMHO, it should be plain objects as String or Integer. They travel around the client and the server through the REST API. They are manipulated through the Model.get()/Model.set() methods. They are sent to the server through the Model.toJSON() (also they use to be sent to the template
using the same .toJSON()
method. If they change in some way then Backbone events are triggered. You can customize the initialization of this attributes
manipulating the server side JSON information before it is sent to the Model overriding the Model.parse() method as @muistooshort has suggested.
Instance Variables: (the this.myAttribute
thing) They can be complex objects. The don't trigger any implicit event in their change and they are not sent to the server in the save
and update
calls, and, in an standard way, they are not sent to the template.
In your example you're not storing any complex object and if you are not affraid that your model is gonna send more attributes to the server than it receives from the server you can go for the @muistooshort suggestion:
// code no tested
var MyModel = Backbone.Model.extend({
parse: function(resp, xhr) {
resp.startYear = new Date( resp.startTime ).getFullYear();
resp.wholeNumber = Math.Round( resp.numberWithDecimals );
if( resp.fullName == "" ) resp.fullName == null;
return resp;
},
});
Just remember you these are attributes and you have to access them in this way my_model.get( "startYear" )
The only problem with this solution is the derived attributes won't be updated if the original attribute changes. So you can come with another implementation:
// code no tested
var MyModel = Backbone.Model.extend({
initialize: function(){
this.updateAttributes();
this.on( "change", this.updateAttributes, this );
},
updateAttributes: function() {
this.set( "startYear", new Date( this.get( "startTime" ) ).getFullYear() );
this.set( "wholeNumber", Math.Round( this.get( "numberWithDecimals" ) ) );
if( this.get( "fullName" ) == "" ) this.set( "fullName", null );
},
});
Updated
As @TomTu has suggested if your onlive attributes are only needed to feed the templates then a decorator is the best solution: https://stackoverflow.com/a/9687672/316700