美文网首页JavaScript
JS 中 var、let、const

JS 中 var、let、const

作者: roy_pub | 来源:发表于2019-11-21 10:58 被阅读0次

    const 必须初始化值,let 和 var 可以不初始值

    var a
    console.log(a)  //undefined
    
    let b
    console.log(b)  //undefined
    
    const c
    console.log(c)  //SyntaxError: Missing initializer in const declaration
    

    var 可重复声明,let 和 const 不可重复声明

    var a = 1
    var a = 2
    console.log(a)  //2
    
    let b = 1
    let b = 2
    console.log(b)  //SyntaxError: Identifier 'b' has already been declared
    
    const c = 1
    const c = 2 
    console.log(c)  //SyntaxError: Identifier 'b' has already been declared
    

    var 可块外访问,let 和 const 块内有效

    {
      var a = 5
    }
    console.log(a)  //5
    
    {
      const b = 5
    }
    console.log(b)  //ReferenceError: b is not defined
    
    {
      let c = 5
    }
    console.log(b)  //ReferenceError: c is not defined
    

    var 存在变量提升,let 和 const 不存在变量提升

    console.log(a)   //undefined
    var a = 'apple'
    
    console.log(b)  //ReferenceError: Cannot access 'b' before initialization
    let b = 'apple'
    
    console.log(c)  //ReferenceError: Cannot access 'c' before initialization
    const c = 'apple'
    

    代码块内存在 let 或者 const,代码块会形成一个封闭作用域

    var PI = '3.1415926'
    if (true) {
        console.log(PI);  //3.1415926
    }
    
    var fruit = 'apple'
    if (true) {
        console.log(fruit);  //Cannot access 'fruit' before initialization
        let fruit = 'orange'
    }
    

    const 声明常量,常量值不可修改

    const fruit = 'apple'
    fruit = 'orange'  //TypeError: Assignment to constant variable.
    
    const fruits = ['apple', 'orange']
    fruits[0] = 'banana'
    console.log(fruits)  //[ 'banana', 'orange' ]
    

    const 如何做到变量在声明初始化之后不允许改变的?其实 const 其实保证的不是变量的值不变,而是保证变量指向的内存地址所保存的数据不允许改动。此时,你可能已经想到,简单类型和复合类型保存值的方式是不同的。是的,对于简单类型(数值 number、字符串 string 、布尔值 boolean),值就保存在变量指向的那个内存地址,因此 const 声明的简单类型变量等同于常量。而复杂类型(对象 object,数组 array,函数 function),变量指向的内存地址其实是保存了一个指向实际数据的指针,所以 const 只能保证指针是固定的,至于指针指向的数据结构变不变就无法控制了,所以使用 const 声明复杂类型对象时要慎重。

    循环计数器适合使用 let

    for (var i = 0; i < 10; i++) {
      setTimeout(function () {
        console.log(i)
      })
    }
    
    for (let j = 0; j < 10; j++) {
      setTimeout(function () {
        console.log(j)
      })
    }
    

    变量 i 是用 var 声明的,在全局范围内有效,所以全局中只有一个变量 i, 每次循环时,setTimeout 定时器里面的 i 指的是全局变量 i ,而循环里的十个 setTimeout 是在循环结束后才执行,所以此时的 i 都是 10。
    变量 j 是用 let 声明的,当前的 i 只在本轮循环中有效,每次循环的 j 其实都是一个新的变量,所以 setTimeout 定时器里面的 j 其实是不同的变量,即最后输出12345。(若每次循环的变量 j 都是重新声明的,如何知道前一个循环的值?这是因为 JavaScript 引擎内部会记住前一个循环的值)。

    相关文章

      网友评论

        本文标题:JS 中 var、let、const

        本文链接:https://www.haomeiwen.com/subject/eibzictx.html