What are get
and set
methods in ES6 class definition? Are they in fact prototype properties? For example:
class Person{
constructor(){};
get name(){
return 'jack';
}
set name(){
// ???
}
}
Does this equal to Person.prototype.name = 'jack'
? Furthermore, I've seen examples of setters which utilize the instance's prop like:
class Person{
constructor(){
this._name = 'jack';
};
get name(){
return this._name;
}
set name(val){
this._name = val;
}
}
I don't want to do it this way; I want something like:
class Person{
constructor(){};
get name(){
return 'jack';
}
set name(val){
// like this
// name = val;
}
}
What can be done?
As per MDN , The get syntax binds an object property to a function that will be called when that property is looked up.
Here you are returning just a string 'jack' it is not binding to any property.
Interestingly console.log(Person.prototype.name) logs jack
But Person.hasOwnProperty(name) logs false
also once we create instance of Person call i.e const x = new Person();
console.log(x.name) -> this throws error, cant read property x.name because x.hasOwnProperty(name) is false
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/get