I was going through the Difference between var
and let
documentation example and was testing that when an undeclared variable is invoked, the global scope automatically provides a declaration for it (that's why the following snippet does not throw an error in any of the variables):
x = 3;
console.log(x);
(function() {
y=x+39;
})()
console.log(y);
However, when one variable is declared with let
after the assignment in the same global scope:
x=3;
let x = 42;
console.log(x);
One of the following errors is thrown:
ReferenceError:
x
is not defined (Chromium)ReferenceError: can't access lexical declaration
x
before initialization (Firefox)
I understand that let
does not allow x
to hoist, but since it was previously referenced (implying an automatic declaration from the global scope) shouldn't in this case a re-declaration happen?
SyntaxError: Identifier
x
has already been declared
And therefore the error above thrown?
I also understand that in strict mode the first snippet would throw a ReferenceError, so does this mean that let
forces this particular rule of strict mode (all variables need to be declared) upon the global scope?
You're right, it's weird behavior. The reason it's giving those errors is because it thinks you're trying to assign the value
3
to yourlet
variable instead of the global value. As others mentioned, this leads to the temporal deadzone issue with hoisting.- Source (ECMAScript 8th edition)
This code shows where placing code causes the TDZ:
You can see that wrapping the
let
inside its own block block fixes it:Alternatively, you can define the global explicitly on the
window
object:As Konstantin A. Magg explained, that's because
let
variables are hoisted and attempts to reference them before initialization throw (temporal dead zone).If you don't want this, you can split the code into different scripts:
Note
x = 3
will throw in strict mode.Did you have a look at the
let
docs at MDN? They describe a temporal dead zone and errors with let.ES6 does hoist a
let
variable to the top of its scope. Differently tovar
variable, when usinglet
you must not access the variable before it is declared. Doing so fail with aReferenceError
(a.k.a. let's temporal dead zone).