Javascript, Extending Es6 Class Setter Will Inheriting Getter
In Javascript, with the following illustration code: the instance x will not inherit get val()... from Base class. As it is, Javascript treat the absence of a getter, in the pres
Solution 1:
This limitation is due to how JavaScript treats property accessors behind the scenes. In ECMAScript 5, you end up with a prototype chain that has a property descriptor for val
with a get
method defined by your class, and a set
method that is undefined.
In your Xtnd
class you have another property descriptor for val
that shadows the entire property descriptor for the base class's val
, containing a set
method defined by the class and a get
method that is undefined.
In order to forward the getter to the base class implementation, you'll need some boilerplate in each subclass unfortunately, but you won't have to replicate the implementation itself at least:
classBase {
constructor() { this._val = 1 }
getval() { returnthis._val }
}
classXtndextendsBase {
getval() { returnsuper.val }
setval(v) { this._val = v }
}
let x = newXtnd();
x.val = 5;
console.log(x.val); // prints '5'
Post a Comment for "Javascript, Extending Es6 Class Setter Will Inheriting Getter"