在下面的代码中,我有2个属性:sharedProperty
:它具有值的原始类型,并且被设置为仅可配置。sharedMethodAsProperty
:它具有作为值的功能,并且也被设置为可配置的。
现在,在代码片段的结尾附近,我可以很好地覆盖sharedProperty
(因为它是readonly
和configurable
),但是对于sharedMethodAsProperty
,我必须将其设置为writable
,否则我会抱怨说属性不能被覆盖。有想法吗?
(function () {
'use strict';
var Person = function () {
Object.defineProperties(Person.prototype, {
"sharedProperty" : {
value : 10,
configurable: true
},
"sharedPropertyThroughAccessor" : {
get : function() {
return "shared property";
},
configurable: true
},
"sharedMethodAsProperty" : {
value: function() {
return "shared method as property";
},
configurable: true,
// if we omit this true here, we can't override it below.
//writable: true
}
});
};
Object.prototype.sharedMethod = function() {
return "shared method";
};
var person1 = new Person("John", "Doe");
var man = Object.create(person1);
var sharedProperty = Object.getOwnPropertyDescriptor(Person.prototype, "sharedProperty").value;
Object.defineProperty(man, "sharedProperty", {
value : 11 + sharedProperty,
configurable: true
});
var sharedPropertyThroughAccessor = Object.getOwnPropertyDescriptor(Person.prototype, "sharedPropertyThroughAccessor");
// bind with man, else you'd get person1's properties
var sharedFn = sharedPropertyThroughAccessor.get.bind(man);
Object.defineProperty(man, "sharedPropertyThroughAccessor", {
get : function() {
return sharedFn() + " overridden";
}
});
var sharedMethodFn = person1.sharedMethod.bind(man);
// can't do: man.prototype. That property only exists on functions.
man.sharedMethod = function() {
return sharedMethodFn() + " overridden";
};
var sharedMethodAsProperty = Object.getOwnPropertyDescriptor(Person.prototype, "sharedMethodAsProperty");
var sharedMethodAsPropertyFn = sharedMethodAsProperty.value.bind(man);
man.sharedMethodAsProperty = function() {
return sharedMethodAsPropertyFn() + " overridden";
};
}());
最佳答案
在fuyushimoya的帮助下,我意识到自己有多愚蠢,为什么不起作用。
为sharedProperty
对象重新定义了man
,因此从未为其分配新值,因此即使在sharedProperty
都不为writable
的情况下也可以进行覆盖。
为sharedMethodAsProperty
对象分配了一个新值。正在创建一个新的man
并将其分配给它。分配将要求它为function
。使用writable
重新定义它很有意义,就像Object.defineProperty()
对象被sharedProperty
覆盖的方式一样。