你好奇的关键在于源代码的下划线。您可能已经知道,Backbone.Collection 上可供您使用的大量方法都是从下划线引入的。
让我们先看看他们是如何做到的:
// Underscore methods that we want to implement on the Collection.
// 90% of the core usefulness of Backbone Collections is actually implemented
// right here:
var methods = ['forEach', 'each', 'map', 'collect', 'reduce', 'foldl',
'inject', 'reduceRight', 'foldr', 'find', 'detect', 'filter', 'select',
'reject', 'every', 'all', 'some', 'any', 'include', 'contains', 'invoke',
'max', 'min', 'toArray', 'size', 'first', 'head', 'take', 'initial', 'rest',
'tail', 'drop', 'last', 'without', 'difference', 'indexOf', 'shuffle',
'lastIndexOf', 'isEmpty', 'chain'];
// Mix in each Underscore method as a proxy to `Collection#models`.
_.each(methods, function(method) {
Collection.prototype[method] = function() {
// Important: BOLT ON THE COLLECTION MODELS TO THE ARGUMENTS.
var args = slice.call(arguments);
args.unshift(this.models);
// .apply (since we have an array of arguments).
return _[method].apply(_, args);
};
});
所以我们有一个下划线方法名称列表。源代码循环遍历这些方法名称并将每个方法名称添加到您的集合原型中。重要提示:您会注意到此代码修补了参数列表以包含在您的集合模型中。
现在看下划线的实际方法实现:
_.filter = _.select = function(obj, iterator, context) {
var results = [];
if (obj == null) return results;
if (nativeFilter && obj.filter === nativeFilter) return obj.filter(iterator, context);
each(obj, function(value, index, list) {
if (iterator.call(context, value, index, list)) results.push(value);
});
return results;
}
您会注意到过滤器只是环绕每个并循环通过传入的对象(属性)。主干版本所做的所有事情都是将此方法放入上下文中,以使您不必每次都传递模型。