You signed in with another tab or window.Reload to refresh your session.You signed out in another tab or window.Reload to refresh your session.You switched accounts on another tab or window.Reload to refresh your session.Dismiss alert
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.Learn more about bidirectional Unicode characters
Shadow DOMserves for encapsulation. It allows acomponent to have its very own "shadow"DOMtree, that can't be accidentally accessed from the main document, may have local style rules, and more.
Shadow DOMsirve para el encapsulamiento. Le permite aun componente tener su propio árbolDOMoculto, que no puede ser accedido por accidente desde el documento principal, puede tener reglas de estilo locales, y más.
##Built-in shadowDOM
##ShadowDOM incorporado
Did you ever think how complex browser controls are created and styled?
¿Alguna vez pensó cómo los controles complejos del navegador se crean y se les aplica estilo?
Such as `<input type="range">`:
Tales como `<input type="range">`:
<p>
<input type="range">
</p>
The browser uses DOM/CSSinternally to draw them. ThatDOMstructure is normally hidden from us, but we can see it in developer tools. E.g. inChrome,we need to enable in Dev Tools"Show user agent shadow DOM"option.
El navegador usa DOM/CSSinternamente para dibujarlos. Esa estructuraDOMnormalmente está oculta para nosotros, pero podemos verla con herramientas de desarrollo. Por ejemplo enChrome,necesitamos habilitar la opción"Show user agent shadow DOM"en las heramientas de desarrollo.
Then `<input type="range">`looks like this:
Entonces `<input type="range">`se ve algo así:

What you see under `#shadow-root`is called "shadow DOM".
Lo que ves bajo `#shadow-root`se llama "shadow DOM".
We can't get built-inshadow DOMelements by regular JavaScript calls or selectors. These are not regular children, but a powerful encapsulation technique.
No podemos obtener los elementos deshadow DOMincorporados con llamadas normales a JavaScript o selectores. Estos no son hijos normales sino una poderosa técnica de encapsulamiento.
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 withCSS, like this:
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 conCSS como aquí:
Once again, `pseudo`is a non-standard attribute. Chronologically, browsers first started to experiment with internalDOMstructures to implement controls, and then, after time,shadow DOMwas standardized to allow us, developers, to do thesimilar thing.
De nuevo: `pseudo`no es un atributo estándar. Cronológicamente, los navegadores primero comenzaron a experimentar con estructurasDOMinternas para implementar controles, y luego, con el tiempo, fue estandarizadoshadow DOMque nos permite, a nosotros desarrolladores, hacer algosimilar.
Further on, we'll use the modernshadow DOMstandard, covered by [DOM spec](https://dom.spec.whatwg.org/#shadow-trees) other related specifications.
Seguidamente usaremos el moderno estándarshadow DOMcubierto en "otras especificaciones relacionadas" [especificación DOM](https://dom.spec.whatwg.org/#shadow-trees).
## Shadow tree
## Shadow tree (árbol oculto)
ADOMelement can have two types of DOM subtrees:
Un elementoDOMpuede tener dos tipos de subárboles DOM:
1. Light tree --a regular DOM subtree, made of HTML children. All subtrees that we've seen in previous chapters were "light".
2. Shadow tree --a hidden DOM subtree, not reflected in HTML,hidden from prying eyes.
1. Light tree --un subárbol normal, hecho de hijos HTML. Todos los subárboles vistos en capítulos previos eran "light".
2. Shadow tree --un subárbol shadow DOM, no reflejado en HTML,oculto a la vista.
If an element has both, then the browser renders only the shadow tree. But we can setup a kind of composition betweenshadowand light trees as well. We'll see the details later in the chapter <info:slots-composition>.
Si un elemento tiene ambos, el navegador solamente construye el árbol shadow. Pero también podemos establecer un tipo de composición entre árbolesshadowy light. Veremos los detalles en el capítulo <info:slots-composition>.
Shadow tree can be used in Custom Elements to hide component internals and apply component-local styles.
El árbol shadow puede ser usado en elementos personalizados para ocultar los componentes internos y aplicarles estilos locales.
For example, this`<show-hello>`element hides its internal DOM in shadow tree:
Por ejemplo, este elemento`<show-hello>`oculta su DOM interno en un shadow tree:
```html run autorun height=60
<script>
Expand All
@@ -67,46 +67,46 @@ customElements.define('show-hello', class extends HTMLElement {
<show-hello name="John"></show-hello>
```
That's how the resulting DOMlooks in Chrome dev tools, all the content is under "#shadow-root":
Así es como el DOMresultante se ve en las herramientas de desarrollador de Chrome, todo el contenido está bajo "#shadow-root":

First, the call to `elem.attachShadow({mode: …})`creates a shadow tree.
Primero, el llamado a `elem.attachShadow({mode: …})`crea un árbol shadow.
There are two limitations:
1.We can create only one shadowroot per element.
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.
Hay dos limitaciones:
1.Podemos crear solamente una raíz shadowpor elemento.
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.
The`mode`option sets the encapsulation level. It must have any of two values:
- `"open"` --the shadow root is available as `elem.shadowRoot`.
La opción`mode`establece el nivel de encapsulamiento. Debe tener uno de estos dos valores:
- `"open"` --Abierto: la raíz shadow está disponible como `elem.shadowRoot`.
Any code is able to access theshadowtree of `elem`.
Todo código puede acceder el árbolshadowde `elem`.
- `"closed"` --Cerrado:`elem.shadowRoot`siempre es `null`.
We can only access theshadow DOMby the reference returned by`attachShadow` (and probably hidden inside aclass).Browser-native shadowtrees, such as`<input type="range">`,areclosed. There's no way to access them.
Solamente podemos acceder alshadow DOMpor medio de la referencia devuelta por`attachShadow` (y probablemente oculta dentro de unclass).Árboles shadownativos del navegador, tales como`<input type="range">`,son "closed". No hay forma de accederlos.
The[shadow root](https://dom.spec.whatwg.org/#shadowroot),returned by `attachShadow`,is like an element: we can use`innerHTML`orDOMmethods, such as`append`, to populate it.
La raíz[shadow root](https://dom.spec.whatwg.org/#shadowroot),devuelta por `attachShadow`,es como un elemento: podemos usar`innerHTML`o métodosDOMtales como`append` para llenarlo.
The element with ashadowroot is called a"shadow tree host", and is available as the shadow root`host`property:
El elemento con una raízshadowes llamado"shadow tree host" (anfitrión de árbol shadow), y está disponible como la propiedad`host`de shadow root:
//asumimos {mode: "open"},de otra formaelem.shadowRootsería null
alert(elem.shadowRoot.host === elem); // true
```
##Encapsulation
##Encapsulamiento
Shadow DOMis strongly delimited from themain document:
Shadow DOMestá fuertemente delimitado del documento principal "main document":
1. Shadow DOMelements are not visible to`querySelector`from thelight DOM. In particular, Shadow DOMelements may haveidsthat conflict with those in the lightDOM. They must be unique only within the shadow tree.
2. Shadow DOMhas ownstylesheets. Style rules from the outerDOMdon't get applied.
1.Los elementosShadow DOMno son visibles para`querySelector`desde el DOM visble (light DOM). En particular,los elementosShadow DOMpueden teneridsen conflicto con aquellos en elDOM visible. Estos debe ser únicos solamente dentro del árbol shadow.
2.ElShadow DOMtienestylesheets propios. Las reglas de estilo del exteriorDOMno se le aplican.
For example:
Por ejemplo:
```html run untrusted height=40
<style>
*!*
/* document stylewon't apply to theshadowtree inside #elem (1) */
/* document styleno será aplicado al árbolshadowdentro de #elem (1) */
*/!*
p { color: red; }
</style>
Expand All
@@ -116,42 +116,42 @@ For example:
<script>
elem.attachShadow({mode: 'open'});
*!*
//shadow tree has its own style (2)
//el árbol shadow tiene su propio style (2)
*/!*
elem.shadowRoot.innerHTML = `
<style> p { font-weight: bold; } </style>
<p>Hello, John!</p>
`;
*!*
// <p>is only visiblefrom queries inside the shadow tree (3)
// <p>solo es visibleen consultas "query" dentro del árbol shadow (3)
- Shadow DOMis mentioned in many other specifications, e.g.[DOM Parsing](https://w3c.github.io/DOM-Parsing/#the-innerhtml-mixin)specifies thatshadow roothas `innerHTML`.
- Shadow DOMes mencionado en muchas otras especificaciones, por ejemplo[DOM Parsing](https://w3c.github.io/DOM-Parsing/#the-innerhtml-mixin)especifica que queshadow roottiene `innerHTML`.
##Summary
##Resumen
Shadow DOMis a way to create a component-localDOM.
ElShadow DOMes una manera de crear unDOM de componentes locales.
2.We can populate`shadowRoot`using `innerHTML`or other DOM methods.
1. `shadowRoot = elem.attachShadow({mode: open|closed})` --crea shadow DOMpara `elem`.Si `mode="open"`,será accesible con la propiedad`elem.shadowRoot`.
2.Podemos llenar`shadowRoot`usando `innerHTML`u otros métodos DOM.
Shadow DOM elements:
-Have their own ids space,
-Invisible to JavaScript selectors from the main document, such as `querySelector`,
-Use styles only from the shadow tree, not from the main document.
Los elementos deShadow DOM:
-Tienen su propio espacio de ids,
-Son invisibles a los selectores JavaScript desde el documento principal tales como `querySelector`,
-Usan style solo desde dentro del árbol shadow, no desde el documento principal.
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.
ElShadow 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.
Add this suggestion to a batch that can be applied as a single commit.This suggestion is invalid because no changes were made to the code.Suggestions cannot be applied while the pull request is closed.Suggestions cannot be applied while viewing a subset of changes.Only one suggestion per line can be applied in a batch.Add this suggestion to a batch that can be applied as a single commit.Applying suggestions on deleted lines is not supported.You must change the existing code in this line in order to create a valid suggestion.Outdated suggestions cannot be applied.This suggestion has been applied or marked resolved.Suggestions cannot be applied from pending reviews.Suggestions cannot be applied on multi-line comments.Suggestions cannot be applied while the pull request is queued to merge.Suggestion cannot be applied right now. Please check back later.