Execute array of methods that return promises, in series.
$ npm install promise-series-node
import promiseSeries from 'promise-series-node';
function func1() {
return new Promise((resolve, reject) => {
resolve('hello');
});
};
function func2() {
return new Promise((resolve, reject) => {
resolve('world');
});
};
promiseSeries([func1, func2]).then(results => {
console.log(results);
});
This will print:
['hello', 'world'] //results are returned in the order they were executed
Optionally, you make choose to provide a callback that is run against each result. If the test fails, the subsequent functions in the series will not be executed, and the series will resolve immediately.
let func1 = function() {
return new Promise((resolve, reject) => {
resolve(true);
});
};
let func2 = function() {
return new Promise((resolve, reject) => {
resolve(false);
});
};
let func3 = function() {
return new Promise((resolve, reject) => {
resolve(true);
});
};
//only promises that resolve(true) pass the test
promiseSeries([func1, func2, func3], res => res === true).then(results => {
console.log(results);
});
This will print:
//note that func3 is not included, because func2 failed before it ran
//also note that results include the failed result
[true, false]
If a function does not return a promise, the return value will be passed through to the results:
let nonPromiseFunc = function() {
return 'cruel';
};
promiseSeries([func1, nonPromiseFunc, func2]).then(results => {
console.log(results);
});
This will print:
['hello', 'cruel', 'world']
If one of the inputs is not a function, the input will be passed through to the results:
promiseSeries([func1, 'foo', 42, func2]).then(results => {
console.log(results);
});
This will print:
['hello', 'foo', 42, 'world']