Рассмотрим следующий код:
const defclass = prototype => {
const constructor = prototype.constructor;
constructor.prototype = prototype;
return constructor;
};
const Person = defclass({
constructor: function Person(firstname, lastname) {
this.firstname = firstname;
this.lastname = lastname;
},
get fullname() {
delete this.fullname; // doesn't delete on instances
return this.fullname = this.firstname + " " + this.lastname;
}
});
const john = new Person("John", "Doe");
const jane = new Person("Jane", "Doe");
console.log(john.fullname); // John Doe
console.log(jane.fullname); // Jane Doe
Это работает, потому что назначение свойства для this
затеняет несуществующий установщик.
Теперь рассмотрим тот же код с использованием классов ES6:
class Person {
constructor(firstname, lastname) {
this.firstname = firstname;
this.lastname = lastname;
}
get fullname() {
delete this.fullname; // doesn't delete on instances
return this.fullname = this.firstname + " " + this.lastname;
}
}
const john = new Person("John", "Doe");
const jane = new Person("Jane", "Doe");
console.log(john.fullname); // throws an error because there is no setter
console.log(jane.fullname);
Причина, по которой это не работает, объясняется в этом ответе .Это потому, что мы находим свойство в цепочке прототипов, а оно не имеет установщика.Итак, почему же мы не получаем ту же ошибку при использовании обычных прототипов?
Примечание: Вы можете удалить строку с ключевым словом delete
, не влияя на поведение кода.