数组拼接方法

2022-01-17 13:56:19 浏览数 (1)

1、concat

代码语言:javascript复制
const a = [1, 2, 3, 4, 5]
const b = ['lucy', 'andy', 'bob']
const c = a.concat(b)
console.log(c)
// 输出结果,c是新数组,此时内存使用有c,a,b三个数组
// [1, 2, 3, 4, 5, 'lucy', 'andy', 'bob']
复制

2、for循环逐个添加

代码语言:javascript复制
const a = [1, 2, 3, 4, 5]
const b = ['lucy', 'andy', 'bob']
b.forEach(item => {
  a.push(item)
})
console.log(a)
// 输出结果,使用for循环往数组a中添加数据,没有新的数组创建,对于内存来说更优。
// [1, 2, 3, 4, 5, 'lucy', 'andy', 'bob']
复制

3、apply

代码语言:javascript复制
const a = [1, 2, 3, 4, 5]
const b = ['lucy', 'andy', 'bob']
a.push.apply(a, b)
console.log(a)
// 输出结果
// [1, 2, 3, 4, 5, 'lucy', 'andy', 'bob']
复制

4、push和ES6解构语法

代码语言:javascript复制
const a = [1, 2, 3, 4, 5]
const b = ['lucy', 'andy', 'bob']
a.push(...b)
console.log(a)
// 输出结果
// [1, 2, 3, 4, 5, 'lucy', 'andy', 'bob']
复制

5、ES6解构

代码语言:javascript复制
const a = [1, 2, 3, 4, 5]
const b = ['lucy', 'andy', 'bob']
const c = [...a, ...b]
console.log(c)
// 输出结果
// [1, 2, 3, 4, 5, 'lucy', 'andy', 'bob']
复制

0 人点赞