array/fold.js

  1. /**
  2. * @function fold
  3. * @description Autocurried function which returns a single item by mapping over the provided array and calls an iterator function
  4. * @param {cbFunction} cb - Callback function to modify the item
  5. * @param {*} init - Initial value
  6. * @param {Array} a - Array with items to modify by the cb function
  7. * @returns {*}
  8. * @see reduce
  9. * @since 1.0.2
  10. * @example
  11. *
  12. * const result = fold(add, 0, [1,1,1])
  13. * // result = 3
  14. */
  15. /**
  16. * @callback cbFunction
  17. * @param {*} r - Accumulator which accumulates the callback's return values
  18. * @param {*} item - the current element being processed
  19. * @param {number} index - the indey of the item being processed
  20. * @param {Array} a - The initial array
  21. * @return {*}
  22. */
  23. import curry from '../curry'
  24. export default curry(function fold (cb, init, a) {
  25. let i = -1
  26. const l = a.length
  27. let r = init
  28. while (++i < l) {
  29. r = cb(r, a[i], i, a)
  30. }
  31. return r
  32. })