Memoization
Memoization is an optimization technique used primarily to speed up computer programs by storing the results of expensive function calls and returning the cached result when the same inputs occur again.
~ Wikipedia
The conceptโ
As our applications grow and begin to carry out heavier computations, there comes an increasing need for speed (๐๏ธ) and the optimization of processes becomes a necessity. When we ignore this concern, we end up with programs that take a lot of time and consume a monstrous chunk of system resources during execution.
Memoization is an optimization technique that speeds up applications by storing the results of expensive function calls and returning the cached result when the same inputs occur again.
~ Philip Obosi
Memoization is built upon two key JS concepts:
- Closure (function and the lexical environment where it was declared)
- Higher Order Functions (returning / accepting functions from functions)
Examplesโ
Basic exampleโ
Simple memoization exemple:
const cache = {}
function memoizedAddTo1000(number) {
if (number in cache) {
return cache[number]
} else {
console.log('(Long time) calculation...')
cache[number] = number + 1000
return cache[number]
}
}
console.log('First call: ', memoizedAddTo1000(1))
console.log('Second call: ', memoizedAddTo1000(1))
// (Long time) calculation...
// First call: 1001
// Second call: 1001
Advanced exampleโ
Memoization of a function:
const cache = {}
function memoize(fn) {
return function (...args) {
if (cache[args]) {
return cache[args]
}
const result = fn.apply(this, args)
cache[args] = result
return result
}
}
Resourcesโ
Understanding Memoization in JavaScript by better.dev
Memoization Wikipedia
Andrei Neagoie ZTM