我有一个已定义的模型和一个集合:
var Box = Backbone.Model.extend({
defaults: {
x: 0,
y: 0,
w: 1,
h: 1,
color: "black"
}
});
var Boxes = Backbone.Collection.extend({
model: Box
});
当用模型填充集合时,我需要一个由Box模型制作的新Boxes集合,它具有完整集合中包含的特定颜色属性,我这样做:
var sorted = boxes.groupBy(function(box) {
return box.get("color");
});
var red_boxes = _.first(_.values(_.pick(sorted, "red")));
var red_collection = new Boxes;
red_boxes.each(function(box){
red_collection.add(box);
});
console.log(red_collection);
这有效,但我发现它有点复杂和低效。有没有办法以更简单的方式做同样的事情?
以下是我描述的代码:http://jsfiddle.net/HB88W/1/
答案 0 :(得分:83)
我喜欢返回集合的新实例。这使得这些过滤方法可以链接(例如boxes.byColor("red").bySize("L")
)。
var Boxes = Backbone.Collection.extend({
model: Box,
byColor: function (color) {
filtered = this.filter(function (box) {
return box.get("color") === color;
});
return new Boxes(filtered);
}
});
var red_boxes = boxes.byColor("red")
答案 1 :(得分:45)
请参阅http://backbonejs.org/#Collection-where
var red_boxes = boxes.where({color: "red"});
var red_collection = new Boxes(red_boxes);