做这两个有什么实质性的区别吗?
delete a.x;
对比
a.x = undefined;
在哪里
a = {
x: 'boo'
};
可以说它们是等价的吗?
(我没有考虑诸如“V8 不喜欢使用delete
更好的东西”之类的东西)
做这两个有什么实质性的区别吗?
delete a.x;
对比
a.x = undefined;
在哪里
a = {
x: 'boo'
};
可以说它们是等价的吗?
(我没有考虑诸如“V8 不喜欢使用delete
更好的东西”之类的东西)
它们不是等价的。主要区别在于设置
a.x = undefined
意味着a.hasOwnProperty("x")
仍然会返回true,因此,它仍然会出现在一个for in
循环中,并且在Object.keys()
delete a.x
意味着a.hasOwnProperty("x")
将返回 false
它们相同的方式是您无法通过测试来判断属性是否存在
if (a.x === undefined)
如果您试图确定属性是否存在,则不应该这样做,您应该始终使用
// If you want inherited properties
if ('x' in a)
// If you don't want inherited properties
if (a.hasOwnProperty('x'))
跟随原型链(由zzzzBov提到)调用delete
将允许它沿着原型链向上,而将值设置为 undefined 将不会在链式原型中查找属性http://jsfiddle.net/NEEw4/1/
var obj = {x: "fromPrototype"};
var extended = Object.create(obj);
extended.x = "overriding";
console.log(extended.x); // overriding
extended.x = undefined;
console.log(extended.x); // undefined
delete extended.x;
console.log(extended.x); // fromPrototype
删除继承的属性如果您尝试删除的属性是继承的,delete
则不会影响它。也就是说,delete
只删除对象本身的属性,不删除继承的属性。
var obj = {x: "fromPrototype"};
var extended = Object.create(obj);
delete extended.x;
console.log(extended.x); // Still fromPrototype
因此,如果您需要确保对象的值未定义,delete
并且在继承属性时不起作用,则undefined
在这种情况下您必须设置(覆盖)它。除非检查它的地方会使用hasOwnProperty
,但假设检查它的所有地方都会使用它可能是不安全的hasOwnProperty
解释一下这个问题:
是
delete a.x
和a.x = undefined
等价的吗?
前者从变量中删除键,后者设置键的值为undefined
。这在迭代对象的属性时以及何时hasOwnProperty
使用时会有所不同。
a = {
x: true
};
a.x = undefined;
a.hasOwnProperty('x'); //true
delete a.x;
a.hasOwnProperty('x'); //false
此外,当涉及原型链时,这将产生重大影响。
function Foo() {
this.x = 'instance';
}
Foo.prototype = {
x: 'prototype'
};
a = new Foo();
console.log(a.x); //'instance'
a.x = undefined;
console.log(a.x); //undefined
delete a.x;
console.log(a.x); //'prototype'
如果a.x
是 setter 函数,a.x = undefined
将调用该函数delete a.x
而不调用该函数。
是,有一点不同。如果你使用delete a.x
x 不再是 a 的一个属性,但如果你使用a.x=undefined
它是一个属性但它的值是未定义的。
名字有点混乱。a.x = undefined
只是将属性设置为undefined
,但该属性仍然存在:
> var a = {x: 3};
> a.x = undefined;
> a.constructor.keys(a)
["x"]
delete
实际上删除它:
> var a = {x: 3};
> delete a.x;
> a.constructor.keys(a)
[]