Why Would Views Not Render With .el?
Solution 1:
If you were to console.log each of the components of the call the output would be similar to the following:
view // your view object which contains methods and properties - BackboneView
render  // a method of the view object - a function
el // a property of the view object - an HTMLElement
So, you can't call el because it's only a property, in fact it's an HTMLElement object. In your code you are returning html. If you were to chain the the calls via view.render().el you would have to return the instance using the this keyword. When you return an instance you get access to all of the instance's properties and methods again in one line (chainablility). So, when you return html you can't chain off the view object, which is why, in the demo, they return this. 
render: function () {
    this.$el.html( this.template( this.model.toJSON() ));
    return this; // return the instance
}
You shouldn't return the html of the view anyway. You always want to access Backbone's html via the el or $el properties.
Solution 2:
el isn't a function, but rather the HTML that would constitute the view. Calling render() normally generates the HTML and stores it in the el property. By convention this method should return this allowing you to reference the object directly (and for chaining). 
So, view.render().el will render the element and return the HTML suitable for appending to the DOM.
Post a Comment for "Why Would Views Not Render With .el?"