4

这是过滤多个属性的骨干集合的好方法吗:

filterData: function(params) {
    // store original data for clearing filters
    this.originalModels = this.models.slice();
    for (var key in params) {
        var val = params[key];
        // if we are dealing with multiple values in an array
        // i.e. ['ford','bmw','mazda']
        if (typeof val === "object") {
            var union = [];
            for (var k in val) {
                var subval = val[k];
                var matched = _.filter(this.models, function(house) {
                   return house.get(key) == subval; 
                });
                union = union.concat(matched);
            }
            this.models = union;
        } else {
           var results = _.filter(this.models, function(house) {
               return house.get(key) == val;
           });
           this.models = results;
        }
    } // end for
    return this.reset(this.models);
},
clearFilters: function() {
    return this.reset(this.originalModels);
}

我对其进行了测试,它允许我以以下方式过滤集合:

filterParams = {brand:['ford','bmw','mazda'], color:black}

carCollection.filterData(filterParams);

它似乎有效,但我不知道是否有更好的方法来做到这一点。

我测试了Backbone.Collection.where()方法,但如果我想说它不起作用brand: ['bmw','mazda','ford']

4

2 回答 2

7

你应该能够使用这样的东西:

filterData: function(params) {
    // store original data for clearing filters
    this.originalModels = this.models.slice();

    _.each(params, function(val, key){
        if (typeof val !== 'object') val = [ val ];
        this.models = _.filter(this.models, function(model){
            return _.indexOf(val, model.get(key)) !== -1;
        }, this);
    }, this);
    return this.reset(this.models);
}
于 2012-06-23T17:05:50.253 回答
1

Backbone.js 集合可以访问许多 underscore.js 方法,包括 filter()。

carCollection.reset(carCollection.filter(function(car){
  return $.inArray(car.brand,['ford','bmw','mazda']) && car.color === 'black';
}));

未经测试,但如果您使用 jQuery,那应该可以工作。如果没有,您可以创建自己的 inArray() 函数

于 2012-06-23T00:20:36.640 回答