Skip to content
Merged
Changes from 1 commit
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
88 changes: 44 additions & 44 deletions 1-js/07-object-properties/02-property-accessors/article.md
Original file line number Diff line number Diff line change
@@ -1,31 +1,31 @@

# Property getters and setters

There are two kinds of properties.
Hay dos tipos de propiedades.

The first kind is *data properties*. We already know how to work with them. Actually, all properties that we've been using till now were data properties.
El primer tipo son las *propiedades de los datos*. Ya sabemos cómo trabajar con ellas. En realidad, todas las propiedades que hemos estado usando hasta ahora eran propiedades de datos.

The second type of properties is something new. It's *accessor properties*. They are essentially functions that work on getting and setting a value, but look like regular properties to an external code.
El segundo tipo de propiedades es algo nuevo. Son las *propiedades de los accesorios*. Estas son esencialmente funciones que trabajan en la obtención y configuración de un valor, pero que parecen propiedades normales de un código externo.
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

mejor: "propiedades de acceso"
porque el accessor es una función que lee y escribe (get/set)

"configuración" puede ser, pero no es claro (parece obtener y modificar),
prefiero obtención y asignación. Después de la definición las sugiero en inglés pues son palabras muy usadas en programación. get/set getter/setter.

"El segundo tipo de propiedades es algo nuevo. Son las propiedades de acceso (accessor properties). Estas son esencialmente funciones que trabajan en la obtención y establecimiento de un valor, pero que para un código externo parecen propiedades normales ."

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

El segundo tipo de propiedad es algo nuevo. Son las propiedades de acceso. Esencialmente son funciones que trabajan en la obtención y asignación de valores, pero que parecen propiedades normales fuera del código.

"El segundo tipo de propiedad es..." se deja en singular, verbo "be" lo está

Copy link
Contributor Author

@rainvare rainvare Jun 28, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Disculpa, no entiendo. Podrías explicarme de nuevo cuál sería la modificación? @cortizg

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Disculpa la demora, soy nueva en esto. Gracias por tus comentarios @joaquinelio

Copy link
Contributor

@cortizg cortizg Jun 28, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

si mi comentario es reciente, creo que ya habian hecho review pero no se hicieron sugerencias de cambio, mi comentario es para que se mejore la traducción un poco, sugerencia: "El segundo tipo de propiedad es algo nuevo. Son las propiedades de acceso. Esencialmente son funciones que trabajan en la obtención y asignación de valores, pero que parecen propiedades normales fuera del código."


## Getters and setters

Accessor properties are represented by "getter" and "setter" methods. In an object literal they are denoted by `get` and `set`:
Las propiedades del accesorio están representadas por los métodos "getter" y "setter". En un objeto con la notación literal se denotan por "get" y "set":
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

de acceso

Copy link
Contributor

@cortizg cortizg Jun 27, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Las propiedades de acceso se representan por los métodos "getter" y "setter". Propiamente en un objeto se denotan por gety set:

creo que se lee mejor.


```js
let obj = {
*!*get propName()*/!* {
// getter, the code executed on getting obj.propName
// getter, el código ejecutado al obtener obj.propName
},

*!*set propName(value)*/!* {
// setter, the code executed on setting obj.propName = value
// setter, el código ejecutado al obtener obj.propName = value
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

// setter, el código ejecutado para asignar obj.propName = value

}
};
```

The getter works when `obj.propName` is read, the setter -- when it is assigned.
El getter funciona cuando se lee `obj.propName`, el setter -- cuando se asigna.

For instance, we have a `user` object with `name` and `surname`:
Por ejemplo, tenemos un objeto "usuario" con "nombre" y "apellido":

```js run
let user = {
Expand All @@ -34,7 +34,7 @@ let user = {
};
```

Now we want to add a "fullName" property, that should be "John Smith". Of course, we don't want to copy-paste existing information, so we can implement it as an accessor:
Ahora queremos añadir una propiedad de "nombre completo", que debería ser "John Smith". Por supuesto, no queremos copiar-pegar la información existente, así que podemos aplicarla como un accesorio:
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

accesorio (algo q puede ser inerte) No es, es una función que accede a otras propiedades. pero no sé como ponerlo. Sugeriría dejarlo en inglés
...aplicarla como un "accessor".
Tema para discutir glosario. Si no,
...aplicarla como una "función de acceso".

Copy link
Contributor

@cortizg cortizg Jun 27, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

no deberia de traducir "fullname" se enrreda más... es una propiedad

"Ahora queremos añadir una propiedad "fullName", que podría ser "John Smith". Por supuesto, no queremos copiar-pegar la información existente, asi que podemos implimentarla como propiedad de acceso:"

Copy link
Contributor Author

@rainvare rainvare Jun 28, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

No creo que se enrede, la idea de la traducción es presentar al lector el equivalente en su lengua. Si te das cuenta en la línea 56 no lo traduje completamente, de esa forma el lector puede identificar el código del ejemplo y comprender el equivalente. @cortizg

Copy link
Contributor

@cortizg cortizg Jun 28, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Estimada, no siempre se traduce exactamente igual, por experiencia propia.... ademas se siguen los tips de traducción del Autor, y si se puede se mejora!, Gracias por estar pendiente, creo que la ultima palabran la tendrán los reviewers.


```js run
let user = {
Expand All @@ -53,11 +53,11 @@ alert(user.fullName); // John Smith
*/!*
```

From outside, an accessor property looks like a regular one. That's the idea of accessor properties. We don't *call* `user.fullName` as a function, we *read* it normally: the getter runs behind the scenes.
Desde fuera, una propiedad accesoria se parece a una normal. Esa es la idea de las propiedades accesorias. No llamamos a " user.fullName" como una función, la leemos normalmente: el "getter" corre detrás de la escena.
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

"de acceso" 2 veces
bah, sugiero.

Copy link
Contributor

@cortizg cortizg Jun 27, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Desde fuera, una propiedad de acceso se parece a una normal. Esa es la idea de estas propiedades. No llamamos a "user.fullName" como una función, la leemos con normalidad: corremos el getter destras de escena.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Acá hay dos sujetos, (nosotros) la leemos y (el getter) corre. Tu corrección no tendría concordancia. @cortizg

Copy link
Contributor

@cortizg cortizg Jun 28, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

nosotros usamos el getter, que es un método de acceso que lee la propiedad user.fullName internamente, no veo la inconcordancia. Saludos


As of now, `fullName` has only a getter. If we attempt to assign `user.fullName=`, there will be an error.
A partir de ahora, "Nombre completo" sólo tiene un receptor. Si intentamos asignar "user.fullName", habrá un error.

Let's fix it by adding a setter for `user.fullName`:
Arreglémoslo agregando un setter para " user.fullName":

```js run
let user = {
Expand All @@ -75,39 +75,39 @@ let user = {
*/!*
};

// set fullName is executed with the given value.
// set fullName se ejecuta con el valor dado.
user.fullName = "Alice Cooper";

alert(user.name); // Alice
alert(user.surname); // Cooper
```

Now we have a "virtual" property. It is readable and writable, but in fact does not exist.
Ahora tenemos una propiedad "virtual". Esta es legible y escribible, pero de hecho no existe.

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

El 30 nov, Ilya borró el smat header. Suele hacer esas cosas: por legibilidad, por redundante, por equivocado.
Deberías borrar el bloque desde
98 "Accessor properties are only accessible with get/set" hasta 106
y QUEDA:
97 Como resultado, tenemos una propiedad virtual fullName que puede leerse y escribirse.

```smart header="Accessor properties are only accessible with get/set"
Once a property is defined with `get prop()` or `set prop()`, it's an accessor property, not a data properety any more.
Una vez que una propiedad se define con `get prop()` o `set prop()`, es una propiedad accesoria, ya no es una propiedad de los datos.

- If there's a getter -- we can read `object.prop`, othrewise we can't.
- If there's a setter -- we can set `object.prop=...`, othrewise we can't.
- Si hay un getter -- podemos leer `object.prop`, de otro modo no podemos.
- Si hay un setter -- podemos fijar `object.prop=...`, de otro modo no podemos.

And in either case we can't `delete` an accessor property.
Y en cualquier caso no podemos "borrar" una propiedad accesoria.
```


## Accessor descriptors

Descriptors for accessor properties are different -- as compared with data properties.
Los descriptores de las propiedades accesorias son different -- en comparación con las propiedades de los datos.

For accessor properties, there is no `value` and `writable`, but instead there are `get` and `set` functions.
Para las propiedades de los accesorios, no hay funciones de "valor" y "escritura", sino de "get" y "set".

So an accessor descriptor may have:
Así que un descriptor de accesorios puede tener:

- **`get`** -- a function without arguments, that works when a property is read,
- **`set`** -- a function with one argument, that is called when the property is set,
- **`enumerable`** -- same as for data properties,
- **`configurable`** -- same as for data properties.
- **`get`** -- una función sin argumentos, que funciona cuando se lee una propiedad,
- **`set`** -- una función con un argumento, que se llama cuando se establece la propiedad,
- **`enumerable`** -- lo mismo que para las propiedades de los datos,
- **`configurable`** -- lo mismo que para las propiedades de los datos.

For instance, to create an accessor `fullName` with `defineProperty`, we can pass a descriptor with `get` and `set`:
Por ejemplo, para crear un accesorio " Nombre Completo" con "Definir Propiedad", podemos pasar un descriptor con `get` y `set`:

```js run
let user = {
Expand All @@ -132,13 +132,13 @@ alert(user.fullName); // John Smith
for(let key in user) alert(key); // name, surname
```

Please note once again that a property can be either an accessor or a data property, not both.
Tenga en cuenta una vez más que una propiedad puede ser un accesorio o una propiedad de datos, no ambas.

If we try to supply both `get` and `value` in the same descriptor, there will be an error:
Si intentamos poner tanto " get" como " valor" en el mismo descriptor, habrá un error:

```js run
*!*
// Error: Invalid property descriptor.
// Error: Descriptor de propiedad inválido.
*/!*
Object.defineProperty({}, 'prop', {
get() {
Expand All @@ -151,9 +151,9 @@ Object.defineProperty({}, 'prop', {

## Smarter getters/setters

Getters/setters can be used as wrappers over "real" property values to gain more control over them.
Getters/setters pueden ser usados como envoltorios sobre valores de propiedad "reales" para obtener más control sobre ellos.

For instance, if we want to forbid too short names for `user`, we can store `name` in a special property `_name`. And filter assignments in the setter:
Por ejemplo, si queremos prohibir nombres demasiado cortos para "usuario", podemos guardar "nombre" en una propiedad especial "nombre". Y filtrar las asignaciones en el setter:

```js run
let user = {
Expand All @@ -163,7 +163,7 @@ let user = {

set name(value) {
if (value.length < 4) {
alert("Name is too short, need at least 4 characters");
alert("El nombre es demasiado corto, necesita al menos 4 caracteres");
return;
}
this._name = value;
Expand All @@ -173,17 +173,17 @@ let user = {
user.name = "Pete";
alert(user.name); // Pete

user.name = ""; // Name is too short...
user.name = ""; // El nombre es demasiado corto...
```

Technically, the external code may still access the name directly by using `user._name`. But there is a widely known agreement that properties starting with an underscore `"_"` are internal and should not be touched from outside the object.
Técnicamente, el código externo todavía puede acceder al nombre directamente usando "usuario._nombre". Pero hay un acuerdo ampliamente conocido de que las propiedades que comienzan con un guión bajo "_" son internas y no deben ser manipuladas desde el exterior del objeto.


## Using for compatibility

One of the great ideas behind getters and setters -- they allow to take control over a "normal" data property and tweak it at any moment.
Una de las grandes ideas detrás de los getters y setters -- permiten tomar el control de una propiedad de datos "normal" y ajustarla en cualquier momento.

For instance, we started implementing user objects using data properties `name` and `age`:
Por ejemplo, empezamos a implementar objetos de usuario usando las propiedades de datos "nombre" y "edad":

```js
function User(name, age) {
Expand All @@ -196,7 +196,7 @@ let john = new User("John", 25);
alert( john.age ); // 25
```

...But sooner or later, things may change. Instead of `age` we may decide to store `birthday`, because it's more precise and convenient:
...Pero tarde o temprano, las cosas pueden cambiar. En lugar de "edad" podemos decidir almacenar "cumpleaños", porque es más preciso y conveniente:

```js
function User(name, birthday) {
Expand All @@ -207,19 +207,19 @@ function User(name, birthday) {
let john = new User("John", new Date(1992, 6, 1));
```

Now what to do with the old code that still uses `age` property?
Ahora, ¿qué hacer con el viejo código que todavía usa la propiedad de la "edad"?

We can try to find all such places and fix them, but that takes time and can be hard to do if that code is written by other people. And besides, `age` is a nice thing to have in `user`, right? In some places it's just what we want.
Podemos intentar encontrar todos esos lugares y arreglarlos, pero eso lleva tiempo y puede ser difícil de hacer si ese código está escrito por otras personas. Y además, la "edad" es algo bueno para tener en "usuario", ¿verdad? En algunos lugares es justo lo que queremos.

Adding a getter for `age` mitigates the problem:
Añadiendo un getter para la "edad" se atenúa el problema:

```js run no-beautify
function User(name, birthday) {
this.name = name;
this.birthday = birthday;

*!*
// age is calculated from the current date and birthday
// La edad se calcula a partir de la fecha actual y del cumpleaños
Object.defineProperty(this, "age", {
get() {
let todayYear = new Date().getFullYear();
Expand All @@ -231,8 +231,8 @@ function User(name, birthday) {

let john = new User("John", new Date(1992, 6, 1));

alert( john.birthday ); // birthday is available
alert( john.age ); // ...as well as the age
alert( john.birthday ); // El cumpleaños está disponible
alert( john.age ); // ...así como la edad
```

Now the old code works too and we've got a nice additional property.
Ahora el viejo código funciona también y tenemos una buena propiedad adicional.