I am interested in the \"debouncing\" function in javascript, written here : http://davidwalsh.name/javascript-debounce-function
Unfortunately the code is not explai
The important thing to note here is that debounce
produces a function that is "closed over" the timeout
variable. The timeout
variable stays accessible during every call of the produced function even after debounce
itself has returned, and can change over different calls.
The general idea for debounce
is the following:
The first point is just var timeout;
, it is indeed just undefined
. Luckily, clearTimeout
is fairly lax about its input: passing an undefined
timer identifier causes it to just do nothing, it doesn't throw an error or something.
The second point is done by the produced function. It first stores some information about the call (the this
context and the arguments
) in variables so it can later use these for the debounced call. It then clears the timeout (if there was one set) and then creates a new one to replace it using setTimeout
. Note that this overwrites the value of timeout
and this value persists over multiple function calls! This allows the debounce to actually work: if the function is called multiple times, timeout
is overwritten multiple times with a new timer. If this were not the case, multiple calls would cause multiple timers to be started which all remain active - the calls would simply be delayed, but not debounced.
The third point is done in the timeout callback. It unsets the timeout
variable and does the actual function call using the stored call information.
The immediate
flag is supposed to control whether the function should be called before or after the timer. If it is false
, the original function is not called until after the timer is hit. If it is true
, the original function is first called and will not be called any more until the timer is hit.
However, I do believe that the if (immediate && !timeout)
check is wrong: timeout
has just been set to the timer identifier returned by setTimeout
so !timeout
is always false
at that point and thus the function can never be called. The current version of underscore.js seems to have a slightly different check, where it evaluates immediate && !timeout
before calling setTimeout
. (The algorithm is also a bit different, e.g. it doesn't use clearTimeout
.) That's why you should always try to use the latest version of your libraries. :-)