9

Why does this return 2 instead of 1? Seems the second "var" is silently ignored.

function foo()
{
  var local = 1;
  {
    var local = 2;
  }
  return local;
}
foo()
/*
2
*/
Zdeněk Pavlas
  • 357
  • 2
  • 5

2 Answers2

6

In javascript there is only function level scope and global scope. you cannot create a block scope and it adds no special meaning and does not create any scope.

And this is how your code ends up

function foo()
{
  var local = 1;
  local = 2;
  return local;
}
foo();

In ES6 you can create block level scopes with the help of Let. ES6 is not supported yet. more on that here

Prabhu Murthy
  • 9,031
  • 5
  • 29
  • 36
  • 2
    it should be noted, that lexical scope is coming in the near future with ES6 let keyword. – Capaj Nov 12 '14 at 08:10
3

From the MDN :

JavaScript does not have block statement scope; rather, a variable declared within a block is local to the function (or global scope) that the block resides within.

The scope of a variable in JavaScript is the whole function in which it is declared (or the global scope), so you only have one variable local here.

Your code is equivalent to

function foo()
{
  var local;
  local = 1;
  {
    local = 2;
  }
  return local;
}
foo()

Note that ES6 (the new norm of JavaScript) does introduce a lexical scoping with let but it's not yet really available.

Denys Séguret
  • 372,613
  • 87
  • 782
  • 758