var arr = [
{ name: "robin", age: 19 },
{ name: "tom", age: 29 },
{ name: "test", age: 39 }
];
我想删除像这样的数组项(数组原型方法):
arr.remove("name", "test"); // remove by name
arr.remove("age", "29"); // remove by age
目前,我是通过这种方法(使用jQuery)来实现的:
Array.prototype.remove = function(name, value) {
array = this;
var rest = $.grep(this, function(item){
return (item[name] != value);
});
array.length = rest.length;
$.each(rest, function(n, obj) {
array[n] = obj;
});
};
但我认为该解决方案存在性能问题,所以任何好主意?
答案 0 :(得分:7)
我希望jQuery奇怪命名的grep
具有合理的性能,并且在可用的情况下使用Array对象的内置filter
方法,因此该位可能没问题。我要改变的位是将过滤后的项目复制回原始数组的位:
Array.prototype.remove = function(name, value) {
var rest = $.grep(this, function(item){
return (item[name] !== value); // <- You may or may not want strict equality
});
this.length = 0;
this.push.apply(this, rest);
return this; // <- This seems like a jQuery-ish thing to do but is optional
};