These are JavaScript’s main ways of declaring variables:
let declares mutable variables.
  const declares constants (immutable variables). 
  Before ES6, there was also var. But it has several quirks, so it’s best to avoid it in modern JavaScript. You can read more about it in Speaking JavaScript.
let
Variables declared via let are mutable:
let i;
i = 0;
i = i + 1;
assert.equal(i, 1);
We can also declare and assign at the same time:
let i = 0;
const
Variables declared via const are immutable. We must always initialize immediately:
const i = 0; // must initialize
assert.throws(
  () => { i = i + 1 },
  {
    name: 'TypeError',
    message: 'Assignment to constant variable.',
  }
);
const and immutability
In JavaScript, const only means that the binding (the association between variable name and variable value) is immutable. The value itself may be mutable, like obj in the following example.
const obj = { prop: 0 };
// Allowed: changing properties of `obj`
obj.prop = obj.prop + 1;
assert.equal(obj.prop, 1);
// Not allowed: assigning to `obj`
assert.throws(
  () => { obj = {} },
  {
    name: 'TypeError',
    message: 'Assignment to constant variable.',
  }
);
const and loopsWe can use const with for-of loops, where a fresh binding is created for each iteration:
const arr = ['hello', 'world'];
for (const elem of arr) {
  console.log(elem);
}
Output:
helloworld
In plain for loops, we must use let, however:
const arr = ['hello', 'world'];
for (let i=0; i<arr.length; i++) {
  const elem = arr[i];
  console.log(elem);
}
const and letI recommend the following rules to decide between const and let:
const indicates an immutable binding and that a variable never changes its value. Prefer it.
  let indicates that the value of a variable changes. Use it only when you can’t use const.
   Exercise: 
const
exercises/variables-assignment/const_exrc.mjs
The scope of a variable is the region of a program where it can be accessed. Consider the following code.
{ // // Scope A. Accessible: x
  const x = 0;
  assert.equal(x, 0);
  { // Scope B. Accessible: x, y
    const y = 1;
    assert.equal(x, 0);
    assert.equal(y, 1);
    { // Scope C. Accessible: x, y, z
      const z = 2;
      assert.equal(x, 0);
      assert.equal(y, 1);
      assert.equal(z, 2);
    }
  }
}
// Outside. Not accessible: x, y, z
assert.throws(
  () => console.log(x),
  {
    name: 'ReferenceError',
    message: 'x is not defined',
  }
);
x.
  Each variable is accessible in its direct scope and all scopes nested within that scope.
The variables declared via const and let are called block-scoped because their scopes are always the innermost surrounding blocks.
We can’t declare the same variable twice at the same level:
assert.throws(
  () => {
    eval('let x = 1; let x = 2;');
  },
  {
    name: 'SyntaxError',
    message: "Identifier 'x' has already been declared",
  }
);
 Why 
eval()?
eval() delays parsing (and therefore the SyntaxError), until the callback of assert.throws() is executed. If we didn’t use it, we’d already get an error when this code is parsed and assert.throws() wouldn’t even be executed.
We can, however, nest a block and use the same variable name x that we used outside the block:
const x = 1;
assert.equal(x, 1);
{
  const x = 2;
  assert.equal(x, 2);
}
assert.equal(x, 1);
Inside the block, the inner x is the only accessible variable with that name. The inner x is said to shadow the outer x. Once we leave the block, we can access the old value again.
All remaining sections are advanced.
These two adjectives describe phenomena in programming languages:
Let’s look at examples of these two terms.
Variable scopes are a static phenomenon. Consider the following code:
function f() {
  const x = 3;
  // ···
}
x is statically (or lexically) scoped. That is, its scope is fixed and doesn’t change at runtime.
Variable scopes form a static tree (via static nesting).
Function calls are a dynamic phenomenon. Consider the following code:
function g(x) {}
function h(y) {
  if (Math.random()) g(y); // (A)
}
Whether or not the function call in line A happens, can only be decided at runtime.
Function calls form a dynamic tree (via dynamic calls).
JavaScript’s variable scopes are nested. They form a tree:
The root is also called the global scope. In web browsers, the only location where one is directly in that scope is at the top level of a script. The variables of the global scope are called global variables and accessible everywhere. There are two kinds of global variables:
Global declarative variables are normal variables:
const, let, and class declarations.
      Global object variables are stored in properties of the so-called global object:
var and function declarations.
      globalThis. It can be used to create, read, and delete global object variables.
      The following HTML fragment demonstrates globalThis and the two kinds of global variables.
<script>
  const declarativeVariable = 'd';
  var objectVariable = 'o';
</script>
<script>
  // All scripts share the same top-level scope:
  console.log(declarativeVariable); // 'd'
  console.log(objectVariable); // 'o'
  
  // Not all declarations create properties of the global object:
  console.log(globalThis.declarativeVariable); // undefined
  console.log(globalThis.objectVariable); // 'o'
</script>
Each module has its own variable scope that is a direct child of the global scope. Therefore, variables that exist at the top level of a module are not global. Figure 13.1 illustrates how the various scopes are related.
Figure 13.1: The global scope is JavaScript’s outermost scope. It has two kinds of variables: object variables (managed via the global object) and normal declarative variables. Each ECMAScript module has its own scope which is contained in the global scope.
globalThis ES2020
The global variable globalThis is the standard way of accessing the global object. It got its name from the fact that it has the same value as this in global scope (script scope, not module scope).
 
globalThis does not always directly point to the global object
For example, in browsers, there is an indirection. That indirection is normally not noticable, but it is there and can be observed.
globalThis
The following global variables let us access the global object on some platforms:
window: The classic way of referring to the global object. But it doesn’t work in Node.js and in Web Workers.
  self: Available in Web Workers and browsers in general. But it isn’t supported by Node.js.
  global: Only available in Node.js.
  | Main browser thread | Web Workers | Node.js | |
|---|---|---|---|
| globalThis | ✔ | ✔ | ✔ | 
| window | ✔ | ||
| self | ✔ | ✔ | |
| global | ✔ | 
globalThisThe global object is now considered a mistake that JavaScript can’t get rid of, due to backward compatibility. It affects performance negatively and is generally confusing.
ECMAScript 6 introduced several features that make it easier to avoid the global object – for example:
const, let, and class declarations don’t create global object properties when used in global scope.
  It is usually better to access global object variables via variables and not via properties of globalThis. The former has always worked the same on all JavaScript platforms.
Tutorials on the web occasionally access global variables globVar via window.globVar. But the prefix “window.” is not necessary and I recommend to omit it:
window.encodeURIComponent(str); // no
encodeURIComponent(str); // yes
Therefore, there are relatively few use cases for globalThis – for example:
These are two key aspects of declarations:
The following table summarizes how various declarations handle these aspects:
| Scope | Activation | Duplicates | Global prop. | |
|---|---|---|---|---|
| const | Block | decl. (TDZ) | ✘ | ✘ | 
| let | Block | decl. (TDZ) | ✘ | ✘ | 
| function | Block (*) | start | ✔ | ✔ | 
| class | Block | decl. (TDZ) | ✘ | ✘ | 
| import | Module | start | ✘ | ✘ | 
| var | Function | start (partially) | ✔ | ✔ | 
(*) Function declarations are normally block-scoped, but function-scoped in non-strict mode.
Aspects of declarations:
import can only be used at the top level of a module.
      var is its innermost surrounding function (not block).
      import is described in “ECMAScript modules” (§29.5). The following subsections describe the other constructs and phenomena in more detail.
const and let: temporal dead zone
For JavaScript, TC39 needed to decide what happens if we access a constant in its direct scope, before its declaration:
{
  console.log(x); // What happens here?
  const x = 123;
}
Some possible approaches are:
undefined.
  Approach 1 was rejected because there is no precedent in the language for this approach. It would therefore not be intuitive to JavaScript programmers.
Approach 2 was rejected because then x wouldn’t be a constant – it would have different values before and after its declaration.
let uses the same approach 3 as const, so that both work similarly and it’s easy to switch between them.
The time between entering the scope of a variable and executing its declaration is called the temporal dead zone (TDZ) of that variable:
ReferenceError.
  undefined – if there is no initializer.
  The following code illustrates the temporal dead zone:
if (true) { // entering scope of `tmp`, TDZ starts
  // `tmp` is uninitialized:
  assert.throws(() => (tmp = 'abc'), ReferenceError);
  assert.throws(() => console.log(tmp), ReferenceError);
  let tmp; // TDZ ends
  assert.equal(tmp, undefined);
}
The next example shows that the temporal dead zone is truly temporal (related to time):
if (true) { // entering scope of `myVar`, TDZ starts
  const func = () => {
    console.log(myVar); // executed later
  };
  // We are within the TDZ:
  // Accessing `myVar` causes `ReferenceError`
  let myVar = 3; // TDZ ends
  func(); // OK, called outside TDZ
}
Even though func() is located before the declaration of myVar and uses that variable, we can call func(). But we have to wait until the temporal dead zone of myVar is over.
 More information on functions
In this section, we are using functions – before we had a chance to learn them properly. Hopefully, everything still makes sense. Whenever it doesn’t, please see “Callable values” (§27).
A function declaration is always executed when entering its scope, regardless of where it is located within that scope. That enables us to call a function funcDecl() before it is declared.
assert.equal(funcDecl(), 123); // OK
function funcDecl() { return 123; }
The early activation of funcDecl() means that the previous code is equivalent to:
function funcDecl() { return 123; }
assert.equal(funcDecl(), 123);
If we declare a function via const or let, then it is not activated early. In the following example, we can only use arrowFunc() after its declaration.
assert.throws(
  () => arrowFunc(), // before declaration
  ReferenceError
);
const arrowFunc = () => { return 123 };
assert.equal(arrowFunc(), 123); // after declaration 
A function f() can call a function g() that is declared later and not activated early – as long as we invoke f() after the declaration of g():
const f = () => g();
const g = () => 123;
// We call f() after g() was declared:
assert.equal(f(), 123); // OK
The functions of a module are usually invoked after its complete body is executed. Therefore, in modules, we rarely need to worry about the order of functions (even if they are not function declarations).
If we rely on early activation to call a function before its declaration, then we need to be careful that it doesn’t access data that isn’t activated early.
funcDecl();
const MY_STR = 'abc';
function funcDecl() {
  assert.throws(
    () => MY_STR,
    ReferenceError
  );
}
The problem goes away if we make the call to funcDecl() after the declaration of MY_STR.
We have seen that early activation has a pitfall and that we can get most of its benefits without using it. Therefore, it is better to avoid early activation. But I don’t feel strongly about this and, as mentioned before, often use function declarations because I like their syntax.
Even though they are similar to function declarations in some ways, class declarations are not activated early:
assert.throws(
  () => new MyClass(),
  ReferenceError
);
class MyClass {}
assert.equal(new MyClass() instanceof MyClass, true);
Why is that? Consider the following class declaration:
class MyClass extends Object {}
The operand of extends is an expression. Therefore, we can do things like this:
const identity = x => x;
class MyClass extends identity(Object) {}
Evaluating such an expression must be done at the location where it is mentioned. Anything else would be confusing. That explains why class declarations are not activated early.
var: hoisting (partial early activation)
var is an older way of declaring variables that predates const and let (which are preferred now). Consider the following var declaration.
var x = 123;
This declaration has two parts:
var x: The scope of a var-declared variable is the innermost surrounding function and not the innermost surrounding block, as for most other declarations. Such a variable is already active at the beginning of its scope and initialized with undefined.
  x = 123: The assignment is always executed in place.
  The following code demonstrates the effects of var:
function f() {
  // Partial early activation:
  assert.equal(x, undefined);
  if (true) {
    var x = 123;
    // The assignment is executed in place:
    assert.equal(x, 123);
  }
  // Scope is function, not block:
  assert.equal(x, 123);
}
Before we can explore closures, we need to learn about bound variables and free variables.
Per scope, there is a set of variables that are mentioned. Among these variables we distinguish:
Consider the following code:
function func(x) {
  const y = 123;
  console.log(z);
}
In the body of func(), x and y are bound variables. z is a free variable.
What is a closure then? A closure is a function plus a connection to the variables that exist at its “birth place”.
What is the point of keeping this connection? It provides the values for the free variables of the function – for example:
function funcFactory(value) {
  return () => {
    return value;
  };
}
const func = funcFactory('abc');
assert.equal(func(), 'abc'); // (A)
funcFactory returns a closure that is assigned to func. Because func has the connection to the variables at its birth place, it can still access the free variable value when it is called in line A (even though it “escaped” its scope).
 All functions in JavaScript are closures
Static scoping is supported via closures in JavaScript. Therefore, every function is a closure.
The following function returns incrementors (a name that I just made up). An incrementor is a function that internally stores a number. When it is called, it updates that number by adding the argument to it and returns the new value.
function createInc(startValue) {
  return (step) => { // (A)
    startValue += step;
    return startValue;
  };
}
const inc = createInc(5);
assert.equal(inc(2), 7);
We can see that the function created in line A keeps its internal number in the free variable startValue. This time, we don’t just read from the birth scope, we use it to store data that we change and that persists across function calls.
We can create more storage slots in the birth scope, via local variables:
function createInc(startValue) {
  let index = -1;
  return (step) => {
    startValue += step;
    index++;
    return [index, startValue];
  };
}
const inc = createInc(5);
assert.deepEqual(inc(2), [0, 7]);
assert.deepEqual(inc(2), [1, 9]);
assert.deepEqual(inc(2), [2, 11]);
What are closures good for?
For starters, they are simply an implementation of static scoping. As such, they provide context data for callbacks.
They can also be used by functions to store state that persists across function calls. createInc() is an example of that.
And they can provide private data for objects (produced via literals or classes). The details of how that works are explained in Exploring ES6.