ES6(2015)
- 類(class)
class Man {
constructor(name) {
this.name = '小豪';
}
console() {
console.log(this.name);
}
}
const man = new Man('小豪');
man.console(); // 小豪
- 模塊化(ES Module)
// 模塊 A 導出一個方法
export const sub = (a, b) => a + b;
// 模塊 B 導入使用
import { sub } from './A';
console.log(sub(1, 2)); // 3
- 箭頭(Arrow)函數
const func = (a, b) => a + b;
func(1, 2); // 3
- 函數參數默認值
function foo(age = 25,){ // ...}
- 模板字符串
const name = '小豪';
const str = `Your name is ${name}`;
- 解構賦值
let a = 1, b= 2;
[a, b] = [b, a]; // a 2 b 1
- 延展操作符
let a = [...'hello world']; // ["h", "e", "l", "l", "o", " ", "w", "o", "r", "l", "d"]
- 對象屬性簡寫
onst name='小豪',
const obj = { name };
- Promise
Promise.resolve().then(() => { console.log(2); });
console.log(1);
// 先打印 1 ,再打印 2
- let和const
let name = '小豪';
const arr = [];
ES7(2016)
- Array.prototype.includes()
[1].includes(1); // true
- 指數操作符
2**10; // 1024
ES8(2017)
- async/await
異步終極解決方案
async getData(){
const res = await api.getTableData(); // await 異步任務
// do something
}
- Object.values()
Object.values({a: 1, b: 2, c: 3}); // [1, 2, 3]
- Object.entries()
Object.entries({a: 1, b: 2, c: 3}); // [["a", 1], ["b", 2], ["c", 3]]
- String padding
// padStart
'hello'.padStart(10); // " hello"
// padEnd
'hello'.padEnd(10) "hello "
-
函數參數列表結尾允許逗號
-
Object.getOwnPropertyDescriptors()
獲取一個對象的所有自身屬性的描述符,如果沒有任何自身屬性,則返回空對象。 -
SharedArrayBuffer對象
SharedArrayBuffer 對象用來表示一個通用的,固定長度的原始二進制數據緩沖區,
/**
*
* @param {*} length 所創建的數組緩沖區的大小,以字節(byte)為單位。
* @returns {SharedArrayBuffer} 一個大小指定的新 SharedArrayBuffer 對象。其內容被初始化為 0。
*/
new SharedArrayBuffer(10)
- Atomics對象
Atomics 對象提供了一組靜態方法用來對 SharedArrayBuffer 對象進行原子操作。
ES9(2018)
await可以和for...of循環一起使用,以串行的方式運行異步操作
async function process(array) {
for await (let i of array) {
// doSomething(i);
}
}
- Promise.finally()
Promise.resolve().then().catch(e => e).finally();
- Rest/Spread 屬性
const values = [1, 2, 3, 5, 6];
console.log( Math.max(...values) ); // 6
- 正則表達式命名捕獲組
const reg = /(?<year>[0-9]{4})-(?<month>[0-9]{2})-(?<day>[0-9]{2})/;
const match = reg.exec('2021-02-23');

- 正則表達式反向斷言
(?=p)、(?<=p) p 前面(位置)、p 后面(位置)
(?!p)、(?<!p>) 除了 p 前面(位置)、除了 p 后面(位置)
(?<=w)

(?<!w)

- 正則表達式dotAll模式
正則表達式中點.匹配除回車外的任何單字符,標記s改變這種行為,允許行終止符的出現
/hello.world/.test('hello\nworld'); // false

ES10(2019)
- Array.flat()和Array.flatMap()
flat()
[1, 2, [3, 4]].flat(Infinity); // [1, 2, 3, 4]
flatMap()
[1, 2, 3, 4].flatMap(a => [a**2]); // [1, 4, 9, 16]
-
String.trimStart()和String.trimEnd()
去除字符串首尾空白字符 -
String.prototype.matchAll
matchAll()為所有匹配的匹配對象返回一個迭代器
const raw_arr = 'test1 test2 test3'.matchAll((/t(e)(st(\d?))/g));
const arr = [...raw_arr];
- Symbol.prototype.description
只讀屬性,回 Symbol 對象的可選描述的字符串。
Symbol('description').description; // 'description'
- Object.fromEntries()
返回一個給定對象自身可枚舉屬性的鍵值對數組
// 通過 Object.fromEntries, 可以將 Map 轉化為 Object:
const map = new Map([ ['foo', 'bar'], ['baz', 42] ]);
console.log(Object.fromEntries(map)); // { foo: "bar", baz: 42 }
- 可選 Catch
ES11(2020)
- Nullish coalescing Operator(空值處理)
表達式在 ?? 的左側 運算符求值為undefined或null,返回其右側。
let user = {
u1: 0,
u2: false,
u3: null,
u4: undefined
u5: '',
}
let u2 = user.u2 ?? '用戶2' // false
let u3 = user.u3 ?? '用戶3' // 用戶3
let u4 = user.u4 ?? '用戶4' // 用戶4
let u5 = user.u5 ?? '用戶5' // ''
- Optional chaining(可選鏈)
?.用戶檢測不確定的中間節點
let user = {}
let u1 = user.childer.name // TypeError: Cannot read property 'name' of undefined
let u1 = user.childer?.name // undefined
- Promise.allSettled
返回一個在所有給定的promise已被決議或被拒絕后決議的promise,並帶有一個對象數組,每個對象表示對應的promise結果
const promise1 = Promise.resolve(3);
const promise2 = 42;
const promise3 = new Promise((resolve, reject) => reject('我是失敗的Promise_1'));
const promise4 = new Promise((resolve, reject) => reject('我是失敗的Promise_2'));
const promiseList = [promise1,promise2,promise3, promise4]
Promise.allSettled(promiseList)
.then(values=>{
console.log(values)
});

-
import()
按需導入 -
新基本數據類型BigInt
任意精度的整數 -
globalThis
- 瀏覽器:window
- worker:self
- node:global
ES12
- 新的邏輯運算符
- &&=
- ||=
- ??=
- &&=
在深入解釋之前,先看看下面給出的示例代碼:
let a = 1;
let b = 2;
a &&= b;
console.log(a) // 變量 'a' 的輸出為 2。
該行a&&= b類似於下面給出的代碼塊:
if(a) {
a = b;
}
這個邏輯運算符是說,如果變量a有一個真值(因為它持有一個非零值),那么a應該為變量b分配的值。這就是為什么當我們這樣做時console.log(a),變量的值a計算為 2 而不是 1。
- ||=
考慮下面給出的以下代碼塊:
let a = 1;
let b = 2;
a ||= b;
console.log(b); // 變量 'a' 的輸出為 1。
該運算符與&&=運算符相反。在這種情況下,變量a將僅等於變量b並且僅當變量a具有假值時。上面的代碼塊相當於下面給出的代碼:
if (!a) {
a = b;
}
- ??=
此運算符檢查值是null還是undefined。考慮以下示例:
let a;
let b = 2;
a ??= 1;
console.log(a) // 變量 'a' 的輸出為 1。
// 此代碼塊類似於上面給出的代碼。
// if(a === null || a === undefined) {
// a = 1
// }
在給定的示例中,變量 'a' 的值計算為undefined因此,if條件計算為true並且 'a' 被賦值為 1。
- 字符串 'replaceAll' 方法
我們都使用過 stringreplace方法將字符串中的一個或多個單詞替換為我們指定的元素。但它有一個限制,這種方法只替換了我們想要替換的字符或單詞的第一次出現,而字符串中的其余出現次數保持不變。要替換所有字符或單詞,我們必須使用正則表達式。
例子:
// without regex
let str = 'JS is everywhere. JS is amazing!';
console.log(str.replace('JS', 'JavaScript')); // the output would be 'JavaScript is everywhere. JS is amazing!'
// with regex
let str = 'JS is everywhere. JS is amazing!';
console.log(str.replace(/JS/g, 'JavaScript')); // the output would be 'JavaScript is everywhere. JavaScript is amazing!'.
使用該replaceAll方法,消除了對正則表達式的需要。請看下面的代碼:
let str = 'JS is everywhere. JS is amazing!';
console.log(str.replaceAll('JS', 'JavaScript')); // the output would be 'JavaScript is everywhere. JavaScript is amazing!'.
- 使用下划線作為整數的分隔符
整數是字符串、數組等中的一種數據類型。有時整數變得如此之大,以至於計算存在的元素數量或計算出該數字是一百萬或十億幾乎變得困難。
通過引入此功能,我們可以提高整數的可讀性。我們可以使用下划線來分隔數字,而無需將數據類型轉換為字符串。例子:
let number = 1_000_000_000; // one billion
console.log(number) // 1000000000 (the number would remain an integer)
- 'Promise.any()'
Promise詳解
Promise.any()是一個新特性,它接受幾個可迭代的承諾並返回第一個履行的承諾。例子:
const p1 = new Promise(resolve => setTimeout(resolve, 500, 'First'));
const p2 = new Promise(resolve => setTimeout(resolve, 800, 'Second'));
const p3 = Promsie.reject(1);
const promises = [p1, p2, p3];
Promise.any(promises)
.then(result => {
console.log(result);
}) // the result would be 'First' because that's the promise, that is fulfilled first.
.catch(e => {
console.log(e);
})
如果沒有一個承諾得到履行,那么我們將得到一個AggregateError. 為了處理AggregateError,我們將在catch語句之后定義一個then語句。
then&catch的使用
- WeakRef and Finalizers
WeakRef是“弱引用”的縮寫。WeakRef允許持有對對象的弱引用。被持有的弱引用稱為“目標”。弱引用不會阻止對象被垃圾收集器回收。
垃圾收集是一種收集不再需要的變量的方法,從而釋放計算機的內存。垃圾收集地址
注意:WeakRef只應在特定情況下使用,並應盡可能避免使用。
讓我們通過一個例子來理解:
const weakRefFunc = () => {
const obj = new WeakRef({
name: 'JavaScript'
});
console.log(obj.deref().name);
}
const test = () => {
new Promise(resolve => {
setTimeout(() => {
weakRefFunc();
resolve();
}, 3000)
})
new Promise(resolve => {
setTimeout(() => {
weakRefFunc();
resolve();
}, 5000)
})
}
test();
該deref方法返回被持有的目標,如果目標被垃圾回收,則返回undefined。
在這個例子中,變量obj是被持有的弱引用。
第一次在函數weakrefFunc內部test調用時,保證會打印“JavaScript”,但第二次調用時,不能保證會打印“JavaScript”,因為變量obj可能會被垃圾回收將其視為弱引用。
Finalizers
Finalizers主要用於搭配,WeakRef但也可以單獨使用。Finalizers告訴對象何時被垃圾回收。讓我們通過一個例子來理解這一點:
→ 首先,我們將使用該FinalizationRegistry方法創建Finalizers。
const registerFinalizer = new FinalizationRegistry(data => console.log(data));
const obj = {'name': 'JavaScript'};
registerFinalizer.register(obj, 'obj is collected now!')
現在,變量registerFinalizer是一個包含register我們將要使用的方法的對象。
registerFinalizer.register需要 2 個參數。第一個是垃圾回收要監視的對象,第二個是我們希望在對象被垃圾回收時向控制台顯示的消息。
現在,當obj垃圾收集器收集變量時,會顯示一條消息“obj is collected now!” 將打印到控制台。
- 參考地址
ES6、ES7、ES8、ES9、ES10新特性一覽
https://juejin.cn/post/6844903811622912014
ES11新特性介紹
https://juejin.cn/post/6844904180855881736
JavaScript ES12新特性
https://javascript.plainenglish.io/javascript-2021-new-features-429bc050f4e8
持續更新......
