I've stumbled upon a JavaScript variable behavior I could not explain.
According to JS docs on var keyword :
The scope of a variable declared with var is the enclosing function or, for variables declared outside a function, the global scope (which is bound to the global object).
Also it is known that global variables become properties of the global object - 'window' in the browser environments and 'global' in node.js This means if a variable is declared with a 'var' keyword inside a function it becomes local and does not get into the global object.
This example proves it:
(function(){
var t = 1;
console.log(t in window, t); // outputs: false 1
}());
So far so good. However if variable is not initialized it does become a property of the window object despite the fact it is in the function scope.
(function(){
var t;
console.log(t in window, t); // outputs: true undefined
}());
Why does it happen ? Where can I learn the details of this behavior ? Regular tutorials don't seem to cover this.
Thanks in advance.
[EDIT]: Thanks to the Pointy it is clear now scope works as expected. I simply had a wrong understanding of the 'in' operator behavior. According to 'in' docs it coerces left hand operand to the number or string and looks for such index or property name in the right hand object. So in the example one it was equal to
'1' in window
which was false
and in the example two it was
'undefined' in window
which was true.
var a; console.log(typeof a);
will be undefined no matter where you put it. – Brad May 2 '13 at 14:16