ES6、ES7、ES8、ES9、ES10、ES11、ES12新特性
ES全称ECMAScript,ECMAScript是ECMA制定的标准化脚本语言。目前JavaScript使用的ECMAScript版本为 ECMA-417。关于ECMA的最新资讯可以浏览 ECMA news查看。ECMAScript 标准建立在一些原有的技术上,最为著名的是 JavaScript (网景) 和 JScript (微软)。它最初由网景的 Brendan Eich 发明,第一次出现是在网景的 Navigator 2.0 浏览器上。Netscape 2.0 以及微软 Internet Explorer 3.0 后序的所有浏览器上都有它的身影。
序:
ECMA规范最终由TC39敲定。TC39由包括浏览器厂商在内的各方组成,他们开会推动JavaScript提案沿着一条严格的发展道路前进。 从提案到入选ECMA规范主要有以下几个阶段:
- Stage 0: strawman——最初想法的提交。
- Stage 1: proposal(提案)——由TC39至少一名成员倡导的正式提案文件,该文件包括API事例。
- Stage 2: draft(草案)——功能规范的初始版本,该版本包含功能规范的两个实验实现。
- Stage 3: candidate(候选)——提案规范通过审查并从厂商那里收集反馈
- Stage 4: finished(完成)——提案准备加入ECMAScript,但是到浏览器或者Nodejs中可能需要更长的时间。
- [外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-Ts9fjuw5-1643023532777)(C:\Users\huawei\AppData\Roaming\Typora\typora-user-images\image-20220122183129383.png)]
ES6新特性(2015)
ES6的特性比较多,在 ES5 发布近 6 年(2009-11 至 2015-6)之后才将其标准化。两个发布版本之间时间跨度很大,所以ES6中的特性比较多。
- 类
- 模块化
- 箭头函数
- 函数参数默认值
- 模板字符串
- 解构赋值
- 延展操作符
- 对象属性简写
- Promise
- Let与Const
1.类(class)
对熟悉Java,object-c,c#等纯面向对象语言的开发者来说,都会对class有一种特殊的情怀。ES6 引入了class(类),让JavaScript的面向对象编程变得更加简单和易于理解。
class Animal {
// 构造函数,实例化的时候将会被调用,如果不指定,那么会有一个不带参数的默认构造函数.
constructor(name,color) {
this.name = name;
this.color = color;
}
// toString 是原型对象上的属性
toString() {
console.log('name:' + this.name + ',color:' + this.color);
}
}
var animal = new Animal('dog','white');//实例化Animal
animal.toString();
console.log(animal.hasOwnProperty('name')); //true
console.log(animal.hasOwnProperty('toString')); // false
console.log(animal.__proto__.hasOwnProperty('toString')); // true
class Cat extends Animal {
constructor(action) {
// 子类必须要在constructor中指定super 函数,否则在新建实例的时候会报错.
// 如果没有置顶consructor,默认带super函数的constructor将会被添加、
super('cat','white');
this.action = action;
}
toString() {
console.log(super.toString());
}
}
var cat = new Cat('catch')
cat.toString();
// 实例cat 是 Cat 和 Animal 的实例,和Es5完全一致。
console.log(cat instanceof Cat); // true
console.log(cat instanceof Animal); // true
2.模块化(Module)
ES5不支持原生的模块化,在ES6中模块作为重要的组成部分被添加进来。模块的功能主要由 export 和 import 组成。每一个模块都有自己单独的作用域,模块之间的相互调用关系是通过 export 来规定模块对外暴露的接口,通过import来引用其它模块提供的接口。同时还为模块创造了命名空间,防止函数的命名冲突。
2.1、导出(export)
ES6允许在一个模块中使用export来导出多个变量或函数。
导出变量:
//test.js
export var name = 'Rainbow'
注意:ES6不仅支持变量的导出,也支持常量的导出。
export const sqrt = Math.sqrt;//导出常量
ES6将一个文件视为一个模块,上面的模块通过 export 向外输出了一个变量。一个模块也可以同时往外面输出多个变量。
//test.js
var name = 'Rainbow';
var age = '24';
export {name, age};
导出函数:
// myModule.js
export function myModule(someArg) {
return someArg;
}
2.2、导入(import)
定义好模块的输出以后就可以在另外一个模块通过import引用。
import {myModule} from 'myModule';// main.js
import {name,age} from 'test';// test.js
注意:一条import 语句可以同时导入默认函数和其它变量。
import defaultMethod, { otherMethod } from 'xxx.js';
3.箭头(Arrow)函数
=>
不只是关键字function的简写,它还带来了其它好处。箭头函数与包围它的代码共享同一个this
,能帮你很好的解决this的指向问题。有经验的JavaScript开发者都熟悉诸如var self = this;
或var that = this
这种引用外围this的模式。但借助=>
,就不需要这种模式了。
// 箭头函数的例子
()=>1
v=>v+1
(a,b)=>a+b
()=>{
alert("foo");
}
e=>{
if (e == 0){
return 0;
}
return 1000/e;
}
注意:不论是箭头函数还是bind,每次被执行都返回的是一个新的函数引用,因此如果你还需要函数的引用去做一些别的事情(譬如卸载监听器),那么你必须自己保存这个引用。
卸载监听器时的陷阱
错误的做法
class PauseMenu extends React.Component{
componentWillMount(){
AppStateIOS.addEventListener('change', this.onAppPaused.bind(this));
}
componentWillUnmount(){
AppStateIOS.removeEventListener('change', this.onAppPaused.bind(this));
}
onAppPaused(event){
}
}
正确的做法
class PauseMenu extends React.Component{
constructor(props){
super(props);
this._onAppPaused = this.onAppPaused.bind(this);
}
componentWillMount(){
AppStateIOS.addEventListener('change', this._onAppPaused);
}
componentWillUnmount(){
AppStateIOS.removeEventListener('change', this._onAppPaused);
}
onAppPaused(event){
}
}
除上述的做法外,我们还可以这样做:
class PauseMenu extends React.Component{
componentWillMount(){
AppStateIOS.addEventListener('change', this.onAppPaused);
}
componentWillUnmount(){
AppStateIOS.removeEventListener('change', this.onAppPaused);
}
onAppPaused = (event) => {
//把函数直接作为一个arrow function的属性来定义,初始化的时候就绑定好了this指针
}
}
注意:不论是bind还是箭头函数,每次被执行都返回的是一个新的函数引用,因此如果你还需要函数的引用去做一些别的事情(譬如卸载监听器),那么你必须自己保存这个引用。
4.函数参数默认值
ES6支持在定义函数的时候为其设置默认值:
function foo(height = 50, color = 'red')
{
// ...
}
// 不使用默认值:
function foo(height, color)
{
var height = height || 50;
var color = color || 'red';
//...
}
// 注意:这样写一般没问题,但当`参数的布尔值为false`时,就会有问题了。比如,我们这样调用foo函数, foo(0, "")
因为0的布尔值为false
,这样height的取值将是50。同理color的取值为‘red’。
所以说,函数参数默认值
不仅能是代码变得更加简洁而且能规避一些问题。
5.模板字符串
ES6支持模板字符串
,使得字符串的拼接更加的简洁、直观。
不使用模板字符串:
let name = 'Your name is ' + first + ' ' + last + '.'
使用模板字符串:
let name = `Your name is ${first} ${last}.`
在ES6中通过${}
就可以完成字符串的拼接,只需要将变量放在大括号之中。
6.解构赋值
解构赋值语法是JavaScript的一种表达式,可以方便的从数组或者对象中快速提取值赋给定义的变量。
6.2、获取数组中的值
从数组中获取值并赋值到变量中,变量的顺序与数组中对象顺序对应。
const foo = ["one", "two", "three", "four"];
const [one, two, three] = foo;
console.log(one); // "one"
console.log(two); // "two"
console.log(three); // "three"
//如果你要忽略某些值,你可以按照下面的写法获取你想要的值
const [first, , , last] = foo;
console.log(first); // "one"
console.log(last); // "four"
//你也可以这样写
let a, b; //先声明变量
[a, b] = [1, 2];
console.log(a); // 1
console.log(b); // 2
如果没有从数组中的获取到值,你可以为变量设置一个默认值。
let a, b;
[a=5, b=7] = [1];
console.log(a); // 1
console.log(b); // 7
通过解构赋值可以方便的交换两个变量的值。
let a = 1;
let b = 3;
[a, b] = [b, a];
console.log(a); // 3
console.log(b); // 1
6.2、获取对象中的值
const student = {
name:'Ming',
age:'18',
city:'Shanghai'
};
const {name,age,city} = student;
console.log(name); // "Ming"
console.log(age); // "18"
console.log(city); // "Shanghai"
7.延展操作符(Spread operator)
延展操作符...
可以在函数调用/数组构造时, 将数组表达式或者string在语法层面展开;还可以在构造对象时, 将对象表达式按key-value的方式展开。
7.1、语法
函数调用:
myFunction(...iterableObj);
数组构造或字符串:
[...iterableObj, '4', ...'hello', 6];
构造对象时,进行克隆或者属性拷贝(ECMAScript 2018规范新增特性):
let objClone = { ...obj };
7.2、应用场景
在函数调用时使用延展操作符
function sum(x, y, z) {
return x + y + z;
}
const numbers = [1, 2, 3];
//不使用延展操作符
console.log(sum.apply(null, numbers));
//使用延展操作符
console.log(sum(...numbers));// 6
构造数组
没有展开语法的时候,只能组合使用 push,splice,concat 等方法,来将已有数组元素变成新数组的一部分。有了展开语法, 构造新数组会变得更简单、更优雅:
// 和参数列表的展开类似, ... 在构造字数组时, 可以在任意位置多次使用。
const stuendts = ['Jine','Tom'];
const persons = ['Tony',... stuendts,'Aaron','Anna'];
conslog.log(persions)// ["Tony", "Jine", "Tom", "Aaron", "Anna"]
数组拷贝
展开语法和 Object.assign() 行为一致, 执行的都是浅拷贝(只遍历一层)。
const arr = [1, 2, 3];
const arr2 = [...arr]; // 等同于 arr.slice()
arr2.push(4);
console.log(arr2)//[1, 2, 3, 4]
连接多个数组
const arr1 = [0, 1, 2];
const arr2 = [3, 4, 5];
const arr3 = [...arr1, ...arr2];// 将 arr2 中所有元素附加到 arr1 后面并返回
//等同于
const arr4 = arr1.concat(arr2);
7.3、ECMAScript 2018中延展操作符增加了对对象的支持
const obj1 = { foo: 'bar', x: 42 };
const obj2 = { foo: 'baz', y: 13 };
const clonedObj = { ...obj1 };
// 克隆后的对象: { foo: "bar", x: 42 }
const mergedObj = { ...obj1, ...obj2 };
// 合并后的对象: { foo: "baz", x: 42, y: 13 }
7.4、在React中的应用
通常我们在封装一个组件时,会对外公开一些 props 用于实现功能。大部分情况下在外部使用都应显示的传递 props 。但是当传递大量的props时,会非常繁琐,这时我们可以使用 ...(延展操作符,用于取出参数对象的所有可遍历属性)
来进行传递。
一般情况下我们应该这样写:
<CustomComponent name ='Jine' age ={21} />
// 使用 ... ,等同于上面的写法
const params = {
name: 'Jine',
age: 21
}
<CustomComponent {...params} />
// 配合解构赋值避免传入一些不需要的参数
let params = {
name: '123',
title: '456',
type: 'aaa'
}
let { type, ...other } = params;
<CustomComponent type='normal' number={2} {...other} />
//等同于
<CustomComponent type='normal' number={2} name='123' title='456' />
8.对象属性简写
在ES6中允许我们在设置一个对象的属性的时候不指定属性名。
// 不使用es6
const name='Ming',age='18',city='Shanghai';
const student = {
name:name,
age:age,
city:city
};
console.log(student);//{name: "Ming", age: "18", city: "Shanghai"}
// 使用es6
const name='Ming',age='18',city='Shanghai';
const student = {
name,
age,
city
};
console.log(student);//{name: "Ming", age: "18", city: "Shanghai"}
9.Promise
Promise 是异步编程的一种解决方案,比传统的解决方案callback更加的优雅。它最早由社区提出和实现的,ES6 将其写进了语言标准,统一了用法,原生提供了Promise对象
在promise之前代码过多的回调或者嵌套,可读性差、耦合度高、扩展性低。通过Promise机制,用同步编程的方式来编写异步代码,保存线性的代码逻辑,极大的降低了代码耦合性而提高了程序的可扩展性。
// 嵌套两个setTimeout回调函数:
// 不使用es6
setTimeout(function()
{
console.log('Hello'); // 1秒后输出"Hello"
setTimeout(function()
{
console.log('Hi'); // 2秒后输出"Hi"
}, 1000);
}, 1000);
// 使用es6
let waitSecond = new Promise(function(resolve, reject)
{
setTimeout(resolve, 1000);
});
waitSecond
.then(function()
{
console.log("Hello"); // 1秒后输出"Hello"
return waitSecond;
})
.then(function()
{
console.log("Hi"); // 2秒后输出"Hi"
});
// 使用两个then来进行异步编程串行化,避免了回调地狱:
10.支持let与const
在之前JS是没有块级作用域的,const与let填补了这方便的空白,const(声明常量)与let(声明变量)都是块级作用域。
- 不存在变量提升
- 统一块级作用域不允许重复声明
- const声明时必须赋值 ,否则报错,且const a=引用类型数据时改变不会报错
- 一个块级作用域内部如果定义了局部变量,就不会使用外部变量。
// 使用var定义的变量在全局代码中执行:
{
var a = 10;
}
console.log(a); // 输出10
// 使用let与const定义的变量在代码块中执行:
{
let a = 10;
}
console.log(a); // -1 or Error“ReferenceError: a is not defined”
全局作用域函数作用域:
function() {}
块级作用域:
{}
ES7新特性(2016)
ES2016添加了两个小的特性来说明标准化过程:
- 数组includes()方法,用来判断一个数组是否包含一个指定的值,根据情况,如果包含则返回true,否则返回false。
- a ** b指数运算符,它与 Math.pow(a, b)相同。
1.Array.prototype.includes()
includes()
函数用来判断一个数组是否包含一个指定的值,如果包含则返回 true
,否则返回false
。
includes
函数与 indexOf
函数很相似,下面两个表达式是等价的:
arr.includes(x)
arr.indexOf(x) >= 0
判断数字中是否包含某个元素:
let arr = ['react', 'angular', 'vue'];
// 在ES7之前的做法 使用indexOf()验证数组中是否存在某个元素,这时需要根据返回值是否为-1来判断:
if (arr.indexOf('react') !== -1)
{
console.log('react存在');
}
// 使用ES7的includes()
if (arr.includes('react'))
{
console.log('react存在');
}
const arr = ['a', 'b', 'c'];
arr.includes('c', 3); // false
arr.includes('c', 100); // false
arr.includes('a', -100); // true
arr.includes('c', -100); // true
arr.includes('a', -2); // false
// 在函数的 `arguments` 对象上调用 `includes()` 方法。
(function() {
console.log([].includes.call(arguments, 'a')); // true
console.log([].includes.call(arguments, 'd')); // false
})('a', 'b', 'c');
注意:
- includes在某些国产机低版本上不兼容 ,如:vivo 系统版本是Android 6(解决方法:用babel去转换兼容)
- arr.includes(valueToFind[, fromIndex]);如果
fromIndex
大于等于数组的长度,则会返回false
,且该数组不会被搜索。- 如果
fromIndex
为负值,计算出的索引将作为开始搜索valueToFind
的位置。如果计算出的索引小于0
,则整个数组都会被搜索。includes()
方法有意设计为通用方法。它不要求this
值是数组对象,所以它可以被用于其他类型的对象(比如类数组对象)。
2.指数操作符
在ES7中引入了指数运算符**
,**
具有与Math.pow(..)
等效的计算结果。
// 不使用指数操作符, 使用自定义的递归函数calculateExponent或者Math.pow()进行指数运算:
function calculateExponent(base, exponent)
{
if (exponent === 1)
{
return base;
}
else
{
return base * calculateExponent(base, exponent - 1);
}
}
console.log(calculateExponent(2, 10)); // 输出1024
console.log(Math.pow(2, 10)); // 输出1024
// 使用指数操作符:
console.log(2**10);// 输出1024
ES8新特性(2017)
- async/await
Object.values()
Object.entries()
- String padding:
padStart()
和padEnd()
,填充字符串达到当前长度 - 函数参数列表结尾允许逗号
Object.getOwnPropertyDescriptors()
ShareArrayBuffer
和Atomics
对象,用于从共享内存位置读取和写入
1.async/await
背景:async
和 await
关键字是基于 Generator
函数的语法糖,使异步代码更易于编写和阅读。通过使用它们,异步代码看起来更像是老式同步代码。
使用 Generator 函数,依次读取两个文件:
const fs = require('fs');
const readFile = function (fileName) {
return new Promise(function (resolve, reject) {
fs.readFile(fileName, function(error, data) {
if (error) return reject(error);
resolve(data);
});
});
};
const gen = function* () {
const f1 = yield readFile('/etc/fstab');
const f2 = yield readFile('/etc/shells');
console.log(f1.toString());
console.log(f2.toString());
};
上面代码的函数 gen 可以写成 async 函数,就是下面这样:
const asyncReadFile = async function () {
const f1 = await readFile('/etc/fstab');
const f2 = await readFile('/etc/shells');
console.log(f1.toString());
console.log(f2.toString());
};
async
函数对 Generator
函数的改进,体现在以下四点:
- 内置执行器。Generator 函数的执行必须靠执行器,所以才有了
co
模块,而async
函数自带执行器。也就是说,async
函数的执行,与普通函数一模一样,只要一行。 - 更好的语义。
async
和await
,比起星号(*
)和yield
,语义更清楚了。async
表示函数里有异步操作,await
表示紧跟在后面的表达式需要等待结果。 - 更广的适用性。
co
模块约定,yield
命令后面只能是Thunk
函数或Promise
对象,而async
函数的await
命令后面,可以是Promise
对象和原始类型的值(数值、字符串和布尔值等,但这时会自动转成立即resolved
的Promise
对象)。 - 返回值是 Promise。
async
函数的返回值是 Promise 对象,这比 Generator 函数的返回值是 Iterator 对象方便多了。你可以用then
方法指定下一步的操作。进一步说,async
函数完全可以看作多个异步操作,包装成的一个 Promise 对象,而await
命令就是内部then
命令的语法糖。
// 之前
fetch('https://blog.csdn.net/')
.then(response => {
console.log(response)
return fetch('https://juejin.im/')
})
.then(response => {
console.log(response)
})
.catch(error => {
console.log(error)
})
// 现在
async function foo () {
try {
let response1 = await fetch('https://blog.csdn.net/')
console.log(response1)
let response2 = await fetch('https://juejin.im/')
console.log(response2)
} catch (err) {
console.error(err)
}
}
foo()
缺陷:
Async/await
让你的代码看起来是同步的,在某种程度上,也使得它的行为更加地同步。await
关键字会阻塞其后的代码,直到promise完成,就像执行同步操作一样。它确实可以允许其他任务在此期间继续运行,但您自己的代码被阻塞。这意味着您的代码可能会因为大量
await
的promises相继发生而变慢。每个await
都会等待前一个完成,而你实际想要的是所有的这些promises同时开始处理(就像我们没有使用async/await
时那样)。有一种模式可以缓解这个问题——通过将
Promise
对象存储在变量中来同时开始它们,然后等待它们全部执行完毕。如果想更加深入的了解,请参考 MDN注意:
- await 只能在 async 标记的函数内部使用,单独使用会触发 Syntax error。
- await后面需要跟异步操作,不然就没有意义,而且await后面的Promise对象不必写then,因为await的作用之一就是获取后面Promise对象成功状态传递出来的参数。
2.Object.values()
Object.values()
是一个与Object.keys()
类似的新函数,但返回的是Object自身属性的所有值,不包括继承的值。并且返回是一个给定对象自身的所有可枚举属性值的数组,值的顺序与使用 for...in 循环的顺序相同(区别在于 for...in 循环枚举原型链中的属性)。
省去了遍历key,并根据这些key获取value的步骤
// 假设我们要遍历如下对象obj的所有值:
const obj = {a: 1, b: 2, c: 3};
// 不使用Object.values() :ES7
const vals=Object.keys(obj).map(key=>obj[key]);
console.log(vals);//[1, 2, 3]
// 使用Object.values() :ES8
const values=Object.values(obj1);
console.log(values);//[1, 2, 3]
3.Object.entries()
Object.entries()
函数返回一个给定对象自身可枚举属性的键值对的数组,其排列与使用 for...in 循环遍历该对象时返回的顺序一致(区别在于 for...in 循环还会枚举原型链中的属性)
const obj = {a: 1, b: 2, c: 3};
// 不使用Object.entries() :ES7
Object.keys(obj).forEach(key=>{
console.log('key:'+key+' value:'+obj[key]);
})
//key:a value:1
//key:b value:2
//key:c value:3
// 使用Object.entries() :ES8
for(let [key,value] of Object.entries(obj1)){
console.log(`key: ${key} value:${value}`)
}
//key:a value:1
//key:b value:2
//key:c value:3
4.String padding
在ES8中String新增了两个实例函数String.prototype.padStart
和String.prototype.padEnd
,允许将空字符串或其他字符串添加到原始字符串的开头或结尾。
String.padStart(targetLength,[padString])
- targetLength:当前字符串需要填充到的目标长度。如果这个数值小于当前字符串的长度,则返回当前字符串本身。
- padString:(可选)填充字符串。如果字符串太长,使填充后的字符串长度超过了目标长度,则只保留最左侧的部分,其他部分会被截断,此参数的缺省值为 " "。
console.log('0.0'.padStart(4,'10')) //10.0
console.log('0.0'.padStart(20)) // 0.00
console.log('0.0'.padStart(20, '1234')) // 123412341234123410.0
String.padEnd(targetLength,padString])
- targetLength:当前字符串需要填充到的目标长度。如果这个数值小于当前字符串的长度,则返回当前字符串本身。
- padString:(可选) 填充字符串。如果字符串太长,使填充后的字符串长度超过了目标长度,则只保留最左侧的部分,其他部分会被截断,此参数的缺省值为 " ";
console.log('0.0'.padEnd(4,'0')) //0.00
console.log('0.0'.padEnd(10,'0'))//0.00000000
console.log("0.0".padEnd(5, "789")); //0.078
console.log("0.0".padEnd(8, "789")); //0.078978
5.函数参数列表结尾允许逗号
主要作用是方便使用git进行多人协作开发时修改同一个函数减少不必要的行变更。
6.Object.getOwnPropertyDescriptors()
Object.getOwnPropertyDescriptors()
函数用来获取一个对象的所有自身属性的描述符,如果没有任何自身属性,则返回空对象。
const obj2 = {
name: 'Jine',
get age() { return '18' }
};
Object.getOwnPropertyDescriptors(obj2)
// {
// age: {
// configurable: true,
// enumerable: true,
// get: function age(){}, //the getter function
// set: undefined
// },
// name: {
// configurable: true,
// enumerable: true,
// value:"Jine",
// writable:true
// }
// }
7.SharedArrayBuffer对象
SharedArrayBuffer 对象用来表示一个通用的,固定长度的原始二进制数据缓冲区,类似于 ArrayBuffer 对象,它们都可以用来在共享内存(shared memory)上创建视图。与 ArrayBuffer 不同的是,SharedArrayBuffer 不能被分离。
/**
*
* @param {*} length 所创建的数组缓冲区的大小,以字节(byte)为单位。
* @returns {SharedArrayBuffer} 一个大小指定的新 SharedArrayBuffer 对象。其内容被初始化为 0。
*/
new SharedArrayBuffer(length)
8.Atomics对象
Atomics 对象提供了一组静态方法用来对 SharedArrayBuffer 对象进行原子操作。
这些原子操作属于 Atomics 模块。与一般的全局对象不同,Atomics 不是构造函数,因此不能使用 new 操作符调用,也不能将其当作函数直接调用。Atomics 的所有属性和方法都是静态的(与 Math 对象一样)。
多个共享内存的线程能够同时读写同一位置上的数据。原子操作会确保正在读或写的数据的值是符合预期的,即下一个原子操作一定会在上一个原子操作结束后才会开始,其操作过程不会中断。
8.1、Atomics.add()
将指定位置上的数组元素与给定的值相加,并返回相加前该元素的值。
8.2、Atomics.and()
将指定位置上的数组元素与给定的值相与,并返回与操作前该元素的值。
8.3、Atomics.compareExchange()
如果数组中指定的元素与给定的值相等,则将其更新为新的值,并返回该元素原先的值。
8.4、Atomics.exchange()
将数组中指定的元素更新为给定的值,并返回该元素更新前的值。
8.5、Atomics.load()
返回数组中指定元素的值。
8.6、Atomics.or()
将指定位置上的数组元素与给定的值相或,并返回或操作前该元素的值。
8.7、Atomics.store()
将数组中指定的元素设置为给定的值,并返回该值。
8.8、Atomics.sub()
将指定位置上的数组元素与给定的值相减,并返回相减前该元素的值。
8.9、Atomics.xor()
将指定位置上的数组元素与给定的值相异或,并返回异或操作前该元素的值。
wait() 和 wake() 方法采用的是 Linux 上的 futexes 模型(fast user-space mutex,快速用户空间互斥量),可以让进程一直等待直到某个特定的条件为真,主要用于实现阻塞。
8.10、Atomics.wait()
检测数组中某个指定位置上的值是否仍然是给定值,是则保持挂起直到被唤醒或超时。返回值为 "ok"、"not-equal" 或 "time-out"。调用时,如果当前线程不允许阻塞,则会抛出异常(大多数浏览器都不允许在主线程中调用 wait())。
8.11、Atomics.wake()
唤醒等待队列中正在数组指定位置的元素上等待的线程。返回值为成功唤醒的线程数量。
8.12、Atomics.isLockFree(size)
可以用来检测当前系统是否支持硬件级的原子操作。对于指定大小的数组,如果当前系统支持硬件级的原子操作,则返回 true;否则就意味着对于该数组,Atomics 对象中的各原子操作都只能用锁来实现。此函数面向的是技术专家。-->
ES9新特性(2018)
- 异步迭代
- Promise.finally()
- Rest/Spread 属性
- 正则表达式命名捕获组(Regular Expression Named Capture Groups)
- 正则表达式反向断言(lookbehind)
- 正则表达式dotAll模式
- 正则表达式 Unicode 转义
- 非转义序列的模板字符串
1.异步迭代(for await...of)
在async/await
的某些时刻,你可能尝试在同步循环中调用异步函数。例如:
// 这段代码不会正常运行:
async function process(array) {
array.forEach(async i => {
await doSomething(i);
});
}
循环本身依旧保持同步,并在在内部异步函数之前全部调用完成。
ES2018引入异步迭代器(asynchronous iterators),这就像常规迭代器,除了next()
方法返回一个Promise。因此await
可以和for...of
循环一起使用,以串行的方式运行异步操作。例如:
// 继发执行
async function process(array) {
for (let i of array) {
await doSomething(i);
}
}
// or
async function process(array) {
for await (let i of array) {
doSomething(i);
}
}
2.Promise.finally()
一个Promise调用链要么成功到达最后一个.then()
,要么失败触发.catch()
。在某些情况下,你想要在无论Promise运行成功还是失败,运行相同的代码,例如清除,删除对话,关闭数据库连接等。
.finally()
返回一个 Promise,允许你指定最终的逻辑:
function doSomething() {
doSomething1()
.then(doSomething2)
.then(doSomething3)
.catch(err => {
console.log(err);
})
.finally(() => {
// finish here!
});
}
3.Rest/Spread 属性
ES2015引入了Rest参数和扩展运算符。三个点(...)仅用于数组。Rest参数语法允许我们将一个不定数量的参数表示为一个数组。
restParam(1, 2, 3, 4, 5);
function restParam(p1, p2, ...p3) {
// p1 = 1
// p2 = 2
// p3 = [3, 4, 5]
}
展开操作符以相反的方式工作,将数组转换成可传递给函数的单独参数。例如Math.max()
返回给定数字中的最大值:
const values = [99, 100, -1, 48, 16];
console.log( Math.max(...values) ); // 100
ES2018为对象解构提供了和数组一样的Rest参数()和展开操作符,一个简单的例子:
const myObject = {
a: 1,
b: 2,
c: 3
};
const { a, ...x } = myObject;
// a = 1
// x = { b: 2, c: 3 }
// 或者你可以使用它给函数传递参数:
restParam({
a: 1,
b: 2,
c: 3
});
function restParam({ a, ...x }) {
// a = 1
// x = { b: 2, c: 3 }
}
跟数组一样,Rest参数只能在声明的结尾处使用。此外,它只适用于每个对象的顶层,如果对象中嵌套对象则无法适用。
扩展运算符可以在其他对象内使用,例如:
const obj1 = { a: 1, b: 2, c: 3 };
const obj2 = { ...obj1, z: 26 };
// obj2 is { a: 1, b: 2, c: 3, z: 26 }
可以使用扩展运算符拷贝一个对象,像是这样obj2 = {...obj1}
,但是 这只是一个对象的浅拷贝。另外,如果一个对象A的属性是对象B,那么在克隆后的对象cloneB中,该属性指向对象B。
4.正则表达式命名捕获组
JavaScript正则表达式可以返回一个匹配的对象——一个包含匹配字符串的类数组,例如:以YYYY-MM-DD
的格式解析日期 (这样的代码很难读懂,并且改变正则表达式的结构有可能改变匹配对象的索引) :
const
reDate = /([0-9]{4})-([0-9]{2})-([0-9]{2})/,
match = reDate.exec('2018-04-30'),
year = match[1], // 2018
month = match[2], // 04
day = match[3]; // 30
ES2018允许命名捕获组使用符号?<name>
,在打开捕获括号(
后立即命名,示例如下:
const
reDate = /(?<year>[0-9]{4})-(?<month>[0-9]{2})-(?<day>[0-9]{2})/,
match = reDate.exec('2018-04-30'),
year = match.groups.year, // 2018
month = match.groups.month, // 04
day = match.groups.day; // 30
任何匹配失败的命名组都将返回undefined
。
命名捕获也可以使用在replace()
方法中。例如将日期转换为美国的 MM-DD-YYYY 格式:
const
reDate = /(?<year>[0-9]{4})-(?<month>[0-9]{2})-(?<day>[0-9]{2})/,
d = '2018-04-30',
usDate = d.replace(reDate, '$<month>-$<day>-$<year>');
5.正则表达式反向断言
目前JavaScript在正则表达式中支持先行断言(lookahead)。这意味着匹配会发生,但不会有任何捕获,并且断言没有包含在整个匹配字段中。例如从价格中捕获货币符号:
const
reLookahead = /\D(?=\d+)/,
match = reLookahead.exec('$123.89');
console.log( match[0] ); // $
// ES2018引入以相同方式工作但是匹配前面的反向断言(lookbehind),这样我就可以忽略货币符号,单纯的捕获价格的数字:
const
reLookbehind = /(?<=\D)\d+/,
match = reLookbehind.exec('$123.89');
console.log( match[0] ); // 123.89
以上是 肯定反向断言,非数字\D
必须存在。同样的,还存在 否定反向断言,表示一个值必须不存在,例如:
const
reLookbehindNeg = /(?<!\D)\d+/,
match = reLookbehind.exec('$123.89');
console.log( match[0] ); // null
6.正则表达式dotAll模式
正则表达式中点.
匹配除回车外的任何单字符,标记s
改变这种行为,允许行终止符的出现,例如:
/hello.world/.test('hello\nworld'); // false
/hello.world/s.test('hello\nworld'); // true
7.正则表达式 Unicode 转义
到目前为止,在正则表达式中本地访问 Unicode 字符属性是不被允许的。ES2018添加了 Unicode 属性转义——形式为\p{...}
和\P{...}
,在正则表达式中使用标记 u
(unicode) 设置,在\p
块儿内,可以以键值对的方式设置需要匹配的属性而非具体内容。例如:
const reGreekSymbol = /\p{Script=Greek}/u;
reGreekSymbol.test('π'); // true
此特性可以避免使用特定 Unicode 区间来进行内容类型判断,提升可读性和可维护性。
8.非转义序列的模板字符串
之前,\u
开始一个 unicode 转义,\x
开始一个十六进制转义,\
后跟一个数字开始一个八进制转义。这使得创建特定的字符串变得不可能,例如Windows文件路径 C:\uuu\xxx\111
。更多细节参考模板字符串。
ES10新特性(2019)
- 行分隔符(U + 2028)和段分隔符(U + 2029)符号现在允许在字符串文字中,与JSON匹配
- 更加友好的 JSON.stringify
- 新增了Array的
flat()
方法和flatMap()
方法 - 新增了String的
trimStart()
方法和trimEnd()
方法 - Object.fromEntries()
- Symbol.prototype.description
Function.prototype.toString()
现在返回精确字符,包括空格和注释- 简化
try {} catch {}
,修改catch
绑定
1.行分隔符(U + 2028)和段分隔符(U + 2029)符号现在允许在字符串文字中,与JSON匹配
以前,这些符号在字符串文字中被视为行终止符,因此使用它们会导致SyntaxError异常。
2.更加友好的 JSON.stringify
如果输入 Unicode 格式但是超出范围的字符,在原先JSON.stringify返回格式错误的Unicode字符串。现在实现了一个改变JSON.stringify的第3阶段提案,因此它为其输出转义序列,使其成为有效Unicode(并以UTF-8表示)
3.新增了Array的flat()
方法和flatMap()
方法
flat()
和flatMap()
本质上就是是归纳(reduce) 与 合并(concat)的操作。
3.1、Array.prototype.flat()
flat()
方法会按照一个可指定的深度递归遍历数组,并将所有元素与遍历到的子数组中的元素合并为一个新数组返回。
flat()
方法最基本的作用就是数组降维
const arr1 = [1, 2, [3, 4]];
arr1.flat();
// [1, 2, 3, 4]
const arr2 = [1, 2, [3, 4, [5, 6]]];
arr2.flat();
// [1, 2, 3, 4, [5, 6]]
const arr3 = [1, 2, [3, 4, [5, 6]]];
arr3.flat(2);
// [1, 2, 3, 4, 5, 6]
//使用 Infinity 作为深度,展开任意深度的嵌套数组
arr3.flat(Infinity);
// [1, 2, 3, 4, 5, 6]
- 其次,还可以利用
flat()
方法的特性来去除数组的空项
var arr4 = [1, 2, , 4, 5];
arr4.flat();
// [1, 2, 4, 5]
3.2、Array.prototype.flatMap()
arr.flatMap( function callback( currentValue[, index[, array]]) { // return element for new_array }[, thisArg])
callback
:可以生成一个新数组中的元素的函数,可以传入三个参数:
currentValue
:当前正在数组中处理的元素。index
:可选的。数组中正在处理的当前元素的索引。array
:可选的。数组中正在处理的当前元素的索引。thisArg
:可选的。执行 callback 函数时 使用的this
值。
flatMap()
方法首先使用映射函数映射每个元素,然后将结果压缩成一个新数组。它与 map 和 深度值1的 flat 几乎相同,但 flatMap 通常在合并成一种方法的效率稍微高一些。 这里我们拿map方法与flatMap方法做一个比较。
var arr1 = [1, 2, 3, 4];
arr1.map(x => [x * 2]);
// [[2], [4], [6], [8]]
arr1.flatMap(x => [x * 2]);
// [2, 4, 6, 8]
// 只会将 flatMap 中的函数返回的数组 “压平” 一层
arr1.flatMap(x => [[x * 2]]);
// [[2], [4], [6], [8]]
4.新增了String的trimStart()
方法和trimEnd()
方法
新增的这两个方法很好理解,分别去除字符串首尾空白字符,这里就不用例子说声明了。
5.Object.fromEntries()
Object.entries()
方法的作用是返回一个给定对象自身可枚举属性的键值对数组,其排列与使用 for...in 循环遍历该对象时返回的顺序一致(区别在于 for-in 循环也枚举原型链中的属性)。
**而Object.fromEntries()
则是 Object.entries()
的反转。
Object.fromEntries()
函数传入一个键值对的列表,并返回一个带有这些键值对的新对象。这个迭代参数应该是一个能够实现@iterator方法的的对象,返回一个迭代器对象。它生成一个具有两个元素的类似数组的对象,第一个元素是将用作属性键的值,第二个元素是与该属性键关联的值。
- 通过 Object.fromEntries, 可以将 Map 转化为 Object:
const map = new Map([ ['foo', 'bar'], ['baz', 42] ]);
const obj = Object.fromEntries(map);
console.log(obj); // { foo: "bar", baz: 42 }
- 通过 Object.fromEntries, 可以将 Array 转化为 Object:
const arr = [ ['0', 'a'], ['1', 'b'], ['2', 'c'] ];
const obj = Object.fromEntries(arr);
console.log(obj); // { 0: "a", 1: "b", 2: "c" }
6.Symbol.prototype.description
通过工厂函数Symbol()创建符号时,您可以选择通过参数提供字符串作为描述:
const sym = Symbol('The description');
// 以前,访问描述的唯一方法是将符号转换为字符串:
assert.equal(String(sym), 'Symbol(The description)');
// 现在引入了getter Symbol.prototype.description以直接访问描述:
assert.equal(sym.description, 'The description');
7.Function.prototype.toString()
现在返回精确字符,包括空格和注释
function /* comment */ foo /* another comment */() {}
// 之前不会打印注释部分
console.log(foo.toString()); // function foo(){}
// ES2019 会把注释一同打印
console.log(foo.toString()); // function /* comment */ foo /* another comment */ (){}
// 箭头函数
const bar /* comment */ = /* another comment */ () => {};
console.log(bar.toString()); // () => {}
8.修改 catch
绑定
在 ES10 之前,我们必须通过语法为 catch 子句绑定异常变量,无论是否有必要。很多时候 catch 块是多余的。 ES10 提案使我们能够简单的把变量省略掉。
不算大的改动。
// 之前是
try {} catch(e) {}
// 现在是
try {} catch {}
ES11新特性(2020)
- 空值合并运算符(
??
) - 可选链(
?.
) - globalThis
- BigInt
- String.prototype.matchAll()
- Promise.allSettled()
- Dynamic Import(按需 import)
- import.meta
1、空值合并运算符( ??
)
空值合并操作符( ??
)是一个逻辑操作符,当左侧的操作数为 null
或者undefined
时,返回其右侧操作数,否则返回左侧操作数。
const foo = undefined ?? "foo"
const bar = null ?? "bar"
console.log(foo) // foo
console.log(bar) // bar
与逻辑或操作符(||
)不同,逻辑或操作符会在左侧操作数为假值时返回右侧操作数。也就是说,如果使用 ||
来为某些变量设置默认值,可能会遇到意料之外的行为。比如为假值(例如''
,0
,NaN
,false
)时。见下面的例子。
const foo = "" ?? 'default string';
const foo2 = "" || 'default string';
console.log(foo); // ""
console.log(foo2); // "default string"
const baz = 0 ?? 42;
const baz2 = 0 || 42;
console.log(baz); // 0
console.log(baz2); // 42
// 不可这样用
null || undefined ?? "foo"; // 抛出 SyntaxError
true || undefined ?? "foo"; // 抛出 SyntaxError
注意:将??
直接与 AND(&&
)和 OR(||
)操作符组合使用是不可取的。
2、可选链( ?.
)
操作符( ?.
)允许读取位于连接对象链深处的属性的值,而不必明确验证链中的每个引用是否有效。?.
操作符的功能类似于 .
链式操作符,不同之处在于,在引用为 null
或者 undefined
的情况下不会引起错误,该表达式短路返回值是 undefined
。与函数调用一起使用时,如果给定的函数不存在,则返回 undefined
。
const user = {
address: {
street: 'xx街道',
getNum() {
return '80号'
}
}
}
// 未使用前
const street = user && user.address && user.address.street
const num = user && user.address && user.address.getNum && user.address.getNum()
console.log(street, num) // xx街道 80号
// 使用后
const street2 = user?.address?.street
const num2 = user?.address?.getNum?.()
console.log(street2, num2) // xx街道 80号
小结:可选链中的 ? 表示如果问号左边表达式有值, 就会继续查询问号后面的字段。
let customer = {
name: "jimmy",
details: { age: 18 }
};
let customerCity = customer?.city ?? "成都";
console.log(customerCity); // "成都"
// 可选链不能用于赋值
let object = {};
object?.property = 1; // Uncaught SyntaxError: Invalid left-hand side in assignment
3、globalThis
从不同的 JavaScript 环境中获取全局对象需要不同的语句。在 Web 中,可以通过 window
、self
取到全局对象,在 Node.js 中,它们都无法获取,必须使用 global
。在松散模式下,可以在函数中返回 this
来获取全局对象,但是在严格模式和模块环境下,this
会返回 undefined
。
// 以前想要获取全局对象
const getGlobal = () => {
if (typeof self !== 'undefined') {
return self
}
if (typeof window !== 'undefined') {
return window
}
if (typeof global !== 'undefined') {
return global
}
throw new Error('无法找到全局对象')
}
const globals = getGlobal()
console.log(globals) // Window {window: Window, self: Window, document: document, name: '', location: Location, …}
// 现在
console.log(globalThis); // Window {window: Window, self: Window, document: document, name: '', location: Location, …}
拓展:
// 浏览器环境
console.log(globalThis); // => Window {...}
// node.js 环境
console.log(globalThis); // => Object [global] {...}
// web worker 环境
console.log(globalThis); // => DedicatedWorkerGlobalScope {...}
小结:现在globalThis
提供了一个标准的方式来获取不同环境下的全局this
对象(也就是全局对象自身)。不像window
或者self
这些属性,它确保可以在有无窗口的各种环境下正常工作。所以,你可以安心的使用globalThis
,不必担心它的运行环境。即:全局作用域中的this
就是globalThis
。以后就用globalThis就行了。
4、BigInt
现在的基本数据类型(值类型)不止5种(ES6之后是六种)了哦!加上BigInt一共有七种基本数据类型,分别是: String、Number、Boolean、Null、Undefined、Symbol、BigInt
BigInt** 是一种内置对象,它提供了一种方法来表示大于
2的53次方 - 1 的整数。这原本是 Javascript中可以用
Number 表示的最大数字。**
BigInt`** 可以表示任意大的整数。
4.1、数字后面增加n
const bigInt = 9007199254740993n
console.log(bigInt) // 9007199254740993n
console.log(typeof bigInt) // bigint
// `BigInt` 和 [`Number`]不是严格相等的,但是宽松相等的。
console.log(1n == 1) // true
console.log(1n === 1) // false
// `Number` 和 `BigInt` 可以进行比较。
1n < 2 // ↪ true
2n > 1 // ↪ true
4.2、使用BigInt函数
const bigIntNum = BigInt(9007199254740993n)
console.log(bigIntNum) // 9007199254740993n
4.3、运算
let number = BigInt(2);
let a = number + 2n;
let b = number * 10n;
let c = number - 10n;
console.log(a); // 4n
console.log(b); // 20n
console.log(c); // -8n
注意:
- BigInt不能用于 [
Math
] 对象中的方法;不能和任何 [Number
] 实例混合运算,两者必须转换成同一种类型。在两种类型来回转换时要小心,因为BigInt
变量在转换成 [Number
] 变量时可能会丢失精度。·/
除法运算符也可以使用,但是会向下取整。因为BigInt
不是BigDecimal
。BigInt
并不严格等于Number
。- 比较运算符可以正常使用。
- 数组中混合
BigInt
和Number
可以正常排序。
5、String.prototype.matchAll()
matchAll()
方法返回一个包含所有匹配正则表达式及分组捕获结果的迭代器。 在 matchAll 出现之前,通过在循环中调用regexp.exec来获取所有匹配项信息(regexp需使用/g标志):
// 之前,如果我们要获取所有匹配项信息,只能通过循环调用
const regexp = RegExp('foo*','g');
const str = 'table football, foosball';
while ((matches = regexp.exec(str)) !== null) {
console.log(`Found ${matches[0]}. Next starts at ${regexp.lastIndex}.`);
// expected output: "Found foo. Next starts at 9."
// expected output: "Found foo. Next starts at 19."
}
如果使用matchAll ,就可以不必使用while循环加exec方式(且正则表达式需使用/g标志)。使用matchAll 会得到一个迭代器的返回值,配合 for...of, array spread, or Array.from() 可以更方便实现功能:
const regexp = RegExp('foo*','g');
const str = 'table football, foosball';
let matches = str.matchAll(regexp);
for (const match of matches) {
console.log(match);
}
// Array [ "foo" ]
// Array [ "foo" ]
// matches iterator is exhausted after the for..of iteration
// Call matchAll again to create a new iterator
matches = str.matchAll(regexp);
Array.from(matches, m => m[0]);
// Array [ "foo", "foo" ]
matchAll可以更好的用于分组
var regexp = /t(e)(st(\d?))/g;
var str = 'test1test2';
str.match(regexp);
// Array ['test1', 'test2']
let array = [...str.matchAll(regexp)];
array[0];
// ['test1', 'e', 'st1', '1', index: 0, input: 'test1test2', length: 4]
array[1];
// ['test2', 'e', 'st2', '2', index: 5, input: 'test1test2', length: 4]
注意:
- 如果没有
/g
标志,matchAll
会抛出异常。matchAll
内部做了一个regexp
的复制,所以不像regexp.exec
,lastIndex
在字符串扫描时不会改变。matchAll
的另外一个亮点是更好地获取捕获组。因为当使用match()
和/g
标志方式获取匹配信息时,捕获组会被忽略:
使用 matchAll
可以通过如下方式获取分组捕获:
const regexp = /t(e)(st(\d?))/g;
const str = 'test1test2';
let array = [...str.matchAll(regexp)];
array[0];
// ['test1', 'e', 'st1', '1', index: 0, input: 'test1test2', length: 4]
array[1];
// ['test2', 'e', 'st2', '2', index: 5, input: 'test1test2', length: 4]
6、Promise.allSettled()
Promise.all() 具有并发执行异步任务的能力。但它的最大问题就是如果其中某个任务出现异常(reject),所有任务都会挂掉,Promise直接进入reject 状态。
api | 描述 | |
---|---|---|
Promise.allSettled | 不会短路 | 本提案 🆕 |
Promise.all | 当存在输入值 rejected 时短路 | 在 ES2015 中添加 ✅ |
Promise.race | 当存在输入值 稳定 时短路 | 在 ES2015 中添加 ✅ |
Promise.any | 当存在输入值 fulfilled 时短路 | 在 ES2021 中添加 ✅ |
场景:现在页面上有三个请求,分别请求不同的数据,如果一个接口服务异常,整个都是失败的,都无法渲染出数据
我们需要一种机制,如果并发任务中,无论一个任务正常或者异常,都会返回对应的的状态,这就是Promise.allSettled
的作用
const promise1 = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve("promise1");
// reject("error promise1 ");
}, 3000);
});
};
const promise2 = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve("promise2");
// reject("error promise2 ");
}, 1000);
});
};
const promise3 = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
// resolve("promise3");
reject("error promise3 ");
}, 2000);
});
};
// Promise.all 会走到catch里面
Promise.all([promise1(), promise2(), promise3()])
.then((res) => {
console.log(res);
})
.catch((error) => {
console.log("error", error); // error promise3
});
// Promise.allSettled 不管有没有错误,三个的状态都会返回
Promise.allSettled([promise1(), promise2(), promise3()])
.then((res) => {
console.log(res);
// 打印结果
// [
// {status: 'fulfilled', value: 'promise1'},
// {status: 'fulfilled',value: 'promise2'},
// {status: 'rejected', reason: 'error promise3 '}
// ]
})
.catch((error) => {
console.log("error", error);
});
7、Dynamic Import(按需 import)
import()
可以在需要的时候,再加载某个模块
// import()方法放在click事件的监听函数之中,只有用户点击了按钮,才会加载这个模块。
button.addEventListener('click', event => {
import('./dialogBox.js')
.then(dialogBox => {
dialogBox.open();
})
.catch(error => {
/* Error handling */
})
});
模板字符串形式
const main = document.querySelector("main");
for (const link of document.querySelectorAll("nav > a")) {
link.addEventListener("click", e => {
e.preventDefault();
import(`./section-modules/${link.dataset.entryModule}.js`)
.then(module => {
module.loadPageInto(main);
})
.catch(err => {
main.textContent = err.message;
});
});
}
注意:
不要滥用动态导入(只有在必要情况下采用)。 静态框架能更好地初始化依赖,而且更有利于静态分析工具和
tree shaking
发挥作用。与静态
import
差异:
import()
可以从脚本中使用,而不仅仅是从模块中使用。- 如果
import()
在模块中使用,它可以出现在任何级别的任何地方,并且不会被提升。import()
接受任意字符串(此处显示了运行时确定的模板字符串),而不仅仅是静态字符串文字。- 模块中存在
import()
并不会建立依赖关系,在对包含的模块求值之前,必须先获取并求值依赖关系。import()
不建立可以静态分析的依赖关系(但是,在诸如import('./foo.js')
这样的简单情况下,实现可能仍然能够执行推测性抓取)。
8、import.meta
通常情况下,主机环境可以提供有用的模块特定信息,以便在模块内进行代码评估。
8.1、模块的 URL 或 文件名
在 Node.js 的 CommonJS 模块系统中通过作用域内 __filename
变量(及其对应的 __dirname
)提供的。这允许通过代码轻松解析相对于模块文件的资源,例如:
const fs = require("fs");
const path = require("path");
const bytes = fs.readFileSync(path.resolve(__dirname, "data.bin"));
如果没有可用的 _dirname
,像 fs.readFileSync('data.bin')
这样的代码将解析相对于当前工作目录的 data.bin
。这对于库作者来说通常是没有用的,因为他们将自己的资源与模块捆绑在一起,这些模块可以位于与 CWD 相关的任何位置。浏览器中也存在相似的行为,将文件名替换为 URL。
8.2、scrpit 标签引入资源
<script data-option="value" src="library.js"></script>
// 获取 data-option 的值如下
const theOption = document.currentScript.dataset.option;
8.3、mainModule
在 Node.js 中,通常的做法是通过以下代码来确定您是程序的 main
模块还是 entry
模块:
if (module === process.mainModule) {
// run tests for this library, or provide a CLI interface, or similar
}
注意:此特定公式如何依赖于将主机提供的作用域值模块与主机提供的全局值
process.mainModule
进行比较。
其他可设想的情况
- 其他
Node.js
方法,如module.children
或require.resolve()
- 关于模块所属
package
的信息,或者通过Node.js
的package.json
或web package
- 指向嵌入在
HTML
模块中的JavaScript
模块的包含DocumentFragment
的指针
ES12新特性(2021)
- 逻辑运算符和赋值表达式(||=、&&=、??=)
- String.prototype.replaceAll()
- Promise.any
- 数字分隔符
1、逻辑运算符和赋值表达式
1.1、&&=
x &&= y
等同于:x && (x = y)
;
当x为真时,x=y
let a = 1;
let b = 0;
a &&= 2;
console.log(a); // 2
b &&= 2;
console.log(b); // 0 (0与任何都是0)
1.2、||=
x ||= y
等同于:x || (x = y)
逻辑或赋值(x ||= y
)运算仅在x
为false时赋值。
const a = { duration: 50, title: '' };
a.duration ||= 10;
console.log(a.duration); // 50
a.title ||= 'title is empty.';
console.log(a.title); // "title is empty"
1.3、??=
x ??= y
等价于: x ?? (x = y)
;
(x ??= y
) 仅在x
是 nullish (null
或undefined
) 时对其赋值。
案例一:
const a = { duration: 50 };
a.duration ??= 10;
console.log(a.duration); // 50
a.speed ??= 25;
console.log(a.speed); // 25
案例二:
function config(options) {
options.duration ??= 100;
options.speed ??= 25;
return options;
}
config({ duration: 125 }); // { duration: 125, speed: 25 }
config({}); // { duration: 100, speed: 25 }
2、String.prototype.replaceAll()
replaceAll()
方法返回一个新字符串,新字符串中所有满足 pattern
的部分都会被replacement
替换。pattern
可以是一个字符串或一个RegExp
,replacement
可以是一个字符串或一个在每次匹配被调用的函数。原始字符串保持不变。
'aabbcc'.replaceAll('b', '.'); // 'aa..cc'
// 使用正则表达式搜索值时,它必须是全局的。
'aabbcc'.replaceAll(/b/, '.'); // TypeError: replaceAll must be called with a global RegExp
const queryString = 'q=query+string+parameters';
const withSpaces = queryString.replace(/+/g, ' ');
// 结合 String.split 和 Array.join:
const queryString = 'q=query+string+parameters';
const withSpaces = queryString.split('+').join(' ');
返回一个全新的字符串,所有符合匹配规则的字符都将被替换掉。
除了以下两种情况外,在其他所有情况下 String.prototype.replaceAll
行为都与 String.prototype.replace
相同:
- 如果
searchValue
是一个字符串,String.prototype.replace
只替换一次出现的searchValue
,而String.prototype.replaceAll
替换所有出现的searchValue
。 - 如果
searchValue
是非全局正则表达式,则String.prototype.replace
替换单个匹配项,而String.prototype.replaceAll
抛出异常。这样做是为了避免缺少全局标志(这意味着“不要全部替换”)和被调用方法的名称(强烈建议“全部替换”)之间的固有混淆。
const queryString = 'q=query+string+parameters';
const withSpaces = queryString.replaceAll('+', ' ');
3、Promise.any
方法接受一组 Promise 实例作为参数,包装成一个新的 Promise 实例返回
const promise1 = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve("promise1");
// reject("error promise1 ");
}, 3000);
});
};
const promise2 = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve("promise2");
// reject("error promise2 ");
}, 1000);
});
};
const promise3 = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve("promise3");
// reject("error promise3 ");
}, 2000);
});
};
Promise.any([promise1(), promise2(), promise3()])
.then((first) => {
// 只要有一个请求成功 就会返回第一个请求成功的
console.log(first); // 会返回promise2
})
.catch((error) => {
// 所有三个全部请求失败 才会来到这里
console.log("error", error);
});
只要参数实例有一个变成fulfilled
状态,包装实例就会变成fulfilled
状态;如果所有参数实例都变成rejected
状态,包装实例就会变成rejected
状态。
Promise.any()
跟Promise.race()
方法很像,只有一点不同,就是Promise.any()
不会因为某个 Promise 变成rejected
状态而结束,必须等到所有参数 Promise 变成rejected
状态才会结束。
4、数字分隔符
使用下划线 _
(U+005F)在数字间进行分隔。
// 十进制
const price1 = 1_000_000_000;
const price2 = 1000000000;
price1 === price2; // true
const float1 = 0.000_001;
const float2 = 0.000001;
float1 === float2; // true;
// 二进制
const nibbles1 = 0b1010_0001_1000_0101;
const nibbles2 = 0b1010000110000101;
nibbles1 === nibbles2; // true
// 十六进制
const message1 = 0xA1_B1_C1;
const message2 = 0xA1B1C1;
message1 === message2; // true
//BigInt
const big1 = 1_000_000_000n;
const big2 = 1000000000n;
big1 === big2; // true
番外:
promise1");
// reject("error promise1 ");
}, 3000);
});
};
const promise2 = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve("promise2");
// reject("error promise2 ");
}, 1000);
});
};
const promise3 = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve("promise3");
// reject("error promise3 ");
}, 2000);
});
};
Promise.any([promise1(), promise2(), promise3()])
.then((first) => {
// 只要有一个请求成功 就会返回第一个请求成功的
console.log(first); // 会返回promise2
})
.catch((error) => {
// 所有三个全部请求失败 才会来到这里
console.log("error", error);
});
只要参数实例有一个变成`fulfilled`状态,包装实例就会变成`fulfilled`状态;如果所有参数实例都变成`rejected`状态,包装实例就会变成`rejected`状态。
> `Promise.any()`跟`Promise.race()`方法很像,只有一点不同,就是`Promise.any()`不会因为某个 Promise 变成`rejected`状态而结束,必须等到所有参数 Promise 变成`rejected`状态才会结束。
## 4、数字分隔符
使用下划线 `_`(U+005F)在数字间进行分隔。
// 十进制
const price1 = 1_000_000_000;
const price2 = 1000000000;
price1 === price2; // true
const float1 = 0.000_001;
const float2 = 0.000001;
float1 === float2; // true;
// 二进制
const nibbles1 = 0b1010_0001_1000_0101;
const nibbles2 = 0b1010000110000101;
nibbles1 === nibbles2; // true
// 十六进制
const message1 = 0xA1_B1_C1;
const message2 = 0xA1B1C1;
message1 === message2; // true
//BigInt
const big1 = 1_000_000_000n;
const big2 = 1000000000n;
big1 === big2; // true
# 番外:
- [MDN](https://developer.mozilla.org/)
- [ECMAScript® 2016](https://www.ecma-international.org/ecma-262/7.0/)
- [ECMAScript® 2016 语言标准](https://github.com/w3c-html-ig-zh/es7)
- [ECMAScript® 2017](https://www.ecma-international.org/ecma-262/8.0/)
- [TC39直通车](https://github.com/tc39/proposal-async-await)