Skip to content

Array(数组)

创建数组

1. 数组字面量

javascript
const fruits = ['apple', 'banana', 'orange'];
const numbers = [1, 2, 3, 4, 5];
const mixed = [1, 'hello', true, { name: 'John' }];

2. Array 构造函数

javascript
const arr1 = new Array(3); // [undefined, undefined, undefined]
const arr2 = new Array(1, 2, 3); // [1, 2, 3]

3. Array.from()

javascript
const str = 'hello';
const arr = Array.from(str); // ['h', 'e', 'l', 'l', 'o']

const set = new Set([1, 2, 3]);
const arr2 = Array.from(set); // [1, 2, 3]

数组方法

1. 修改数组

  • push(): 在数组末尾添加元素
  • pop(): 删除并返回数组最后一个元素
  • shift(): 删除并返回数组第一个元素
  • unshift(): 在数组开头添加元素
  • splice(): 删除、替换或添加元素
  • reverse(): 反转数组
  • sort(): 排序数组

2. 访问数组

  • indexOf(): 查找元素首次出现的位置
  • lastIndexOf(): 查找元素最后出现的位置
  • includes(): 检查数组是否包含某个元素
  • find(): 返回满足条件的第一个元素
  • findIndex(): 返回满足条件的第一个元素的索引

3. 遍历数组

  • forEach(): 遍历数组元素
  • map(): 映射数组元素
  • filter(): 过滤数组元素
  • reduce(): 归并数组元素
  • some(): 检查是否有元素满足条件
  • every(): 检查是否所有元素都满足条件

4. 数组转换

  • join(): 将数组转换为字符串
  • split(): 将字符串转换为数组
  • toString(): 将数组转换为字符串
  • toLocaleString(): 将数组转换为本地化字符串

高级用法

1. 数组解构

javascript
const [first, second, ...rest] = [1, 2, 3, 4, 5];
console.log(first); // 1
console.log(second); // 2
console.log(rest); // [3, 4, 5]

2. 展开运算符

javascript
const arr1 = [1, 2, 3];
const arr2 = [...arr1, 4, 5]; // [1, 2, 3, 4, 5]

3. 数组方法链式调用

javascript
const numbers = [1, 2, 3, 4, 5];
const result = numbers
    .filter(n => n > 2)
    .map(n => n * 2)
    .reduce((sum, n) => sum + n, 0);

性能考虑

  1. 使用 push()pop() 而不是 unshift()shift()
  2. 避免频繁创建新数组
  3. 使用 Set 去重
  4. 使用 TypedArray 处理大量数值数据
  5. 考虑使用 ArrayBuffer 处理二进制数据

常见问题

  1. 数组浅拷贝与深拷贝
  2. 数组去重方法
  3. 数组排序稳定性
  4. 稀疏数组的处理
  5. 数组方法对原数组的影响