How to pass parameters to a view
Solution 1:
You just need to pass the extra parameter when you construct the MenuView. No need to add the initialize
function.
new MenuView({
collection: itemColl,
position: this.getPosition()
})
And then, in MenuView
, you can use this.options.position
.
UPDATE: As @mu is too short states, since 1.1.0, Backbone Views no longer automatically attach options passed to the constructor as this.options, but you can do it yourself if you prefer.
So in your initialize
method, you can save the options
passed as this.options
:
initialize: function(options) {
this.options = options;
_.bindAll(this, 'render');
},
or use some finer ways as described by @Brave Dave.
Solution 2:
Add an options argument to initialize
:
initialize: function(options) {
// Deal with default options and then look at options.pos
// ...
},
And then pass in some options when you create your view:
var v = new ItemView({ pos: whatever_it_is});
For more information: http://backbonejs.org/#View-constructor
Solution 3:
As of backbone 1.1.0, the options
argument is no longer attached automatically to the view (see issue 2458 for discussion). You now need to attach the options of each view manually:
MenuView = Backbone.View.extend({
initialize: function(options) {
_.extend(this, _.pick(options, "position", ...));
}
});
new MenuView({
collection: itemColl,
position: this.getPosition(),
...
});
Alternatively you can use this mini plugin to auto-attach white-listed options, like so:
MenuView = Backbone.View.extend({
options : ["position", ...] // options.position will be copied to this.position
});