savinger
savinger

Reputation: 6714

Filter Collection by Substring in Backbone.js

If I were to want to do an autocomplete for a collection, what would be the best way? I'd like to see if a search string is in any (or a select few) attributes in my model.

I was thinking something like...

this.collection.filter(function(model) {
    return model.values().contains($('input.search]').val());
})

Edit I'm sorry, I must not have explained it well enough. If I have a collection with attributes...

[ 
  { first: 'John', last: 'Doe'}, 
  { first: 'Mary', last: 'Jane'} 
]

I want to type in a into my search, catch the keyup event, and filter out { first: 'Mary', last: 'Jane'}, as neither John nor Doe contains an a.

Upvotes: 3

Views: 4060

Answers (4)

Timothy Shields
Timothy Shields

Reputation: 79461

You want model items in your collection such that any of the values v contain your search text q. That translates to the following.

var q = $('input.search').val();
this.collection.filter(function(model) {
    return _.any(model.values(), function(v) {
        return ~v.indexOf(q);
    });
})

Upvotes: 1

savinger
savinger

Reputation: 6714

I went with this... case insensitive, substring matching for a subset of my model attributes.

var search = $(e.currentTarget).val().toLowerCase();
this.collection.filter(function(model) {
  return _.some(
    [ model.get('first'), model.get('last') ], 
    function(value) {
      return value.toLowerCase().indexOf(search) != -1;
    });
 });

Upvotes: 0

DhruvPathak
DhruvPathak

Reputation: 43245

You do not need to filter and compare values. Backbone has an inbuilt method where which fetches a subset of models from the collection.

http://backbonejs.org/#Collection-where

var friends = new Backbone.Collection([
  {name: "Athos",      job: "Musketeer"},
  {name: "Porthos",    job: "Musketeer"},
  {name: "Aramis",     job: "Musketeer"},
  {name: "d'Artagnan", job: "Guard"},
]);

var musketeers = friends.where({job: "Musketeer"});

Upvotes: 2

jcreamer898
jcreamer898

Reputation: 8189

You can look at the model's attributes to do something like this...

var search = $('input.search]').val();
this.collection.filter(function(model) {
    return _.any(model.attributes, function(val, attr) {
        // do your comparison of the value here, whatever you need
        return ~val.indexOf(search);
    });;
});

Upvotes: 9

Related Questions