function getData() {
console.log('Fetching data');
}
const magic = (fn, delay) => {
let timer;
return function() {
clearTimeout(timer);
timer = setTimeout(() => {
fn();
}, delay);
}
}
const better = magic(getData, 3000);
<input type="text" onkeypress="better()" />
In this code if we press a key only once lets say now timer value is 1.After that again we press a key then the clearTimeout(1) will happen and after 3s output will be printed. But if we consider this code
function a() {
let count = 0;
return function b() {
count = count + 1;
console.log(count);
}
}
a()();
a()();
Here ideally when first a is called count should be updated to 1. After second a is called count should be 2 right because count is stored in heap memory?
When you call
a()
you define a new variable calledcount
and assign0
to it.When you call the return value as a function, you increment
count
and log it.You are calling
a()
twice, so you create a newcount
with a value of0
each time.Compare:
and