给定对象obj
,我如何断言其属性prop
是不可配置的?
首先,我认为我可以使用getOwnPropertyDescriptor
:
if(Object.getOwnPropertyDescriptor(obj, prop).configurable)
throw Error('The property is configurable');
但这并不是万无一失的,因为它可以被修改:
var getDescr = Object.getOwnPropertyDescriptor;
Object.getOwnPropertyDescriptor = function() {
var ret = getDescr.apply(this, arguments);
ret.configurable = false;
return ret;
};
有没有万无一失的方法?
最佳答案
假设obj
是native object(对于host objects可能不可靠,请参见an example),则可以使用delete
operator。
当delete
与对象属性一起使用时,它返回调用[[Delete]]内部方法的结果。
如果该属性是可配置的,则[[Delete]]将返回true
。否则,它将在严格模式下抛出TypeError
,或者在非严格模式下返回false
。
因此,要断言prop
是不可配置的,
在非严格模式下:
function assertNonConfigurable(obj, prop) {
if(delete obj[prop])
throw Error('The property is configurable');
}
在严格模式下:
function assertNonConfigurable(obj, prop) {
'use strict';
try {
delete obj[prop];
} catch (err) {
return;
}
throw Error('The property is configurable');
}
当然,如果该属性是可配置的,它将被删除。因此,您可以使用它来断言,但不能检查它是否可配置。