在 jQuery / JavaScript 中,如何删除数组元素?
类似的东西:
array.remove(array["key"]);
// or
array.remove("value")
答案 0 :(得分:24)
对于数组,请使用splice方法:
var array = [1, 2, 3, 4, 5];
array.splice(2, 1);
console.log(array); // [1, 2, 4, 5]
您可以创建自己的函数来删除(第一次出现)数组中的某个元素:
Array.prototype.remove = function(el) {
return this.splice(this.indexOf(el), 1);
}
var arr = [1, 2, 3, 4, 5];
arr.remove(4);
console.log(arr); // [1, 2, 3, 5]
如果您要从对象中删除项目,请使用delete
语法:
var a = {key1: 'val1', key2: 'val2'};
delete a.key1;
console.log(a); // {key2: 'val2'}
然而你又可以自己动手来处理这个问题:
Object.prototype.remove = function(el) {
if (this.hasOwnProperty(el)) {
delete this[el];
}
return this;
}
var a = {key1 : 'val1', key2: 'val2'};
a.remove('key1');
console.log(a); // {key2: 'val2'}
更新:
-1
,并且splice方法将删除最后一个元素(数组末尾的第一个元素)。谢谢,@ amnotiam!
function remove(collection, key) {
// if the collections is an array
if(collection instanceof Array) {
if(collection.indexOf(key) != -1) {
collection.splice(collection.indexOf(key), 1);
}
}
// it's an object
else if(collection.hasOwnProperty(key)) {
delete collection[key];
}
return collection;
};
当然,由于问题被标记为jquery
,我们可以将此函数添加为jquery插件:
(function($, global, undefined) {
$.removeElementFromCollection = function(collection,key) {
// if the collections is an array
if(collection instanceof Array) {
// use jquery's `inArray` method because ie8
// doesn't support the `indexOf` method
if($.inArray(key, collection) != -1) {
collection.splice($.inArray(key, collection), 1);
}
}
// it's an object
else if(collection.hasOwnProperty(key)) {
delete collection[key];
}
return collection;
};
})(jQuery, window);
然后像这样使用它:
var array = [1, 2, 3, 4, 5];
$.removeElementFromCollection(array, 2); // [1, 3, 4, 5]
var object = {1: 2, 3: 4};
$.removeElementFromCollection(object, 1); // {3: 4}
答案 1 :(得分:23)
根据您的代码判断,听起来您想要删除对象的属性,您可以使用delete
执行此操作:
var obj = { key: "value" };
delete obj["key"];
可以在MDN上找到有关使用JavaScript中的对象的非常有用的指南。
答案 2 :(得分:6)
var fruits = ["Banana", "Orange", "Apple", "Mango"];
fruits.splice(2, 1);
将从数组水果中移除1个项目,位置2,即Apple
答案 3 :(得分:2)
array["key"]
不是数组的关键(javascript中没有关联数组,如果你来自PHP它们可能看起来像它们,但它们是对象)但是对象的属性,我想你可以使用删除
delete array.key