替换元素中特定位置的元素而不改变它

时间:2016-06-27 18:23:02

标签: javascript arrays ecmascript-6 immutability

如何在不改变数组的情况下完成以下操作:

let array = ['item1'];
console.log(array); // ['item1']
array[2] = 'item2'; // array is mutated
console.log(array); // ['item1', undefined, 'item2']

在上面的代码中,array变量发生了变异。如何在不改变数组的情况下执行相同的操作?

8 个答案:

答案 0 :(得分:53)

您可以使用Object.assign

Object.assign([], array, {2: newItem});

答案 1 :(得分:7)

您可以简单地设置一个新数组:

const newItemArray = array.slice();

然后设置您希望具有值的索引的值。

newItemArray[position] = newItem

并返回。中间索引下的值将为undefined

或明显的选择是:

Object.assign([], array, {<position_here>: newItem});

答案 2 :(得分:6)

嗯,从技术上讲,这不会是替换,因为您正在更改的索引中没有项目。

看看它是如何在Clojure中处理的 - 这是一种围绕不可变数据结构的规范实现构建的语言。

(assoc [1] 2 3)
;; IndexOutOfBoundsException

它不仅失败了,而且崩溃了。这些数据结构设计得尽可能健壮,当您遇到这些类型的错误时,通常不是因为您发现了边缘情况,而是更可能是您使用了错误的数据结构。

如果您要使用稀疏数组,那么请考虑使用对象或贴图对它们进行建模。

let items = { 0: 1 };
{ ...items, 2: 3 };
// => { 0: 1, 2: 3 }

let items = new Map([ [0, 1] ]);
items(2, 3);
// => Map {0 => 1, 2 => 3}

但是,Map是一个根本可变的数据结构,因此您需要将其替换为具有Immutable.jsMori等库的不可变变体。

let items = Immutable.Map([ [0, 2] ]);
items.set(2, 3);
// => Immutable.Map {0 => 1, 2 => 3}

let items = mori.hashMap();
mori.assoc(items, 2, 3);
// => mori.hashMap {0 => 1, 2 => 3}

当然,想要使用JavaScript的数组可能有一个很好的理由,所以这里有一个很好的衡量标准。

function set(arr, index, val) {
  if(index < arr.length) {
    return [
      ...arr.slice(0, position),
      val,
      ...arr.slice(position + 1)
    ];
  } else {
    return [
      ...arr,
      ...Array(index - arr.length),
      val
    ];
  }
}

答案 3 :(得分:3)

快速方式

function replaceAt(array, index, value) {
  const ret = array.slice(0);
  ret[index] = value;
  return ret;
}

请参阅JSPerf(感谢@Bless

相关帖子:

答案 4 :(得分:2)

以下是我想要做的事情:

function update(array, newItem, atIndex) {
    return array.map((item, index) => index === atIndex ? newItem : item);
}

通常,数组扩展操作会为您生成很少的临时数组,但map没有,所以它可以更快。您还可以将this discussion视为参考

答案 5 :(得分:1)

&#13;
&#13;
var list1 = ['a','b','c'];
var list2 = list1.slice();
list2.splice(2, 0, "beta", "gamma");
console.log(list1);
console.log(list2);
&#13;
&#13;
&#13;

这是你想要的吗?

答案 6 :(得分:0)

另一种方法可能是将散布运算符与slice一起使用

let newVal = 33, position = 3;
let arr = [1,2,3,4,5];
let newArr = [...arr.slice(0,position - 1), newVal, ...arr.slice(position)];
console.log(newArr); //logs [1, 2, 33, 4, 5]
console.log(arr); //logs [1, 2, 3, 4, 5]

答案 7 :(得分:0)

这个怎么样:

const newArray = [...array]; // make a copy of the original array
newArray[2] = 'item2'; // mutate the copy

我发现意图比单行更清晰:

const newArray = Object.assign([...array], {2: 'item2'});