I saw this Javascript quiz here: http://www.netfxharmonics.com/2008/01/NetFX-Harmonics-JavaScript-Quiz
and I could not figure out this problem:
(func
It's happening because this function:
(function( ) { a = b; var b; })( );
...assigns undefined
to a
. var takes effect as of the beginning of the scope in which it's written, not where it is in the step-by-step code. And when you declare a variable, its initial value is undefined
. So the above written more explicitly, but with exactly the same functionality, looks like this:
(function( ) {
var b = undefined;
a = b;
})( );
Specifically, when execution enters an execution context, these things happen:
var
declared within the context, regardless of where the var
statement is. The initial value of each variable is undefined
. Initializers are not handled at this point.var
statement with an initializer is encountered, it's processed as a simple assignment statement.The variable object is the thing that makes closures work, too, by the way. More here, but basically, when a function is created it gets an enduring reference to all of the variable objects in the scope chain at that point. That's what it uses to look up the variables it closes over. This is important, because a closure doesn't only have an enduring reference to the variables it actually uses, but to all variables in-scope where it's defined, whether it uses them or not, which can have implications for the lifecycle of those variables.