Remove Sub Array Item In Javascript
How would I remove the whole sub array item from the following array where id = 2 in JavaScript/jQuery? arr = [{ 'id': 1, 'name': 'Steve' },{ 'id': 2, 'name': 'Mar
Solution 1:
Try to use Array.prototype.filter
at this context,
var arr = [ {"id":1,"name":"Steve"} , {"id":2,"name":"Martin"} , {"id":3,"name":"Short"} ];
var newArr = arr.filter(function(itm){
return itm.id !== 2;
});
Solution 2:
You can iterate over array and use splice when you find id
var arr = [{"id": 1,"name": "Steve"},{"id": 2,"name": "Martin"},{"id": 3,"name": "Short"}];
for (var i=0; i<arr.length; ++i) {
if (arr[i].id == 2) {
arr.splice(i, 1);
}
}
alert(JSON.stringify(arr));
Solution 3:
Clear solution for your problem:
var newArr = arr.filter(function(el) { return el.id!= 2; });
console.log(newArr);
Solution 4:
This is how I have done it
var toRemove = "2";
var toKeep = [];
var arr = [ {"id":1,"name":"Steve"} , {"id":2,"name":"Martin"} , {"id":3,"name":"Short"} ];
var listOfItems = JSON.stringify(arr);
var splitItems = listOfItems.split('},');
for(var i = 0; i< splitItems.length; i++){
var details = splitItems[i].split(',');
if(details[0].split(':')[1] !== toRemove){
var people = {id:details[0].split(':')[1], name:details[1].split(':')[1].replace('}]', '')};
toKeep.push(people);
}
}
console.log(toKeep);
Post a Comment for "Remove Sub Array Item In Javascript"