ES6笔记(Day1)

2016-09-03  本文已影响35人  MR__Fan
目标

let关键字

可以限制变量作用域

{ 
    let a = 10; 
    var b = 1;
}
a // ReferenceError: a is not defined.
b // 1

适合使用使用在for循环中

//使用 var会出现 闭包的情况
var a = [];
for (var i = 0; i < 10; i++) { 
    a[i] = function () { 
        console.log(i); 
    };
}
a[6](); // 10
/*-------------------*/
//使用let自动解决闭包的问题
var a = [];
for (let i = 0; i < 10; i++) { 
    a[i] = function () { 
        console.log(i); 
    };
}
a[6](); // 6

不存在变量提升

console.log(foo); // 输出undefined
console.log(bar); // 报错ReferenceError
var foo = 2;
let bar = 2;

在代码块内,使用let命令声明变量之前,该变量都是不可用的。这在语法上,称为“暂时性死区”(temporal dead zone,简称TDZ)。

if (true) {  
    // TDZ开始 
    tmp = 'abc'; // ReferenceError 
    console.log(tmp); // ReferenceError 
    let tmp; // TDZ结束 
    console.log(tmp); // undefined 
    tmp = 123; 
    console.log(tmp); // 123
}

考一考,下面2个代码片段的结果如何?

function bar(x = y, y = 2) {
    return [x, y];
}
bar();  // ??
function bar(x = 2, y = x) {
    return [x, y];
}
bar();  // ??

同一个作用域不能声明多次

// 报错
function () { 
    let a = 10; 
    var a = 1;
}

考一考

var tmp = new Date();
function f() { 
    console.log(tmp); 
    if (false) { 
        var tmp = "hello world"; 
    }
}
f();  // ??
var tmp = new Date();
function f() { 
    console.log(tmp); 
    if (false) { 
        tmp = "hello world"; 
    }
}
f();  // ??

可以舍弃匿名函数

// IIFE写法
(function () { 
    var tmp = ...; 
    ...
}());
//
// 块级作用域写法
{ 
    let tmp = ...; 
    ...
}

为了兼容不同的es版本,请使用函数表达式

// 函数声明语句
{
    let a = 'secret';
    function f() {
        return a;
    }
}
// 函数表达式
{
    let a = 'secret';
    let f = function () {
        return a;
    };
}

const 申明常量

对于复合类型的变量,变量名不指向数据,而是指向数据所在的地址。const
命令只是保证变量名指向的地址不变,并不保证该地址的数据不变

const foo = {};
foo.prop = 123;
foo.prop // 123
foo = {}; // TypeError: "foo" is read-only
const a = [];
a.push('Hello'); // 可执行
a.length = 0;    // 可执行
a = ['Dave'];    // 报错

变量赋值

疑惑点:

function f() {
    console.log('aaa');
}
let [x = f()] = [1];
let x;
if ([1][0] === undefined) {
    x = f();
} else {
    x = [1][0];
}

交换变量的值

从函数返回多个值

函数参数的定义

提取JSON数据

函数参数的默认值

遍历Map结构

输入模块的指定方法

字符串扩展

// 普通字符串
`In JavaScript '\\n' is a line-feed.`

// 多行字符串
`In JavaScript this is
 not legal.`

console.log(`string text line 1
string text line 2`);

// 字符串中嵌入变量
var name = "Bob", time = "today";
`Hello ${name}, how are you ${time}?`
上一篇下一篇

猜你喜欢

热点阅读