我需要从一个React
组件状态的数组中删除一个元素。这意味着它是一个不可变的对象。
使用扩展语法很容易添加元素。
return {
...state,
locations: [...state.locations, {}]
};
删除有点棘手。我需要使用一个中间对象。
var l = [...state.locations]
l.splice(index, 1)
return {
...state,
locations: l
}
它使代码更加污垢和难以理解。
创建一个从中删除元素的新数组是否更容易或更简单?
答案 0 :(得分:8)
您可以使用点差和Array#slice:
的组合
const arr = ['a', 'b', 'c', 'd', 'e'];
const indexToRemove = 2; // the 'c'
const result = [...arr.slice(0, indexToRemove), ...arr.slice(indexToRemove + 1)];
console.log(result);

另一个选项是Array#filter:
const arr = ['a', 'b', 'c', 'd', 'e'];
const indexToRemove = 2; // the 'c'
const result = arr.filter((_, i) => i !== indexToRemove);
console.log(result);