I am learning functional programming with javascript. I have learned that 2 parameters are needed for reduce. Accumalator and the actual value and if we don’t supply the initial value, the first argument is used. but I can’t understand how the purchaseItem
functions is working in the code below. can anyone please explain.
JavaScript
x
50
50
1
const user = {
2
name: 'Lachi',
3
active: true,
4
cart: [],
5
purchases: []
6
}
7
let history = []
8
const compose = (f, g) => (args) => f(g(args))
9
10
console.log(purchaseItem(
11
emptyCart,
12
buyItem,
13
applyTaxToItems,
14
addItemToCart
15
)(user, {name: 'laptop', price: 200}))
16
17
function purchaseItem(fns) {
18
console.log(fns)
19
return fns.reduce(compose)
20
}
21
22
function addItemToCart (user, item) {
23
history.push(user)
24
const updatedCart = user.cart.concat(item)
25
return Object.assign({}, user, { cart: updatedCart })
26
}
27
28
function applyTaxToItems(user) {
29
history.push(user)
30
const {cart} = user
31
const taxRate = 1.3
32
const updatedCart = cart.map(item => {
33
return {
34
name: item.name,
35
price: item.price * taxRate
36
}
37
})
38
return Object.assign({}, user, { cart: updatedCart })
39
}
40
41
function buyItem(user) {
42
history.push(user)
43
return Object.assign({}, user, { purchases: user.cart })
44
}
45
46
function emptyCart(user) {
47
history.push(user)
48
return Object.assign({}, user, {cart: []})
49
}
50
Advertisement
Answer
It’s a way of creating a pipeline of functions whereby the output from one function is used as the parameter of the next, so we end up with a composed function that is effectively
JavaScript
1
9
1
(args) =>
2
emptyCart(
3
buyItem(
4
applyTaxToItems(
5
addItemToCart(args)
6
)
7
)
8
)
9
Writing the reduce out in longhand might help in understanding:
JavaScript
1
2
1
fns.reduce((acc, currentFn) => compose(acc, currentFn))
2