5

我有一个event名为events. 每个event都有,一个包含对象markets的数组。market里面还有另一个名为 的数组outcomes,包含outcome对象。

这个问题中,我要求使用 [Underscore.js] 方法来查找所有具有市场的事件,这些事件的结果具有名为test. 答案是:

// filter where condition is true
_.filter(events, function(evt) {

    // return true where condition is true for any market
    return _.any(evt.markets, function(mkt) {

        // return true where any outcome has a "test" property defined
        return _.any(mkt.outcomes, function(outc) {
            return outc.test !== "undefined" && outc.test !== "bar";
        });
    });
});

这很好用,但我想知道如果我想过滤每个市场的结果,我将如何改变它,以便market.outcomes只存储等于bar. 目前,这只是给我提供了具有某些固定test属性的结果的市场。我想去掉那些没有的。

4

1 回答 1

5

使用splice 方法进行数组删除,使其成为一个简单的循环:

var events = [{markets:[{outcomes:[{test:x},...]},...]},...];
for (var i=0; i<events.length; i++) {
    var mrks = events[i].markets;
    for (var j=0; j<mrks.length; j++) {
        var otcs = mrks[j].outcomes;
        for (var k=0; k<otcs.length; k++) {
            if (! ("test" in otcs[k]))
                 otcs.splice(k--, 1); // remove the outcome from the array
        }
        if (otcs.length == 0)
            mrks.splice(j--, 1); // remove the market from the array
    }
    if (mrks.length == 0)
        events.splice(i--, 1); // remove the event from the array
}

此代码将从数组中删除所有没有test属性的结果、所有空市场和所有空事件。events

下划线版本可能如下所示:

events = _.filter(events, function(evt) {
    evt.markets = _.filter(evt.markets, function(mkt) {
        mkt.outcomes = _.filter(mkt.outcomes, function(otc) {
            return "test" in otc;
        });
        return mkt.outcomes.length > 0;
    });
    return evt.markets.length > 0;
});
于 2012-05-30T21:26:22.067 回答