Passing parameters into the Backbone events object of a backbone view

32,219

Solution 1

You could put the extra argument in a data attribute on the clickable item instead; something like this:

<a id="top-all" data-pancakes="1">

And then topProducts can figure it out itself:

topProducts: function(ev) {
    var pancakes = $(ev.currentTarget).data('pancakes');
    // And continue on as though we were called as topProducts(pancakes)
    // ...
}

Solution 2

I generally prefer to do something like this:

events : {
   "click #top-all":    function(){this.topProducts(1);}
   "click #top-three":  function(){this.topProducts(2);}
   "click #top-ten":    function(){this.topProducts(3);}
},
topProducts(obj){
   // Do stuff based on obj value
}

Solution 3

What you can do, is just check the id of the element which is received as currentTarget in arguments.

topProduct: function (e) {
    var id = e.currentTarget.id;
    if (id == "top-all") // Do something
    else if (id == "top-5") // Do something
    else if (id == "top-3") // Do something
}

Solution 4

You can do so using closures:

EventObject.on(event, (function(){
    var arg = data; // Closure preserves this data
    return function(){
        doThis(arg);
    }   
})());
Share:
32,219
paddle42380
Author by

paddle42380

Programmer and Learner

Updated on July 09, 2022

Comments

  • paddle42380
    paddle42380 almost 2 years

    I have the following events for a Backbone View. Its a product view - with three tabs ("All", "Top 3", "Top 5")

    Can I somehow pass a parameter into the method declaration so that it is equivalent to the following (this doesn't work)?

    events : {
        "click #top-all":          "topProducts(1)"
        "click #top-three":      "topProducts(2)"
        "click #top-ten":         "topProducts(3)"
    },
    topProducts(obj){
        // Do stuff based on obj value
    }