天天看點

好消息ECMAScript 2023将新增的9個數組方法

作者:Echa攻城獅
好消息ECMAScript 2023将新增的9個數組方法

大家好,我是 Echa。

最近小編給老鐵們分享了很多關于JS相關的知識,咱們一起先回顧一下,有興趣的小夥伴們也可以看看:

推薦17個Javascript網絡請求和動畫庫工具類

推薦15個Javascript常用工具類

推薦Github排名前20的JavaScript開源項目

推薦19個Github熱門的TypeScript學習寶庫及項目

56個JavaScript 實用工具函數助你提升開發效率

ECMAScript 規範每年都會更新一次,正式标準化 JavaScript 語言的 ECMAScript 的下一次年度更新将在 2023 年 6 月左右獲得準許,這将是 ECMAScript 的第 14 版。

是以在 2023 年 3 月之前達到階段 4 的提案都将包含在 ECMAScript 2023 标準中。 對于一個提案,從提出到最後被納入 ECMAScript 标準,總共分為五步:

  • stage0(strawman):任何TC39的成員都可以送出。
  • stage1(proposal):進入此階段就意味着這一提案被認為是正式的了,需要對此提案的場景與API進行詳盡的描述。
  • stage2(draft):演進到這一階段的提案如果能最終進入到标準,那麼在之後的階段都不會有太大的變化,因為理論上隻接受增量修改。
  • state3(candidate):這一階段的提案隻有在遇到了重大問題才會修改,規範文檔需要被全面的完成。
  • state4(finished):這一階段的提案将會被納入到ES每年釋出的規範之中。

根據 Erick Wendel(微軟 MVP、谷歌開發專家、@nodejs合作者)的預測,ECMAScript 2023 可能會新增以下數組方法(3️⃣、4️⃣為所處提案階段):

  • 3️⃣ Array.prototype.toReversed()
  • 3️⃣ Array.prototype.toSorted()
  • 3️⃣ Array.prototype.toSpliced()
  • 3️⃣ Array.prototype.with()
  • 3️⃣ Array.prototype.group()
  • 3️⃣ Array.prototype.groupToMap()
  • 4️⃣ Array.prototype.findLast()
  • 4️⃣ Array.prototype.findLastIndex()
  • 3️⃣ Array.fromAsync()

下面就來看看這些方法是如何使用的吧!

1. 通過副本更改數組

通過副本更改數組的提案目前處于第 3 階段。該提案為數組和類型化數組提出了四種新的方法:

  • Array.prototype.toReversed()
  • Array.prototype.toSorted()
  • Array.prototype.toSpliced()
  • Array.prototype.with()
提案位址:https://github.com/tc39/proposal-change-array-by-copy

為什麼會有這個提案呢?我們知道,大多數的數組方法都是非破壞性的,也就是說,在數組執行該方法時,不會改變原數組,比如 filter() 方法:

const arr = ['a', 'b', 'b', 'a'];
const result = arr.filter(x => x !== 'b');
console.log(result); // ['a', 'a']
           

當然,也有一些是破壞性的方法,它們在執行時會改變原數組,比如 sort() 方法:

const arr = ['c', 'a', 'b'];
const result = arr.sort();
console.log(result); // ['a', 'b', 'c']
           

在數組的方法中,下面的方法是具有破壞性的:

  • reverse()
  • sort()
  • splice()

如果我們想要這些數組方法應用于數組而不改變它,可以使用下面任意一種形式:

const sorted1 = arr.slice().sort();
const sorted2 = [...arr].sort();
const sorted3 = Array.from(arr).sort();
           

可以看到,我們首先需要建立數組的副本,再對這個副本進行修改。

是以改提案就引入了這三個方法的非破壞性版本,是以不需要手動建立副本再進行操作:

  • reverse() 的非破壞性版本:toReversed()
  • sort() 非破壞性版本:toSorted(compareFn)
  • splice() 非破壞性版本:toSpliced(start, deleteCount, ...items)

該提案将這些函數屬性引入到 Array.prototype:

  • Array.prototype.toReversed() -> Array
  • Array.prototype.toSorted(compareFn) -> Array
  • Array.prototype.toSpliced(start, deleteCount, ...items) -> Array
  • Array.prototype.with(index, value) -> Array

除此之外,該提案還還提出了一個新的非破壞性方法:with()。該方法會以非破壞性的方式替換給定 index 處的數組元素,即 arr[index]=value 的非破壞性版本。

所有這些方法都将保持目标數組不變,并傳回它的副本并執行更改。這些方法适用于數組,也适用于類型化數組,即以下類的執行個體:

  • Int8Array
  • Uint8Array
  • Uint8ClampedArray
  • Int16Array
  • Uint16Array
  • Int32Array
  • Uint32Array
  • Float32Array
  • Float64Array
  • BigInt64Array
  • BigUint64Array

TypedArray是一種通用的固定長度緩沖區類型,允許讀取緩沖區中的二進制資料。其在WEBGL規範中被引入用于解決Javascript處理二進制資料的問題。類型化數組也是數組,隻不過其元素被設定為特定類型的值。

類型化數組的核心就是一個名為 ArrayBuffer 的類型。每個ArrayBuffer對象表示的隻是記憶體中指定的位元組數,但不會指定這些位元組用于儲存什麼類型的資料。通過ArrayBuffer能做的就是為了将來使用而配置設定一定數量的位元組。

這些提案也适用于元組,元組相當于不可變的數組。它們擁有數組的所有方法——除了破壞性的方法。是以,将後者的非破壞性版本添加到數組對元組是有幫助的,這意味着我們可以使用相同的方法來非破壞性地更改數組和元組。

(1)Array.prototype.toReversed()

toReversed() 是 reverse() 方法的非破壞性版本:

const arr = ['a', 'b', 'c'];
const result = arr.toReversed();
console.log(result); // ['c', 'b', 'a']
console.log(arr);    // ['a', 'b', 'c']
           

下面是 toReversed() 方法的一個簡單的 polyfill:

if (!Array.prototype.toReversed) {
  Array.prototype.toReversed = function () {
    return this.slice().reverse();
  };
}
           

(2)Array.prototype.toSorted()

toSorted() 是 sort() 方法的非破壞性版本:

const arr = ['c', 'a', 'b'];
const result = arr.toSorted();
console.log(result);  // ['a', 'b', 'c']
console.log(arr);     // ['c', 'a', 'b']
           

下面是 toSorted() 方法的一個簡單的 polyfill:

if (!Array.prototype.toSorted) {
  Array.prototype.toSorted = function (compareFn) {
    return this.slice().sort(compareFn);
  };
}
           

(3)Array.prototype.toSpliced()

splice() 方法比其他幾種方法都複雜,其使用形式:splice(start, deleteCount, ...items)。該方法會從從 start 索引處開始删除 deleteCount個元素,然後在 start 索引處開始插入item 中的元素,最後傳回已經删除的元素。

toSpliced 是 splice() 方法的非破壞性版本,它會傳回更新後的數組,原數組不會變化,并且我們無法再得到已經删除的元素:

const arr = ['a', 'b', 'c', 'd'];
const result = arr.toSpliced(1, 2, 'X');
console.log(result); // ['a', 'X', 'd']
console.log(arr);    // ['a', 'b', 'c', 'd']
           

下面是 toSpliced() 方法的一個簡單的 polyfill:

if (!Array.prototype.toSpliced) {
  Array.prototype.toSpliced = function (start, deleteCount, ...items) {
    const copy = this.slice();
    copy.splice(start, deleteCount, ...items);
    return copy;
  };
}
           

(4)Array.prototype.with()

with()方法的使用形式:with(index, value),它是 arr[index] = value 的非破壞性版本。

const arr = ['a', 'b', 'c'];
const result = arr.with(1, 'X');
console.log(result);  // ['a', 'X', 'c']
console.log(arr);     // ['a', 'b', 'c']
           

下面是 with() 方法的一個簡單的 polyfill:

if (!Array.prototype.with) {
  Array.prototype.with = function (index, value) {
    const copy = this.slice();
    copy[index] = value;
    return copy;
  };
}
           

2. 數組分組

(1)概述

在日常開發中,數組分組是一種極其常見的操作。是以,proposal-array-grouping 提案就提出了兩個新的數組方法:

  • array.group(callback, thisArg?)
  • array.groupToMap(callback, thisArg?)
提案位址:https://github.com/tc39/proposal-array-grouping

下面是這兩個方法的類型簽名:

Array<Elem>.prototype.group<GroupKey extends (string|symbol)>(
  callback: (value: Elem, index: number, array: Array<Elem>) => GroupKey,
  thisArg?: any
): {[k: GroupKey]: Array<Elem>}

Array<Elem>.prototype.groupToMap<GroupKey>(
  callback: (value: Elem, index: number, array: Array<Elem>) => GroupKey,
  thisArg?: any
): Map<GroupKey, Array<Elem>>
           

這兩個方法都用來對數組進行分組:

  • 輸入:一個數組;
  • 輸出:組,每個組都有一個組key,以及一個包含組成員的數組。

這兩個方法都會對數組進行周遊,它們會向其回調請求組鍵并将元素添加到相應的組中。這兩個方法在表示組的方式上有所不同:

  • group():将組存儲在對象中:組鍵存儲為屬性鍵,組成員存儲為屬性值;
  • groupToMap():将組存儲在 Map 中:組鍵存儲為 Map 鍵,組成員存儲為 Map 值。

那這兩個方法該如何選擇呢?我們知道,JavaScript 中對象是支援解構的,如果想要使用解構來擷取數組中的值,比如,對于上面對象,可以通過解構擷取三個不同組的值:

const {vegetables, fruit, meat} = result; 
           

而 Map 的好處就是它的 key 不限于字元串和symbol,更加自由。

(2)使用

下面來看幾個實用例子。假如執行 Promise.allSettled() 方法傳回的數組如下:

const settled = [
  { status: 'rejected', reason: 'Jhon' },
  { status: 'fulfilled', value: 'Jane' },
  { status: 'fulfilled', value: 'John' },
  { status: 'rejected', reason: 'Jaen' },
  { status: 'rejected', reason: 'Jnoh' },
];

const {fulfilled, rejected} = settled.group(x => x.status);

// fulfilled 結果如下:
[
  { status: 'fulfilled', value: 'Jane' },
  { status: 'fulfilled', value: 'John' },
]

// rejected 結果如下:
[
  { status: 'rejected', reason: 'Jhon' },
  { status: 'rejected', reason: 'Jaen' },
  { status: 'rejected', reason: 'Jnoh' },
]
           

在這個例子中,使用 group() 的效果會更好,因為可以使用解構輕松擷取需要組的值。

假如想要對以下數組中人根據國家進行分組:

const persons = [
  { name: 'Louise', country: 'France' },
  { name: 'Felix', country: 'Germany' },
  { name: 'Ava', country: 'USA' },
  { name: 'Léo', country: 'France' },
  { name: 'Oliver', country: 'USA' },
  { name: 'Leni', country: 'Germany' },
];

const result = persons.groupToMap((person) => person.country);

// result 的執行結果和以下 Map 是等價的:
new Map([
  [
    'France',
    [
      { name: 'Louise', country: 'France' },
      { name: 'Léo', country: 'France' },
    ]
  ],
  [
    'Germany',
    [
      { name: 'Felix', country: 'Germany' },
      { name: 'Leni', country: 'Germany' },
    ]
  ],
  [
    'USA',
    [
      { name: 'Ava', country: 'USA' },
      { name: 'Oliver', country: 'USA' },
    ]
  ],
])
           

在這個例子中,groupToMap() 是更好的選擇,因為我們可以在Map 中使用任何類型的鍵,而在對象中,鍵隻能是字元串或symbol。

(3)polyfill

下面來實作一下這兩個方法:

  • Array.prototype.group
Array.prototype.group = function (callback, thisArg) {
  const result = Object.create(null);
  for (const [index, elem] of this.entries()) {
    const groupKey = callback.call(thisArg, elem, index, this);
    if (! (groupKey in result)) {
      result[groupKey] = [];
    }
    result[groupKey].push(elem);
  }
  return result;
};
           
  • Array.prototype.groupToMap
Array.prototype.groupToMap = function (callback, thisArg) {
  const result = new Map();
  for (const [index, elem] of this.entries()) {
    const groupKey = callback.call(thisArg, elem, index, this);
    let group = result.get(groupKey);
    if (group === undefined) {
      group = [];
      result.set(groupKey, group);
    }
    group.push(elem);
  }
  return result;
};
           

3. 從尾到頭搜尋數組

(1)概述

在 JavaScript 中,通過 find() 和 findIndex() 查找數組中的值是一種常見做法。不過,這些方法從數組的開始進行周遊:

const array = [{v: 1}, {v: 2}, {v: 3}, {v: 4}, {v: 5}];

array.find(elem => elem.v > 3); // {v: 4}
array.findIndex(elem => elem.v > 3); // 3
           

如果要從數組的末尾開始周遊,就必須反轉數組并使用上述方法。這樣做就需要一個額外的數組操作。幸運的是,Wenlu Wang 和 Daniel Rosenwasser 關于findLast() 和 findLastIndex() 的 ECMAScript 提案解決了這一問題。該提案的一個重要原因就是:語義。

提案位址:https://github.com/tc39/proposal-array-find-from-last

(2)使用

它們的用法和find()、findIndex()類似,唯一不同的是它們是 從後向前 周遊數組,這兩個方法适用于數組和類數組。

  • findLast() 會傳回第一個查找到的元素,如果沒有找到,就會傳回 undefined;
  • findLastIndex() 會傳回第一個查找到的元素的索引。如果沒有找到,就會傳回 -1;
const array = [{v: 1}, {v: 2}, {v: 3}, {v: 4}, {v: 5}];

array.findLast(elem => elem.v > 3); // {v: 5}
array.findLastIndex(elem => elem.v > 3); // 4
array.findLastIndex(elem => elem.v > 5); // undefined
           

(3)polyfill

下面來實作一下這兩個方法:

  • Array.prototype.findLast
Array.prototype.findLast = function(arr, callback, thisArg) {
  for (let index = arr.length - 1; index >= 0; index--) {
    const value = arr[index];
    if (callback.call(thisArg, value, index, arr)) {
      return value;
    }
  }
  return undefined;
}
           
  • Array.prototype.findLastIndex
Array.prototype.findLastIndex = function(arr, callback, thisArg) {
  for (let index = arr.length - 1; index >= 0; index--) {
    const value = arr[index];
    if (callback.call(thisArg, value, index, arr)) {
      return index;
    }
  }
  return -1;
}
           

(4)參考源碼

lodash 中也提供了類似方法,下面是相關源碼:

  • findLast()
import findLastIndex from './findLastIndex.js'
import isArrayLike from './isArrayLike.js'

/**
 * This method is like `find` except that it iterates over elements of
 * `collection` from right to left.
 *
 * @since 2.0.0
 * @category Collection
 * @param {Array|Object} collection The collection to inspect.
 * @param {Function} predicate The function invoked per iteration.
 * @param {number} [fromIndex=collection.length-1] The index to search from.
 * @returns {*} Returns the matched element, else `undefined`.
 * @see find, findIndex, findKey, findLastIndex, findLastKey
 * @example
 *
 * findLast([1, 2, 3, 4], n => n % 2 == 1)
 * // => 3
 */
function findLast(collection, predicate, fromIndex) {
  let iteratee
  const iterable = Object(collection)
  if (!isArrayLike(collection)) {
    collection = Object.keys(collection)
    iteratee = predicate
    predicate = (key) => iteratee(iterable[key], key, iterable)
  }
  const index = findLastIndex(collection, predicate, fromIndex)
  return index > -1 ? iterable[iteratee ? collection[index] : index] : undefined
}

export default findLast
           
  • findLastIndex()
import baseFindIndex from './.internal/baseFindIndex.js'
import toInteger from './toInteger.js'

/**
 * This method is like `findIndex` except that it iterates over elements
 * of `collection` from right to left.
 *
 * @since 2.0.0
 * @category Array
 * @param {Array} array The array to inspect.
 * @param {Function} predicate The function invoked per iteration.
 * @param {number} [fromIndex=array.length-1] The index to search from.
 * @returns {number} Returns the index of the found element, else `-1`.
 * @see find, findIndex, findKey, findLast, findLastKey
 * @example
 *
 * const users = [
 *   { 'user': 'barney',  'active': true },
 *   { 'user': 'fred',    'active': false },
 *   { 'user': 'pebbles', 'active': false }
 * ]
 *
 * findLastIndex(users, ({ user }) => user == 'pebbles')
 * // => 2
 */
function findLastIndex(array, predicate, fromIndex) {
  const length = array == null ? 0 : array.length
  if (!length) {
    return -1
  }
  let index = length - 1
  if (fromIndex !== undefined) {
    index = toInteger(fromIndex)
    index = fromIndex < 0
      ? Math.max(length + index, 0)
      : Math.min(index, length - 1)
  }
  return baseFindIndex(array, predicate, index, true)
}

export default findLastIndex
           

4. Array.fromAsync

在 JavaScript 中内置了 Array.from 方法,它用于将類數組或者可疊代對象生成一個新的數組執行個體。在ECMAScript 2018中引入了異步可疊代對象。而JavaScript中一直缺少直接從異步可疊代對象生成數組的内置方法。

proposal-array-from-async 提案中提出來的 Array.fromAsync 方法就是為了解決這個問題而提出來的。

下面來看一個簡單的例子:

async function * asyncGen (n) {
  for (let i = 0; i < n; i++)
    yield i * 2;
}

// arr 将變為 [0, 2, 4, 6]`
const arr = [];
for await (const v of asyncGen(4)) {
  arr.push(v);
}

// 與上述方式是等價的
const arr = await Array.fromAsync(asyncGen(4));
           

Array.fromAsync 可以将異步疊代轉換為 promise,并将解析為新數組。在 promise 解析之前,它将從輸入值中建立一個異步疊代器,進行惰性的疊代,并将每個産生的值添加到新數組中。

與其他基于 Promise 的 API 一樣,Array.fromAsync 總是會立即傳回一個 promise。當 Array.fromAsync 的輸入在建立其異步或同步疊代器時引發錯誤時,則此 promise 狀态将被置為 rejected。

提案位址:https://github.com/tc39/proposal-array-from-async

繼續閱讀