seq.js

  1. import reduce from './reduce.js'
  2. import wrapAsync from './internal/wrapAsync.js'
  3. import { promiseCallback, PROMISE_SYMBOL } from './internal/promiseCallback.js'
  4. /**
  5. * Version of the compose function that is more natural to read. Each function
  6. * consumes the return value of the previous function. It is the equivalent of
  7. * [compose]{@link module:ControlFlow.compose} with the arguments reversed.
  8. *
  9. * Each function is executed with the `this` binding of the composed function.
  10. *
  11. * @name seq
  12. * @static
  13. * @memberOf module:ControlFlow
  14. * @method
  15. * @see [async.compose]{@link module:ControlFlow.compose}
  16. * @category Control Flow
  17. * @param {...AsyncFunction} functions - the asynchronous functions to compose
  18. * @returns {Function} a function that composes the `functions` in order
  19. * @example
  20. *
  21. * // Requires lodash (or underscore), express3 and dresende's orm2.
  22. * // Part of an app, that fetches cats of the logged user.
  23. * // This example uses `seq` function to avoid overnesting and error
  24. * // handling clutter.
  25. * app.get('/cats', function(request, response) {
  26. * var User = request.models.User;
  27. * async.seq(
  28. * User.get.bind(User), // 'User.get' has signature (id, callback(err, data))
  29. * function(user, fn) {
  30. * user.getCats(fn); // 'getCats' has signature (callback(err, data))
  31. * }
  32. * )(req.session.user_id, function (err, cats) {
  33. * if (err) {
  34. * console.error(err);
  35. * response.json({ status: 'error', message: err.message });
  36. * } else {
  37. * response.json({ status: 'ok', message: 'Cats found', data: cats });
  38. * }
  39. * });
  40. * });
  41. */
  42. export default function seq(...functions) {
  43. var _functions = functions.map(wrapAsync);
  44. return function (...args) {
  45. var that = this;
  46. var cb = args[args.length - 1];
  47. if (typeof cb == 'function') {
  48. args.pop();
  49. } else {
  50. cb = promiseCallback();
  51. }
  52. reduce(_functions, args, (newargs, fn, iterCb) => {
  53. fn.apply(that, newargs.concat((err, ...nextargs) => {
  54. iterCb(err, nextargs);
  55. }));
  56. },
  57. (err, results) => cb(err, ...results));
  58. return cb[PROMISE_SYMBOL]
  59. };
  60. }