Skip to content

Commit c24c603

Browse files
authored
Merge pull request #386 from joaquinelio/shadows
Shadow DOM
2 parents 102399a + ea751c2 commit c24c603

File tree

1 file changed

+55
-55
lines changed

1 file changed

+55
-55
lines changed
Lines changed: 55 additions & 55 deletions
Original file line numberDiff line numberDiff line change
@@ -1,32 +1,32 @@
11
# Shadow DOM
22

3-
Shadow DOM serves for encapsulation. It allows a component to have its very own "shadow" DOM tree, that can't be accidentally accessed from the main document, may have local style rules, and more.
3+
Shadow DOM sirve para el encapsulamiento. Le permite a un componente tener su propio árbol DOM oculto, que no puede ser accedido por accidente desde el documento principal, puede tener reglas de estilo locales, y más.
44

5-
## Built-in shadow DOM
5+
## Shadow DOM incorporado
66

7-
Did you ever think how complex browser controls are created and styled?
7+
¿Alguna vez pensó cómo los controles complejos del navegador se crean y se les aplica estilo?
88

9-
Such as `<input type="range">`:
9+
Tales como `<input type="range">`:
1010

1111
<p>
1212
<input type="range">
1313
</p>
1414

15-
The browser uses DOM/CSS internally to draw them. That DOM structure is normally hidden from us, but we can see it in developer tools. E.g. in Chrome, we need to enable in Dev Tools "Show user agent shadow DOM" option.
15+
El navegador usa DOM/CSS internamente para dibujarlos. Esa estructura DOM normalmente está oculta para nosotros, pero podemos verla con herramientas de desarrollo. Por ejemplo en Chrome, necesitamos habilitar la opción "Show user agent shadow DOM" en las heramientas de desarrollo.
1616

17-
Then `<input type="range">` looks like this:
17+
Entonces `<input type="range">` se ve algo así:
1818

1919
![](shadow-dom-range.png)
2020

21-
What you see under `#shadow-root` is called "shadow DOM".
21+
Lo que ves bajo `#shadow-root` se llama "shadow DOM".
2222

23-
We can't get built-in shadow DOM elements by regular JavaScript calls or selectors. These are not regular children, but a powerful encapsulation technique.
23+
No podemos obtener los elementos de shadow DOM incorporados con llamadas normales a JavaScript o selectores. Estos no son hijos normales sino una poderosa técnica de encapsulamiento.
2424

25-
In the example above, we can see a useful attribute `pseudo`. It's non-standard, exists for historical reasons. We can use it style subelements with CSS, like this:
25+
En el ejemplo de abajo podemos ver un útil atributo `pseudo`. No es estándar, existe por razones históricas. Podemos usarlo para aplicar estilo a subelementos con CSS como aquí:
2626

2727
```html run autorun
2828
<style>
29-
/* make the slider track red */
29+
/* hace el control deslizable rojo */
3030
input::-webkit-slider-runnable-track {
3131
background: red;
3232
}
@@ -35,22 +35,22 @@ input::-webkit-slider-runnable-track {
3535
<input type="range">
3636
```
3737

38-
Once again, `pseudo` is a non-standard attribute. Chronologically, browsers first started to experiment with internal DOM structures to implement controls, and then, after time, shadow DOM was standardized to allow us, developers, to do the similar thing.
38+
De nuevo: `pseudo` no es un atributo estándar. Cronológicamente, los navegadores primero comenzaron a experimentar con estructuras DOM internas para implementar controles, y luego, con el tiempo, fue estandarizado shadow DOM que nos permite, a nosotros desarrolladores, hacer algo similar.
3939

40-
Further on, we'll use the modern shadow DOM standard, covered by [DOM spec](https://dom.spec.whatwg.org/#shadow-trees) other related specifications.
40+
Seguidamente usaremos el moderno estándar shadow DOM cubierto en "otras especificaciones relacionadas" [especificación DOM](https://dom.spec.whatwg.org/#shadow-trees).
4141

42-
## Shadow tree
42+
## Shadow tree (árbol oculto)
4343

44-
A DOM element can have two types of DOM subtrees:
44+
Un elemento DOM puede tener dos tipos de subárboles DOM:
4545

46-
1. Light tree -- a regular DOM subtree, made of HTML children. All subtrees that we've seen in previous chapters were "light".
47-
2. Shadow tree -- a hidden DOM subtree, not reflected in HTML, hidden from prying eyes.
46+
1. Light tree -- un subárbol normal, hecho de hijos HTML. Todos los subárboles vistos en capítulos previos eran "light".
47+
2. Shadow tree -- un subárbol shadow DOM, no reflejado en HTML, oculto a la vista.
4848

49-
If an element has both, then the browser renders only the shadow tree. But we can setup a kind of composition between shadow and light trees as well. We'll see the details later in the chapter <info:slots-composition>.
49+
Si un elemento tiene ambos, el navegador solamente construye el árbol shadow. Pero también podemos establecer un tipo de composición entre árboles shadow y light. Veremos los detalles en el capítulo <info:slots-composition>.
5050

51-
Shadow tree can be used in Custom Elements to hide component internals and apply component-local styles.
51+
El árbol shadow puede ser usado en elementos personalizados para ocultar los componentes internos y aplicarles estilos locales.
5252

53-
For example, this `<show-hello>` element hides its internal DOM in shadow tree:
53+
Por ejemplo, este elemento `<show-hello>` oculta su DOM interno en un shadow tree:
5454

5555
```html run autorun height=60
5656
<script>
@@ -67,46 +67,46 @@ customElements.define('show-hello', class extends HTMLElement {
6767
<show-hello name="John"></show-hello>
6868
```
6969

70-
That's how the resulting DOM looks in Chrome dev tools, all the content is under "#shadow-root":
70+
Así es como el DOM resultante se ve en las herramientas de desarrollador de Chrome, todo el contenido está bajo "#shadow-root":
7171

7272
![](shadow-dom-say-hello.png)
7373

74-
First, the call to `elem.attachShadow({mode: …})` creates a shadow tree.
74+
Primero, el llamado a `elem.attachShadow({mode: …})` crea un árbol shadow.
7575

76-
There are two limitations:
77-
1. We can create only one shadow root per element.
78-
2. The `elem` must be either a custom element, or one of: "article", "aside", "blockquote", "body", "div", "footer", "h1..h6", "header", "main" "nav", "p", "section", or "span". Other elements, like `<img>`, can't host shadow tree.
76+
Hay dos limitaciones:
77+
1. Podemos crear solamente una raíz shadow por elemento.
78+
2. `elem` debe ser: o bien un elemento personalizado, o uno de: "article", "aside", "blockquote", "body", "div", "footer", "h1..h6", "header", "main" "nav", "p", "section", o "span". Otros elementos, como `<img>`, no pueden contener un árbol shadow.
7979

80-
The `mode` option sets the encapsulation level. It must have any of two values:
81-
- `"open"` -- the shadow root is available as `elem.shadowRoot`.
80+
La opción `mode` establece el nivel de encapsulamiento. Debe tener uno de estos dos valores:
81+
- `"open"` -- Abierto: la raíz shadow está disponible como `elem.shadowRoot`.
8282

83-
Any code is able to access the shadow tree of `elem`.
84-
- `"closed"` -- `elem.shadowRoot` is always `null`.
83+
Todo código puede acceder el árbol shadow de `elem`.
84+
- `"closed"` -- Cerrado: `elem.shadowRoot` siempre es `null`.
8585

86-
We can only access the shadow DOM by the reference returned by `attachShadow` (and probably hidden inside a class). Browser-native shadow trees, such as `<input type="range">`, are closed. There's no way to access them.
86+
Solamente podemos acceder al shadow DOM por medio de la referencia devuelta por `attachShadow` (y probablemente oculta dentro de un class). Árboles shadow nativos del navegador, tales como `<input type="range">`, son "closed". No hay forma de accederlos.
8787

88-
The [shadow root](https://dom.spec.whatwg.org/#shadowroot), returned by `attachShadow`, is like an element: we can use `innerHTML` or DOM methods, such as `append`, to populate it.
88+
La raíz [shadow root](https://dom.spec.whatwg.org/#shadowroot), devuelta por `attachShadow`, es como un elemento: podemos usar `innerHTML` o métodos DOM tales como `append` para llenarlo.
8989

90-
The element with a shadow root is called a "shadow tree host", and is available as the shadow root `host` property:
90+
El elemento con una raíz shadow es llamado "shadow tree host" (anfitrión de árbol shadow), y está disponible como la propiedad `host` de shadow root:
9191

9292
```js
93-
// assuming {mode: "open"}, otherwise elem.shadowRoot is null
93+
// asumimos {mode: "open"}, de otra forma elem.shadowRoot sería null
9494
alert(elem.shadowRoot.host === elem); // true
9595
```
9696

97-
## Encapsulation
97+
## Encapsulamiento
9898

99-
Shadow DOM is strongly delimited from the main document:
99+
Shadow DOM está fuertemente delimitado del documento principal "main document":
100100

101-
1. Shadow DOM elements are not visible to `querySelector` from the light DOM. In particular, Shadow DOM elements may have ids that conflict with those in the light DOM. They must be unique only within the shadow tree.
102-
2. Shadow DOM has own stylesheets. Style rules from the outer DOM don't get applied.
101+
1. Los elementos Shadow DOM no son visibles para `querySelector` desde el DOM visble (light DOM). En particular, los elementos Shadow DOM pueden tener ids en conflicto con aquellos en el DOM visible. Estos debe ser únicos solamente dentro del árbol shadow.
102+
2. El Shadow DOM tiene stylesheets propios. Las reglas de estilo del exterior DOM no se le aplican.
103103

104-
For example:
104+
Por ejemplo:
105105

106106
```html run untrusted height=40
107107
<style>
108108
*!*
109-
/* document style won't apply to the shadow tree inside #elem (1) */
109+
/* document style no será aplicado al árbol shadow dentro de #elem (1) */
110110
*/!*
111111
p { color: red; }
112112
</style>
@@ -116,42 +116,42 @@ For example:
116116
<script>
117117
elem.attachShadow({mode: 'open'});
118118
*!*
119-
// shadow tree has its own style (2)
119+
// el árbol shadow tiene su propio style (2)
120120
*/!*
121121
elem.shadowRoot.innerHTML = `
122122
<style> p { font-weight: bold; } </style>
123123
<p>Hello, John!</p>
124124
`;
125125
126126
*!*
127-
// <p> is only visible from queries inside the shadow tree (3)
127+
// <p> solo es visible en consultas "query" dentro del árbol shadow (3)
128128
*/!*
129129
alert(document.querySelectorAll('p').length); // 0
130130
alert(elem.shadowRoot.querySelectorAll('p').length); // 1
131131
</script>
132132
```
133133

134-
1. The style from the document does not affect the shadow tree.
135-
2. ...But the style from the inside works.
136-
3. To get elements in shadow tree, we must query from inside the tree.
134+
1. El estilo del documento no afecta al árbol shadow.
135+
2. ...Pero el estilo interno funciona.
136+
3. Para obtener los elementos en el árbol shadow, debemos buscarlos (query) desde dentro del árbol.
137137

138-
## References
138+
## Referencias
139139

140140
- DOM: <https://dom.spec.whatwg.org/#shadow-trees>
141-
- Compatibility: <https://caniuse.com/#feat=shadowdomv1>
142-
- Shadow DOM is mentioned in many other specifications, e.g. [DOM Parsing](https://w3c.github.io/DOM-Parsing/#the-innerhtml-mixin) specifies that shadow root has `innerHTML`.
141+
- Compatibilidad: <https://caniuse.com/#feat=shadowdomv1>
142+
- Shadow DOM es mencionado en muchas otras especificaciones, por ejemplo [DOM Parsing](https://w3c.github.io/DOM-Parsing/#the-innerhtml-mixin) especifica que que shadow root tiene `innerHTML`.
143143

144144

145-
## Summary
145+
## Resumen
146146

147-
Shadow DOM is a way to create a component-local DOM.
147+
El Shadow DOM es una manera de crear un DOM de componentes locales.
148148

149-
1. `shadowRoot = elem.attachShadow({mode: open|closed})` -- creates shadow DOM for `elem`. If `mode="open"`, then it's accessible as `elem.shadowRoot` property.
150-
2. We can populate `shadowRoot` using `innerHTML` or other DOM methods.
149+
1. `shadowRoot = elem.attachShadow({mode: open|closed})` -- crea shadow DOM para `elem`. Si `mode="open"`, será accesible con la propiedad `elem.shadowRoot`.
150+
2. Podemos llenar `shadowRoot` usando `innerHTML` u otros métodos DOM.
151151

152-
Shadow DOM elements:
153-
- Have their own ids space,
154-
- Invisible to JavaScript selectors from the main document, such as `querySelector`,
155-
- Use styles only from the shadow tree, not from the main document.
152+
Los elementos de Shadow DOM:
153+
- Tienen su propio espacio de ids,
154+
- Son invisibles a los selectores JavaScript desde el documento principal tales como `querySelector`,
155+
- Usan style solo desde dentro del árbol shadow, no desde el documento principal.
156156

157-
Shadow DOM, if exists, is rendered by the browser instead of so-called "light DOM" (regular children). In the chapter <info:slots-composition> we'll see how to compose them.
157+
El Shadow DOM, si existe, es construido por el navegador en lugar del DOM visible llamado "light DOM" (hijo regular). En el capítulo <info:slots-composition> veremos cómo se componen.

0 commit comments

Comments
 (0)