作用域问题

JavaScript语言的作用域仅存在于函数范围中。这是必须要牢记的一点,还有一点重要的就是作用域的提升规则。

作用域问题

JS最容易出现混淆的就是作用域的情况。传统的类C语言,它们的作用域是block-level scope,块级作用域, 花括号就是一个作用域。但是对于JavaScript而言,它的作用域是function-level scope,比如if条件语句,就不算一个独立的作用域:

  1. var x = 1;
  2. console.log(x); // 1
  3. if (true) {
  4. var x = 2;
  5. console.log(x); // 2
  6. }
  7. console.log(x); // 2

在JavaScript中,如果我们需要实现block-level scope,我们也有一种变通的方式,那就是通过自执行函数创建临时作用域:

  1. function foo() {
  2. var x = 1;
  3. if (x) {
  4. (function () {
  5. var x = 2;
  6. // some other code
  7. }());
  8. }
  9. // x is still 1.
  10. }

作用域提升

变量被提升

对JavaScript解释器而言,所有的函数和变量声明都会被提升到最前面, 并且变量声明永远在前面,赋值在声明过程之后。比如:

  1. var x = 10;
  2. function x(){};
  3. console.log(x); // 10

实际上被解释为:

  1. var x;
  2. function x(){};
  3. x = 10;
  4. console.log(x); // 10

函数被提升

函数的声明方式主要由两种:声明式和变量式。

声明式会自动将声明放在前面并且执行赋值过程。而变量式则是先将声明提升,然后到赋值处再执行赋值。比如:

  1. function test() {
  2. foo(); // TypeError "foo is not a function"
  3. bar(); // "this will run!"
  4. var foo = function () { // function expression assigned to local variable 'foo'
  5. alert("this won't run!");
  6. }
  7. function bar() { // function declaration, given the name 'bar'
  8. alert("this will run!");
  9. }
  10. }
  11. test();

实际上等价于:

  1. function test() {
  2. var foo;
  3. var bar;
  4. bar = function () { // function declaration, given the name 'bar'
  5. alert("this will run!");
  6. }
  7. foo(); // TypeError "foo is not a function"
  8. bar(); // "this will run!"
  9. foo = function () { // function expression assigned to local variable 'foo'
  10. alert("this won't run!");
  11. }
  12. }
  13. test();

主要注意的地方:带有命名的函数变量式声明,是不会提升到作用域范围内的,比如:

  1. var baz = function spam() {};
  2. baz(); // vaild
  3. spam(); // ReferenceError "spam is not defined"

实战经验

任何时候,请使用var声明变量, 并放置在作用域的顶端.

工具推荐JSLint之类,帮助你验证语法的规范。

参考资料

原文: https://leohxj.gitbooks.io/front-end-database/content/javascript-basic/scoping-and-hoisting.html