function transform(fn, arr) {
let result = [];
for (let el of arr) {
result.push(fn(el)); // We push the result of the transformed item to result
}
return result;
}
console.log(transform(x => x * 2, [1,2,3,4])); // [2, 4, 6, 8]
As you can see, our transform
function accepts two parameters, a function and a collection. It will then iterate the collection, and push values onto the result, calling fn
on each of them.
Looks familiar? This is very similar to how Array.prototype.map()
works!
console.log([1, 2, 3, 4].map(x => x * 2)); // [2, 4, 6, 8]