There were a couple issues with the original version of `resolvePromiseProperties`: - The wrapper promise was unnecessary, since we can just return the `Promise.all`. Fixing this allows us to remove a wrapping function, reduce indentation, remove the `resolve` and `reject` calls, and remove the now unnecessary `.catch` line. - There was inadvertent mutation in the `Object.assign` call - the first parameter to `Object.assign` is mutated, so to call it without mutating existing objects the first parameter should be a literal `{}`. This is now fixed.
21 lines
678 B
JavaScript
21 lines
678 B
JavaScript
import { zipObject } from 'lodash';
|
|
|
|
export const filterPromises = (arr, filter) =>
|
|
Promise.all(arr.map(entry => filter(entry)))
|
|
.then(bits => arr.filter(entry => bits.shift()));
|
|
|
|
export const resolvePromiseProperties = (obj) => {
|
|
// Get the keys which represent promises
|
|
const promiseKeys = Object.keys(obj).filter(
|
|
key => typeof obj[key].then === "function");
|
|
|
|
const promises = promiseKeys.map(key => obj[key]);
|
|
|
|
// Resolve all promises
|
|
return Promise.all(promises)
|
|
.then(resolvedPromises =>
|
|
// Return a copy of obj with promises overwritten by their
|
|
// resolved values
|
|
Object.assign({}, obj, zipObject(promiseKeys, resolvedPromises)));
|
|
};
|