I want to remove a range of elements from an array
:
var fruits = ["Banana", "Orange1", "Apple", "Banana", "Orange", "Banana", "Orange", "Mango", "Bananax", "Orangex"];
var a = fruits.indexOf("Apple");
var b = fruits.indexOf("Mango");
var removedCars = fruits.splice(a, b);
console.log(fruits);
So I am expecting:
["Banana", "Orange1", "Bananax", "Orangex"]
But the result is:
["Banana", "Orange1", "Orangex"]
Why is this happening?
Are there any faster and better ways of doing this?
The second param of Array.prototype.splice() is the number of elements to be removed and not an ending index.
You can see from the Array.prototype.splice() MDN Reference that:
Solution:
You need to calculate the number of elements between these two indexes, so use
(b - a) + 1
to get the correct count.Demo:
This is your code with the proper usage of
splice
: