array delete object javascript

JavaScript Array Delete Object

If you're working with JavaScript arrays, you may need to delete an object from an array. There are different approaches to delete an object from an array, and it depends on your specific use case:

Using the splice() Method

The splice() method can be used to delete an object from an array by specifying the index position and the number of elements to remove:


let myArray = [{name: 'John', age: 30}, {name: 'Jane', age: 25}, {name: 'Bob', age: 40}];
myArray.splice(1, 1); // remove the second element (index 1)
console.log(myArray); // [{name: 'John', age: 30}, {name: 'Bob', age: 40}]

The first argument of splice() is the index position of the element to start the removal, and the second argument is the number of elements to remove. If you only want to remove one element, you can use myArray.splice(index, 1).

Using the filter() Method

The filter() method can be used to create a new array without the object that needs to be removed:


let myArray = [{name: 'John', age: 30}, {name: 'Jane', age: 25}, {name: 'Bob', age: 40}];
myArray = myArray.filter((obj) => obj.name !== 'Jane');
console.log(myArray); // [{name: 'John', age: 30}, {name: 'Bob', age: 40}]

The filter() method creates a new array with all elements that pass the test implemented by the provided function. In this case, we use an arrow function to filter out the object with the name property equal to 'Jane'.

Using the delete Operator

The delete operator can be used to delete an object property, but it doesn't remove the element from the array:


let myArray = [{name: 'John', age: 30}, {name: 'Jane', age: 25}, {name: 'Bob', age: 40}];
delete myArray[1];
console.log(myArray); // [{name: 'John', age: 30}, undefined, {name: 'Bob', age: 40}]

As you can see, the element at index position 1 is not removed from the array, but it's set to undefined. Also, the length of the array is not affected by the delete operator.

Subscribe to The Poor Coder | Algorithm Solutions

Don’t miss out on the latest issues. Sign up now to get access to the library of members-only issues.
[email protected]
Subscribe