我一直在尝试几种方法,如何在一个数组中找到一个对象,其中ID = var,如果找到,从数组中删除对象,并返回新的对象数组。

数据:

[
    {"id":"88","name":"Lets go testing"},
    {"id":"99","name":"Have fun boys and girls"},
    {"id":"108","name":"You are awesome!"}
]

我能够搜索数组使用jQuery $grep;

var id = 88;

var result = $.grep(data, function(e){
     return e.id == id;
});

但是,当id == 88时,如何删除整个对象,并返回如下数据?

数据:

[
    {"id":"99", "name":"Have fun boys and girls"},
    {"id":"108", "name":"You are awesome!"}
]

当前回答

在ES6/2015中有一个新方法,使用findIndex和数组展开操作符来做到这一点:

const index = data.findIndex(obj => obj.id === id);
const newData = [
    ...data.slice(0, index),
    ...data.slice(index + 1)
]

你可以像这样把它转换成一个函数供以后重用:

function remove(array, key, value) {
    const index = array.findIndex(obj => obj[key] === value);
    return index >= 0 ? [
        ...array.slice(0, index),
        ...array.slice(index + 1)
    ] : array;
}

这样,你可以使用一个方法删除不同键的项(如果没有符合条件的对象,你会返回原始数组):

const newData = remove(data, "id", "88");
const newData2 = remove(data, "name", "You are awesome!");

或者你可以把它放在你的Array.prototype上:

Array.prototype.remove = function (key, value) {
    const index = this.findIndex(obj => obj[key] === value);
    return index >= 0 ? [
        ...this.slice(0, index),
        ...this.slice(index + 1)
    ] : this;
};

然后这样用:

const newData = data.remove("id", "88");
const newData2 = data.remove("name", "You are awesome!");

其他回答

var items = [
  {"id":"88","name":"Lets go testing"},
  {"id":"99","name":"Have fun boys and girls"},
  {"id":"108","name":"You are awesome!"}
];

如果你用的是jQuery,那就用jQuery吧。Grep是这样的:

items = $.grep(items, function(item) { 
  return item.id !== '88';
});
// items => [{ id: "99" }, { id: "108" }]

使用ES5 Array.prototype.filter:

items = items.filter(function(item) { 
  return item.id !== '88'; 
});
// items => [{ id: "99" }, { id: "108" }]

如果测试严格相等,请确保将对象id强制为整数:

var result = $.grep(data, function(e, i) { 
  return +e.id !== id;
});

Demo

我同意前面的答案。如果你想通过id找到一个对象并删除它,一个简单的方法就像下面的代码:

var obj = JSON.parse(data);
var newObj = obj.filter(item => item.Id != 88);

下面是一个解决方案,如果你没有使用jQuery:

myArray = myArray.filter(function( obj ) {
  return obj.id !== id;
});

我可以grep数组的id,但我怎么能删除整个对象的id == 88

简单地通过相反的谓词进行过滤:

var data = $.grep(data, function(e){ 
     return e.id != id; 
});