我有一个event
名为events
. 每个event
都有,一个包含对象markets
的数组。market
里面还有另一个名为 的数组outcomes
,包含outcome
对象。
我想使用 Underscore.js 或其他一些方法来查找所有具有市场的事件,这些事件的结果具有名为test
.
我想这可以使用一系列过滤器来实现,但我运气不佳!
我有一个event
名为events
. 每个event
都有,一个包含对象markets
的数组。market
里面还有另一个名为 的数组outcomes
,包含outcome
对象。
我想使用 Underscore.js 或其他一些方法来查找所有具有市场的事件,这些事件的结果具有名为test
.
我想这可以使用一系列过滤器来实现,但我运气不佳!
我认为您可以使用 Underscore.jsfilter
和some
(又名“任何”)方法来做到这一点:
// 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 ;
});
});
});
不需要下划线,你可以用原生 JS 做到这一点。
var events = [{markets:[{outcomes:[{test:x},...]},...]},...];
return events.filter(function(event) {
return event.markets.some(function(market) {
return market.outcomes.some(function(outcome) {
return "test" in outcome;
});
});
});
当然,您也可以使用相应的下划线方法(filter/select和any/some)。
试试这个:
_.filter(events, function(me) {
return me.event &&
me.event.market && me.event.market.outcome &&
'test' in me.event.market.outcome
});
var events = [
{
id: 'a',
markets: [{
outcomes: [{
test: 'yo'
}]
}]
},
{
id: 'b',
markets: [{
outcomes: [{
untest: 'yo'
}]
}]
},
{
id: 'c',
markets: [{
outcomes: [{
notest: 'yo'
}]
}]
},
{
id: 'd',
markets: [{
outcomes: [{
test: 'yo'
}]
}]
}
];
var matches = events.filter(function (event) {
return event.markets.filter(function (market) {
return market.outcomes.filter(function (outcome) {
return outcome.hasOwnProperty('test');
}).length;
}).length;
});
matches.forEach(function (match) {
document.writeln(match.id);
});
这是我将如何做到这一点,而不依赖于图书馆:
var matches = events.filter(function (event) {
return event.markets.filter(function (market) {
return market.outcomes.filter(function (outcome) {
return outcome.hasOwnProperty('test');
}).length;
}).length;
});