Buscar..


Introducción

Los definidores y los captadores son propiedades de objeto que llaman a una función cuando se configuran / obtienen.

Observaciones

Una propiedad de objeto no puede contener un captador y un valor al mismo tiempo. Sin embargo, una propiedad de objeto puede contener tanto un definidor como un captador al mismo tiempo.

Definición de un Setter / Getter en un objeto recién creado

JavaScript nos permite definir captadores y definidores en la sintaxis literal del objeto. Aquí hay un ejemplo:

var date = {
    year: '2017',
    month: '02',
    day: '27',
    get date() {
        // Get the date in YYYY-MM-DD format
        return `${this.year}-${this.month}-${this.day}`
    },
    set date(dateString) {
        // Set the date from a YYYY-MM-DD formatted string
        var dateRegExp = /(\d{4})-(\d{2})-(\d{2})/;
        
        // Check that the string is correctly formatted
        if (dateRegExp.test(dateString)) {
            var parsedDate = dateRegExp.exec(dateString);
            this.year = parsedDate[1];
            this.month = parsedDate[2];
            this.day = parsedDate[3];
        }
        else {
            throw new Error('Date string must be in YYYY-MM-DD format');
        }
    }
};

El acceso a la propiedad date.date devolverá el valor 2017-02-27 . Establecer date.date = '2018-01-02 llamaría a la función de establecimiento, que luego analizaría la cadena y establecería date.year = '2018' , date.month = '01' y date.day = '02' . Intentar pasar una cadena con formato incorrecto (como "hello" ) generaría un error.

Definiendo un Setter / Getter usando Object.defineProperty

var setValue;
var obj = {};
Object.defineProperty(obj, "objProperty", {
    get: function(){
        return "a value";
    },
    set: function(value){
        setValue = value;
    }
});

Definiendo getters y setters en la clase ES6.

class Person {
  constructor(firstname, lastname) {
    this._firstname = firstname;
    this._lastname = lastname;
  }

  get firstname() {
    return this._firstname;
  }

  set firstname(name) {
    this._firstname = name;
  }

  get lastname() {
    return this._lastname;
  }

  set lastname(name) {
    this._lastname = name;
  }
}

let person = new Person('John', 'Doe');

console.log(person.firstname, person.lastname); // John Doe

person.firstname = 'Foo';
person.lastname = 'Bar';

console.log(person.firstname, person.lastname); // Foo Bar


Modified text is an extract of the original Stack Overflow Documentation
Licenciado bajo CC BY-SA 3.0
No afiliado a Stack Overflow