EN
JavaScript - insert many elements to array
9 points
In JavaScript, it is not intuitive to insert elements to an array starting from some index position. The insert operation can be achieved with Array.prototype.splice
method. This article is focused on how to do it.
In this example, we use Array.prototype.splice
method to insert elements starting from some index position.
xxxxxxxxxx
1
// index: 0 1 2 3
2
var array = ['a', 'b', 'c', 'd'];
3
4
// inserting into 1st index position, 1 element, 'new item' element
5
array.splice(1, 0, 'new item 1', 'new item 2', 'new item 3', 'new item N');
6
7
console.log(array);
Output:
xxxxxxxxxx
1
[
2
'a',
3
'new item 1',
4
'new item 2',
5
'new item 3',
6
'new item N',
7
'b',
8
'c',
9
'd'
10
]
Notes about
Array.prototype.splice
method:
- takes as the first argument index into 1st index position,
- takes as the second argument number of removed elements - in this case we do not remove elements,
- takes as the third and next arguments elements that will be added - number of elements is not limited.