Scope is the set of variables, objects, and functions you have access to.
包含 变量,对象和方法
Function Scope Variables 函数局部作用域变量
在方法内部定义的变量,属于方法的局部变量,只能在方法内部访问。
function f() {
var foo = 123;
console.log(foo);
}
f(); // 123
Global Scope Variables 全局作用域变量
在方法外部定义的变量,属于全局变量,在当面页面中都可以访问。
var foo = 123;
function f() {
console.log(foo);
}
f(); // 123
Global and local variables with the same name are different variables. Modifying one, does not modify the other.
两个变量即使名字相同,但如果作用域不同,也属于不同的两个变量。修改只对当前作用域的变量有效。
Automatically Global 自动全局变量
Variables created without the keyword var, are always global, even if they are created inside a function.
不使用 var 关键字创建的变量,默认为全局变量,即使是在方法内部创建。
function f() {
foo1 = 123; // 对未声明的变量赋值,该变量自动成为全局变量
}
f();
foo2 = 456; // 对未声明的变量赋值,该变量自动成为全局变量
console.log(foo1); // 123,foo1 为全局变量
console.log(foo2); // 456,foo2 为全局变量
use strict
ES5 标准中提出。
"use strict"; Defines that JavaScript code should be executed in "strict mode".
使得 JavaScript 代码在严格模式下执行,例如不能使用未声明的变量。
'use strict';
foo = 123;
console.log(foo); // ReferenceError: foo is not defined
Block Scope Variables 代码块作用域变量
参见 JavaScript ES6 var VS let 区别
var foo = 5;
for(var i = 1; i <= 3; i++) {
var foo = i; // Function Scope
}
console.log(foo); // 3
var foo = 5;
for(var i = 1; i <= 3; i++) {
let foo = i; // Block Scope
}
console.log(foo); // 5
Global Variables in HTML
全局范围是当前 Java Script 的运行环境,即 window
对象,所有全局变量都属于 window
对象。
var foo = 123;
console.log(window.foo);
Variable Lifetime 变量生命周期
- 全局作用域变量存在于整个应用程序(your window / your web page)
- 函数局部作用域变量生命周期较短,在函数调用时创建,函数调用结束时删除
一些示例:
var foo = 123;
function f() {
var foo = 321;
console.log(foo); // 先在当前 function scope 去找 foo,如果找不到,再去上一层 global scope 去找 foo
}
f(); // 321
var foo = 123;
function f() {
var foo = 321;
}
f();
console.log(foo); // 123,在当前 global scope 去找 foo
Hoisting
Hoisting is JavaScript's default behavior of moving declarations to the top.
自动将变量的声明移动到头部,即变量可以先使用,再声明。
例如,如下的两段代码等价:
'use strict';
foo = 123;
console.log(foo); // 123
var foo; // 自动将变量的声明移动到头部
'use strict';
var foo;
foo = 123;
console.log(foo); // 123
Hoisting 也适用于方法,即方法可以先使用,再声明。 例如:
'use strict';
f(); // 123
function f() {
console.log(123);
}
JavaScript Initializations are Not Hoisted 初始化不能被 Hoisted
例如:
'use strict';
console.log(foo); // undefined
var foo = 123; // 初始化不能被 Hoisted
函数嵌套的 Scope
In JavaScript, all functions have access to the scope "above" them.
所有的函数都能访问上一层的 Scope。
例如:
function f1() {
var i = 0;
function f2() {
i = 1; // 函数都能访问上一层的 Scope
}
f2();
console.log(i);
}
f1(); // 1