Problem:
How can you change the index of multiple objects within an array of 100 objects? In my case I would like to push them to the end of the array.
I have fetched a json array that contains over 100 objects, each with their own properties including a number property for each object that can be used to filter.
Attempts
- I tried populating a variable using .splice to remove the specific array objects. Although .push wont accept that variable.
- Also tried .slice but couldn’t push the sliced objects to the end.
- Also tried to loop through the original array using a for loop and an if statement with the condition of each objects “number” property.
Code: (the fetch is a success, only issue is the restructure of the array itself)
JavaScript
x
6
1
elementsArray.value = await data.json();
2
3
let removedElements = elementsArray.value.slice(56,71);
4
5
elementsArray.value.push(removedElements);
6
Advertisement
Answer
With
slice
, the original array will not be modified. Usesplice
instead.push
accepts one or more elements. so use spread syntax
JavaScript
1
11
11
1
const animals = ['ant', 'bison', 'camel', 'duck', 'elephant']
2
3
const removedElements = animals.splice(2, 2)
4
5
animals.push(removedElements)
6
7
// some other alternatives
8
// Array.prototype.push.apply(animals, removedElements)
9
// animals.concat(removedElements)
10
11
console.log(animals)