EN
JavaScript - remove first n elements from array
0 points
In this article, we would like to show you how to remove first n elements from an array in JavaScript.
Quick solution:
xxxxxxxxxx
1
var array = ['a', 'b', 'c', 'd'];
2
var n = 2;
3
4
array.splice(0, n);
5
6
console.log(array); // [ 'c', 'd' ]
In this example, we create a reusable arrow function that removes the first n
elements from array
.
The number of elements to remove can't be greater than array.length
, otherwise the function returns unchanged array
.
xxxxxxxxxx
1
const removeElements = (array, n) => {
2
if (n < array.length) {
3
array.splice(0, n);
4
}
5
return array;
6
};
7
8
9
// Usage example
10
11
var array = ['a', 'b', 'c', 'd'];
12
var elementsToRemove = 2;
13
14
removeElements(array, elementsToRemove);
15
16
console.log(array); // [ 'c', 'd' ]