admin管理员组文章数量:1344238
Trying to figure out the cleanest way to do the following:
I'm filtering some results twice, and I'm using Lodash filter to do so. Currently, my code looks like:
resultsOne = _.filter(results, functionOne);
resultsTwo = _.filter(resultsOne, functionTwo);
I realize I could bine functionOne and functionTwo, but I like them broken apart for readability. Is there a best practice for filtering with two functions, either using Lodash or plain ol' Javascript?
Thanks!
Trying to figure out the cleanest way to do the following:
I'm filtering some results twice, and I'm using Lodash filter to do so. Currently, my code looks like:
resultsOne = _.filter(results, functionOne);
resultsTwo = _.filter(resultsOne, functionTwo);
I realize I could bine functionOne and functionTwo, but I like them broken apart for readability. Is there a best practice for filtering with two functions, either using Lodash or plain ol' Javascript?
Thanks!
Share Improve this question asked Dec 13, 2017 at 22:47 user6506263user65062633 Answers
Reset to default 9Using lodash
You can create a filtering function using _.overEvery()
, and use it in the filter:
var ff = _.overEvery([functionOne, functionTwo]);
var filteredResults = results.filter(ff)
Vanilla JS
Create an array of filter functions, and apply them to a value using Array#every:
var filters = [functionOne, functionTwo];
filterdResults = results.filter(function(item) {
return filters.every(function(ff) {
return ff(item);
});
});
something like this perhaps?
results.filter(functionOne).filter(functionTwo);|
You could use Lodash to chain these two filters together, with the _(…)
constructor, or more correctly, wrapper:
let filtered = _(results).filter(functionOne).filter(functionTwo).value()
The _(…)
wrapper wraps a value, the array in this case, and allows it to be chained with other functions such as _.filter
. The array would be passed as the array to be filtered, and the function as the predicate. The value()
call at the end unwraps the value.
Of course, with ES5, this operation bees extremely trivial, and Lodash can create unnecessary clutter:
let filtered = results.filter(functionOne).filter(functionTwo);
This reduces library dependence with builtin methods and is easily chainable without wrappers.
And you could even use vanilla JavaScript to bine them:
let filtered = results.filter(result => functionOne(result) && functionTwo(result))
This checks against both functions. This is similar to _.overEvery
suggested by Ori Diori which poses an arbitrary number of predicates into a single filter predicate.
本文标签: javascriptLodash Filter with Multiple FunctionsStack Overflow
版权声明:本文标题:javascript - Lodash Filter with Multiple Functions - Stack Overflow 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/web/1743737116a2530209.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
发表评论