How to add a range of elements of an array to another array at a specific position in JavaScript

1 Answer

0 votes
let source = [10, 20, 30, 40, 50, 60, 70];
let target = [1, 2, 3, 4];

// Insert elements from index 2 to 5 (30, 40, 50) into `target` at position 1
let rangeToInsert = source.slice(2, 5);
target.splice(1, 0, ...rangeToInsert);

console.log(target); 
 
 
 
/*
run:
 
[
  1, 30, 40, 50,
  2,  3,  4
]
 
*/

 



answered Oct 17 by avibootz
...