// var
console.log(a) // undefined
var a = 10
// let
console.log(b) // Cannot access 'b' before initialization
let b = 10
// const
console.log(c) // Cannot access 'c' before initialization
const c = 10
暂时性死区 + _' r$ k2 q1 I# g' G var不存在暂时性死区,let和const存在暂时性死区,只有等到声明变量的那一行代码出现,才可以获取和使用该变量。 5 g. V5 b5 ~' m. |4 G" _. P
// var
console.log(a) // undefined
var a = 10
// let
console.log(b) // Cannot access 'b' before initialization
let b = 10
// const
console.log(c) // Cannot access 'c' before initialization
const c = 10
块级作用域, r( D) U1 w; D3 }0 p* l/ q
var不存在块级作用域,let和const存在块级作用域。 C6 b) Y2 a' l# ]* Z
// var
{
var a = 20
}
console.log(a) // 20
// let
{
let b = 20
}
console.log(b) // Uncaught ReferenceError: b is not defined
// const
{
const c = 20
}
console.log(c) // Uncaught ReferenceError: c is not defined
重复声明. h4 W' c+ Q8 {+ D+ q9 l8 V
var允许重复声明变量,let和const在同一作用域不允许重复声明变量。3 u1 W9 b8 m0 L1 ~9 e. I
// var
var a = 10
var a = 20 // 20
// let
let b = 10
let b = 20 // Identifier 'b' has already been declared
// const
const c = 10
const c = 20 // Identifier 'c' has already been declared
修改声明的变量 + N# w# W; d# f, E" k. R var和let可以,const声明一个只读的常量。一旦声明,常量的值就不能改变。 \# r7 h# N$ K2 Q" W/ J
// var
var a = 10
a = 20
console.log(a) // 20
//let
let b = 10
b = 20
console.log(b) // 20
// const
const c = 10
c = 20
console.log(c) // Uncaught TypeError: Assignment to constant variable
使用$ q- N2 ^( x& A3 X
能用const的情况尽量使用const,其他情况下大多数使用let,避免使用var。