📒 ES6

作者: 一闪就亮晶晶 | 来源:发表于2018-01-23 16:04 被阅读0次

变量:

声明变量 let, const
let 类似 var, 但所声明的变量只有在let命令所在的代码块内有效。

function A() {
  var a = 5;
  let b = 10;
  if (true) {
    var a = 10;
    let b = 20;
    console.log(a); // 10
    console.log(b); // 20
  }
  console.log(a); // 10
  console.log(b); // 10
}

const 用来声明常量, 也具有块级作用域(指向的地址不可改变,但对该变量进行属性设置是可以的)。

const a = {};
a.b = 1;
console.log(a.b); // 1

如果想完全不可变(包括属性),可以设置冻结。

// 冻结对象
const a = Object.freeze({});
a.b = 1 // Error , 对象不可扩展

字符串检查:

以前js检查一个字符串中是否包含另一个字符串只能用 indexof(), ES6又提供了一下3种:

  • includes() // 返回布尔值,表示是否找到了参数字符串
  • startsWith() // 返回布尔值,表示是否在源字符串头部找到参数字符串。
  • endsWith() // 返回布尔值,表示是否在源字符串尾部找到参数字符串。

这三种方法都支持第二个参数,表示开始搜索的位置。

const str = 'Hello World!';
str.includes('World', 6); // true 从第6个字符开始往后检查
str.startsWith('Hello', 6); // false 从第6个字符开始往后检查
str.endsWith('!', 6); // false 检查前6个字符
模板字符串:

支持字符串插值

const name = 'Ana';
const age = 18;
const intro = `my name is ${name}, ${age} years old.`; 

String.raw
如果使用String.raw作为模板字符串的前缀,则模板字符串可以是是原始的,\, \n等都不再是特殊字符。

const raw = String.raw`Not a newline: \n`;
console.log(raw === 'Not a newline: \\n');  // true

Math对象:

  • Math.trunc() 去除一个数的小数部分(向下取整)。
  • Math.sign() 判断一个数是正数返回1,负数返回-1, 零返回 0,其他返回NaN

数组:

Array.from()
用于将可遍历的对象,类似数组的对象转为真正的数组 。
Array.from() 还可以接受第二个参数,类似map方法,可以对每个元素进行处理。

const arr = [1, 2, 3, 4];
let newArr = Array.from(arr, n => n * 2);
// 等同于
let newArr2 = Array.from(arr).map(n => n * 2);

👇下面的栗子将数组中布尔值为false的元素改成 0。

const arr = [1, ,3, 4,,5];
let newArr = Array.from(arr, n => n || 0); // [1, 0, 3, 4, 0, 5]

Array.of()
用于将一组值转换为数组。

Array.of(1,2,3); // [1, 2, 3]
Array.of(3); // [3], 此处弥补了数组构造函数Array()的不足([undefined, undefined, undefined])

Array.find(), Array.findIndex()
找出数组中第一个符合条件的成员或位置。它们的第一个参数是回调函数,数组元素依次执行。

// 找出第一个小于0的元素
[1, 2, -3, -4].find(n => n < 0);  // -3

find方法的回调函数可以接受三个参数,依次为当前的值当前的位置原数组

// 识别NaN
[NaN].indexOf(NaN); // -1
[NaN].findIndex( n => Object.is(NaN, n)); // 0

fill()
使用给定值填充一个数组。

const arr = ['a', 'b', 'c'].fill(7); // [7, 7, 7]

fill()还可以接受第二个,第三个参数分别是填充歧视位置填充结束位置

const arr = ['a', 'b', 'c'].fill(7, 1, 2); // ['a', 7, 'c']

entries(), keys(), values()
用于遍历数组。entries()遍历键值对,keys()遍历键,values()遍历值。

for (let [index, elem] of ['a', 'b'].entries()) {
  console.log(index, elem); 
// 0 a
// 1 b
}
for (let index of ['a', 'b'].keys()) {
  console.log(index);
  // 0
  // 1
}
for (let elem of ['a', 'b'].values()) {
  console.log(elem);
  // a
  // b
}

相关文章

网友评论

      本文标题:📒 ES6

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