4

在我问了这个问题并意识到Backbone.Collections 严格用于Backbone.Models之后,我有点失望。

我所希望的:

使下划线的方法更加面向对象:

_.invoke(myCollection, 'method');  ==>  myCollection.invoke('method');

我承认,细微的差别,但仍然看起来不错。

Backbone.Collection如果我使用非,我会遇到什么问题Backbone.Models

是否有任何现有的实现,或制作通用下划线集合类的简单方法?

4

1 回答 1

1

虽然你不能在不使用模型的情况下使用 Backbone Collection,但我想出了一个巧妙的方法来将下划线混合到 Array 原型中:

// This self-executing function pulls all the functions in the _ object and sticks them
// into the Array.prototype
(function () {
    var mapUnderscoreProperty = function (prp) {
        // This is a new function that uses underscore on the current array object
        Array.prototype[prp] = function () {
            // It builds an argument array to call with here
            var argumentsArray = [this];
            for (var i = 0; i < arguments.length; ++i) {
                argumentsArray.push(arguments[i]);
            }

            // Important to note: This strips the ability to rebind the context
            // of the underscore call
            return _[prp].apply(undefined, argumentsArray);
        };
    };

    // Loops over all properties in _, and adds the functions to the Array prototype
    for (var prop in _) {
        if (_.isFunction(_[prop])) {
            mapUnderscoreProperty(prop);
        }
    }
})();

以下是如何使用新的 Array 原型的示例:

var test = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10];

console.log(test.filter(function (item) {
    return item > 2 && item < 7;
})); // Logs [3, 4, 5, 6]
console.log(test); // Logs the entire array unchanged

此解决方案可能会为 Array 原型添加比实际有用的更多内容,但它会为您提供大部分功能。另一种解决方案是仅添加具有迭代器参数的函数,但这对您来说是一个开始。

于 2013-11-06T16:29:38.573 回答