探索JavaScript数组操作的多种方法

发表时间: 2023-11-04 18:53

JavaScript 提供了多种方法来操作数组,通常可以将这些方法分为增加、删除、修改和查询操作,下面将详细说明并按照这些分类举例:

增加数组元素:

push():将一个或多个元素添加到数组的末尾,返回数组的最新长度

const arr = [1, 2, 3];arr.push(4); // [1, 2, 3, 4]

unshift():将一个或多个元素添加到数组的开头,返回新的数组长度

const arr = [2, 3, 4];arr.unshift(1); // [1, 2, 3, 4]

concat() :用于合并数组或者元素:

const arr1 = [1, 2, 3];const arr2 = [4, 5, 6];const arr3 = [7, 8, 9];const combined = arr1.concat(arr2, arr3);// combined = [1, 2, 3, 4, 5, 6, 7, 8, 9]

删除数组元素:

pop():移除数组的最后一个元素并返回该元素。

const arr = [1, 2, 3, 4];const removed = arr.pop(); // removed = 4, arr = [1, 2, 3]

shift():移除数组的第一个元素并返回该元素。

const arr = [1, 2, 3, 4];const removed = arr.shift(); // removed = 1, arr = [2, 3, 4]

修改数组元素:

splice(): 方法会在指定的 start 索引位置开始操作数组,并返回一个包含被删除元素的新数组,原始数组也会被修改。

array.splice(start, deleteCount, item1, item2, ...);
  • start:必需,指定要开始操作的索引位置。
  • deleteCount:可选,指定要删除的元素个数。如果不指定或指定为0,则不删除任何元素。
  • item1, item2, ...:可选,要插入到数组中的元素。你可以在 start 索引位置之后插入任意数量的元素。
// 删除const arr = [1, 2, 3, 4, 5];// 从索引1开始删除2个元素const removed = arr.splice(1, 2); // arr = [1, 4, 5], removed = [2, 3]// 替换const arr = [1, 2, 3, 4, 5];// 从索引2开始删除2个元素,并插入 'A'  'B'const.splice(2, 2, 'A', 'B'); // arr = [1, 2, 'A', 'B', 5]// 插入const arr = [1, 2, 3, 4, 5];// 从索引2开始删除0个元素,并插入 'A'  'B'arr.splice(2, 0, 'A', 'B'); // arr = [1, 2, 'A', 'B', 3, 4, 5]// 删除并获取元素const arr = [1, 2, 3, 4, 5];// 从索引1开始删除3个元素,并获取被删除的元素const removed = arr.splice(1, 3); // arr = [1, 5], removed = [2, 3, 4]

查询数组元素:

indexOf():查找指定元素在数组中第一次出现的索引。

const arr = [1, 2, 3, 4, 2];const index = arr.indexOf(2); // index = 1

lastIndexOf():查找指定元素在数组中最后一次出现的索引。

const arr = [1, 2, 3, 4, 2];const index = arr.lastIndexOf(2); // index = 4

includes():检查数组是否包含指定元素。

const arr = [1, 2, 3, 4];const includes2 = arr.includes(2); // includes2 = true

find()findIndex():根据条件查找数组中的元素和其索引。

const arr = [{ id: 1, name: 'Alice' }, { id: 2, name: 'Bob' }];const result = arr.find(item => item.id === 2); // result = { id: 2, name: 'Bob' }const index = arr.findIndex(item => item.id === 2); // index = 1

这些方法允许你以不同的方式操作数组,使你能够添加、删除、修改和查询数组元素,以满足各种需求。根据具体情况选择适当的方法来操作数组。