-
-
Notifications
You must be signed in to change notification settings - Fork 68
Expand file tree
/
Copy path6-recursive.js
More file actions
38 lines (32 loc) · 985 Bytes
/
6-recursive.js
File metadata and controls
38 lines (32 loc) · 985 Bytes
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
'use strict';
const compose = (...fns) => (x) => {
if (fns.length === 0) return x;
const fn = fns.pop();
const res = fn(x);
return compose(...fns)(res);
};
const pipe = (...fns) => (x) => {
if (fns.length === 0) return x;
const fn = fns.shift();
const res = fn(x);
return pipe(...fns)(res);
};
// Usage
const upperFirst = (word) => word.charAt(0).toUpperCase() + word.slice(1);
const upperCapital = (s) => s.split(' ').map(upperFirst).join(' ');
const lower = (s) => s.toLowerCase();
const trim = (s) => s.trim();
const s = ' MARCUS AURELIUS ';
console.log(s);
console.log(`lower('${s}') = '${lower(s)}'`);
console.log(`upperCapital('${s}') = '${upperCapital(s)}'`);
{
console.log('Use compose');
const capitalize = compose(upperCapital, lower, trim);
console.log(`capitalize('${s}') = '${capitalize(s)}'`);
}
{
console.log('Use pipe');
const capitalize = pipe(trim, lower, upperCapital);
console.log(`capitalize('${s}') = '${capitalize(s)}'`);
}