1.2 KiB
1.2 KiB
title, type, language, tags, cover, excerpt, dateModified
| title | type | language | tags | cover | excerpt | dateModified | |
|---|---|---|---|---|---|---|---|
| Remove elements from array | snippet | javascript |
|
chill-surfing | Removes an element from an array without mutating it. | 2020-10-22T20:24:30+03:00 |
Has the same functionality as Array.prototype.splice(), but returning a new array instead of mutating the original array.
- Use
Array.prototype.slice()andArray.prototype.concat()to get an array with the new contents after removing existing elements and/or adding new elements. - Omit the second argument,
index, to start at0. - Omit the third argument,
delCount, to remove0elements. - Omit the fourth argument,
elements, in order to not add any new elements.
const shank = (arr, index = 0, delCount = 0, ...elements) =>
arr
.slice(0, index)
.concat(elements)
.concat(arr.slice(index + delCount));
const names = ['alpha', 'bravo', 'charlie'];
const namesAndDelta = shank(names, 1, 0, 'delta');
// [ 'alpha', 'delta', 'bravo', 'charlie' ]
const namesNoBravo = shank(names, 1, 1); // [ 'alpha', 'charlie' ]
console.log(names); // ['alpha', 'bravo', 'charlie']