JavaScript:如何加入/组合两个数组以连接成一个数组?

IT技术 javascript arrays
2021-01-27 04:33:11

我正在尝试将 javascript 中的 2 个数组合二为一。

var lines = new Array("a","b","c");
lines = new Array("d","e","f");

这是一个快速示例,我希望能够将它们组合起来,以便在读取第二行时,数组中的第 4 个元素将返回“d”

我该怎么做?

3个回答
var a = ['a','b','c'];
var b = ['d','e','f'];
var c = a.concat(b); //c is now an an array with: ['a','b','c','d','e','f']
console.log( c[3] ); //c[3] will be 'd'
@Matt 是的,因为它只是一个不跟踪其内容的数组。
2021-03-11 04:33:11
@geotheory 检查 underscorejs 有一个用于该 underscorejs.org 的减少功能;)
2021-03-11 04:33:11
你也可以这样做: const newArr = [...arr1, ...arr2];
2021-03-22 04:33:11
旧帖子,但对于现在使用谷歌搜索的任何人来说,@geotheory 的问题有一个简单的答案: Array.prototype.concat.apply([], [[1,2],[3,4],[5,6]])
2021-04-06 04:33:11
使用es6c=a.push(...b)
2021-04-06 04:33:11

使用现代 JavaScript 语法 -展开运算符

const a = ['a', 'b', 'c'];
const b = ['d', 'e', 'f'];

const c = [...a, ...b]; // c = ['a', 'b', 'c', 'd', 'e', 'f']

这也是当今在 JavaScript 中连接数组的最快方式。

使用本地 nodejs v16.4 进行速度测试。
对象传播速度提高 3 倍。

对象组合.js

export const ObjectCombining1 = (existingArray, arrayToAdd) => {
  const newArray = existingArray.concat(arrayToAdd);
  return newArray;
};

export const ObjectCombining2 = (existingArray, arrayToAdd) => {
  const newArray = [ ...existingArray, ...arrayToAdd ]
  return newArray
};

ObjectCombining.SpeedTest.js

import Benchmark from 'benchmark';

import * as methods from './ObjectCombining.js';

let suite = new Benchmark.Suite();

const existingArray = ['a', 'b', 'c'];
const arrayToAdd = ['d', 'e', 'f'];

Object.entries(methods).forEach(([name, method]) => {
  suite = suite.add(name, () => method(existingArray, arrayToAdd));

  console.log(name, '\n', method(existingArray, arrayToAdd),'\n');
});

suite
  .on('cycle', (event) => {
    console.log(`🏎  ${event.target}`);
  })
  .on('complete', function () {
    console.log(`\n🏁 ${this.filter('fastest').map('name')} is fastest.\n`);
  })
  .run({ async: false });

结果 结果