The Backbone 0.9.0 changelog says:
A view's events hash may now also contain direct function values as well as the string names of existing view methods.
When I try the following it fails, saying that the value for the event is undefined
.
var BB = Backbone.View.extend({
'initialize': function() {
this.$el.html('<input type="button" value="Click me!" />');
jQuery('body').html(this.el);
},
'events': {
'click input[type="button"]': this.buttonClicked
},
'buttonClicked': function() {
alert('button clicked!');
}
});
window.b = new BB()
Am I misunderstanding the new feature? Can somebody explain how it works differently than I expected? Perhaps it's just my JavaScript syntax/value of 'this' at definition time that is borked.
The way I'm used to doing it still works:
'events': {
'click input[type="button"]': 'buttonClicked'
},
The Backbone 0.9.0 changelog says:
A view's events hash may now also contain direct function values as well as the string names of existing view methods.
When I try the following it fails, saying that the value for the event is undefined
.
var BB = Backbone.View.extend({
'initialize': function() {
this.$el.html('<input type="button" value="Click me!" />');
jQuery('body').html(this.el);
},
'events': {
'click input[type="button"]': this.buttonClicked
},
'buttonClicked': function() {
alert('button clicked!');
}
});
window.b = new BB()
Am I misunderstanding the new feature? Can somebody explain how it works differently than I expected? Perhaps it's just my JavaScript syntax/value of 'this' at definition time that is borked.
The way I'm used to doing it still works:
'events': {
'click input[type="button"]': 'buttonClicked'
},
Share
Improve this question
edited Feb 25, 2014 at 1:56
mu is too short
435k71 gold badges859 silver badges818 bronze badges
asked Feb 2, 2012 at 18:39
aw crudaw crud
8,89121 gold badges76 silver badges117 bronze badges
1 Answer
Reset to default 14When the JavaScript parser gets here:
'events': {
'click input[type="button"]': this.buttonClicked
},
this
is probably window
, not an instance of BB
as you expect. The window
object doesn't have a buttonClicked
property (at least it doesn't in your case) so you're really saying this:
'events': {
'click input[type="button"]': undefined
},
and there's your error.
If you look at the source for delegateEvents
, you'll see what the ChangeLog means:
delegateEvents: function(events) {
// ...
for (var key in events) {
var method = events[key];
if (!_.isFunction(method)) method = this[events[key]];
// ...
}
},
That _.isFunction
call is what you're interested in. That means that you can say things like this:
events: {
'click input[type="button"]': function() { alert('pancakes!') },
'click button': some_function_that_is_in_scope
}
So you can put defined functions (either by their name if they're accessible or as function literals) in the events
lookup table.