假设我有这样的代码:
var myArray = new Object();
myArray["firstname"] = "Bob";
myArray["lastname"] = "Smith";
myArray["age"] = 25;
现在如果我想删除“lastname”?....有什么等价物吗 (“姓”)myArray .remove () ?
(我需要元素消失,因为元素的数量很重要,我想保持东西干净。)
假设我有这样的代码:
var myArray = new Object();
myArray["firstname"] = "Bob";
myArray["lastname"] = "Smith";
myArray["age"] = 25;
现在如果我想删除“lastname”?....有什么等价物吗 (“姓”)myArray .remove () ?
(我需要元素消失,因为元素的数量很重要,我想保持东西干净。)
当前回答
这只是删除对象,但它仍然保持数组长度不变。
要从数组中移除元素,你需要做如下操作:
array.splice(index, 1);
其他回答
如果,出于某种原因,删除键不起作用(就像它对我不起作用一样),你可以将它拼接出来,然后过滤未定义的值:
// To cut out one element via arr.splice(indexToRemove, numberToRemove);
array.splice(key, 1)
array.filter(function(n){return n});
不要尝试连接它们,因为拼接返回删除的元素;
之前的回答都没有提到JavaScript一开始就没有关联数组这一事实——没有数组类型,参见typeof。
JavaScript拥有的是带有动态属性的对象实例。当属性与Array对象实例的元素混淆时,就一定会发生糟糕的事情:
问题
var elements = new Array()
elements.push(document.getElementsByTagName("head")[0])
elements.push(document.getElementsByTagName("title")[0])
elements["prop"] = document.getElementsByTagName("body")[0]
console.log("number of elements: ", elements.length) // Returns 2
delete elements[1]
console.log("number of elements: ", elements.length) // Returns 2 (?!)
for (var i = 0; i < elements.length; i++)
{
// Uh-oh... throws a TypeError when i == 1
elements[i].onmouseover = function () { window.alert("Over It.")}
console.log("success at index: ", i)
}
解决方案
要有一个通用的移除功能,而不会在你身上爆炸,请使用:
Object.prototype.removeItem = function (key) {
if (!this.hasOwnProperty(key))
return
if (isNaN(parseInt(key)) || !(this instanceof Array))
delete this[key]
else
this.splice(key, 1)
};
//
// Code sample.
//
var elements = new Array()
elements.push(document.getElementsByTagName("head")[0])
elements.push(document.getElementsByTagName("title")[0])
elements["prop"] = document.getElementsByTagName("body")[0]
console.log(elements.length) // Returns 2
elements.removeItem("prop")
elements.removeItem(0)
console.log(elements.hasOwnProperty("prop")) // Returns false as it should
console.log(elements.length) // returns 1 as it should
我们也可以把它当做一个函数。如果作为原型使用,Angular会抛出一些错误。谢谢@HarpyWar。它帮我解决了一个问题。
var removeItem = function (object, key, value) {
if (value == undefined)
return;
for (var i in object) {
if (object[i][key] == value) {
object.splice(i, 1);
}
}
};
var collection = [
{ id: "5f299a5d-7793-47be-a827-bca227dbef95", title: "one" },
{ id: "87353080-8f49-46b9-9281-162a41ddb8df", title: "two" },
{ id: "a1af832c-9028-4690-9793-d623ecc75a95", title: "three" }
];
removeItem(collection, "id", "87353080-8f49-46b9-9281-162a41ddb8df");
“数组”:
如果你知道索引:
array.splice(index, 1);
如果你知道这个值:
function removeItem(array, value) {
var index = array.indexOf(value);
if (index > -1) {
array.splice(index, 1);
}
return array;
}
得到最多好评的delete答案适用于对象,但不适用于实际数组。如果我使用删除,它从循环中删除元素,但保持元素为空,数组的长度不会改变。在某些情况下,这可能是一个问题。
例如,如果我在删除myArray后对myArray执行myArray. tostring(),它会创建一个空条目,即,。
你可以通过显式地将一个条目分配给'undefined'来从你的映射中删除它。就像你的情况:
myArray[“lastname”] = undefined;