문제

I need to filter an array based on a condition that can only be checked asynchronously.

return someList.filter(function(element){ 
   //this part unfortunately has to be asynchronous
})

Is there any nicer way to do it with promises than what I already have?

This snippet uses Q for promises, but you can actually assume any proper promises implementation.

return q.all(someList.map(function (listElement) {
        return promiseMeACondition(listElement.entryId).then(function (condition) {
            if (condition) {
                return q.fcall(function () {
                    return listElement;
                });
            } else {
                return q.fcall(function(){});
            }
        });
    }));

The example code resolves the promise to a filtered array and that's the desired result.

도움이 되었습니까?

해결책

In libraries like Bluebird - you have methods like .map and .filter of promises built in. Your approach is generally correct. You're just missing an Array.prototype.filter at the end removing the "bad results" - for example, resolve with a BadValue constant and filter elements that are equal to it.

var BadValue = {};

return q.all(someList.map(function (listElement) {
        return promiseMeACondition(listElement.entryId).then(function (listElement) {
            return (condition(listElement)) ? listElement : BadValue;
    })).then(function(arr){
            return arr.filter(function(el){ return el !== BadValue; });
    });

With Bluebird:

  Promise.filter(someList,condition);

You can of course, extract this functionality to a generic filter function for promises.

라이센스 : CC-BY-SA ~와 함께 속성
제휴하지 않습니다 StackOverflow
scroll top