lodash找到空数组

时间:2015-02-25 12:59:39

标签: arrays where lodash empty-list

我在使用lodash _.findWhere(与_.where相同)时会遇到一些问题

var testdata = [
    {
        "id": "test1",
        "arr": [{ "a" : "a" }]
    },
    {
        "id": "test2",
        "arr": []
    }
];

_.findWhere(testdata, {arr : [] });
//--> both elements are found

我试图从testdata中提取元素,其中arr是一个空数组,但_.where还包含非空数组的元素。

我也用_.matchesProperty进行测试,但没办法,结果相同。

我确定我错过了一些简单的东西,但却看不清楚:s

请帮助:)

http://plnkr.co/edit/DvmcsY0RFpccN2dEZtKn?p=preview

1 个答案:

答案 0 :(得分:2)

为此,您需要isEmpty()

var collection = [
    { id: 'test1', arr: [ { a : 'a' } ] },
    { id: 'test2', arr: [] }
];

_.find(collection, function(item) {
    return _.isEmpty(item.arr);
});
// → { id: 'test2', arr: [] }

_.reject(collection, function(item) {
    return _.isEmpty(item.arr);
});
// → [ { id: 'test1', arr: [ { a : 'a' } ] } ]

您还可以使用更高阶的函数,例如flow(),因此可以抽象回调:

var emptyArray = _.flow(_.property('arr'), _.isEmpty),
    filledArray = _.negate(emptyArray);

_.filter(collection, emptyArray);
// → [ { id: 'test2', arr: [] } ]

_.filter(collection, filledArray);
// → [ { id: 'test1', arr: [ { a : 'a' } ] } ]