在自定义元素内附加自定义元素会导致隐藏元素

Appending a custom element inside a custom element results in hidden element

为什么我不能将自定义元素附加到另一个自定义元素?好吧,我可以,但结果是 child 元素现在被隐藏了。我不明白,因为我没有将它附加到 parent 的阴影 DOM 或其他东西。

https://jsfiddle.net/qehoLf8k/1/

HTML

<template id="text">
  <style>
    .text {
      color:red;
    }
  </style>
  <div class="text">Hello</div>
</template>

<template id="page">
  <style>
    :host {
      border:5px solid green;
      display: block;
      margin:20px;
      height:100px;
      width:100px;
    }
  </style>
  This is a page
</template>

<div id="my-body"></div>

JS

class Text extends HTMLElement {
    constructor(){
    super();
    this.attachShadow({mode: 'open'});
    const template = document.getElementById('text');
    const node = document.importNode(template.content, true);
    this.shadowRoot.appendChild(node);
  }
}
customElements.define('my-text', Text);

class Page extends HTMLElement {
    constructor(){
    super();
    this.attachShadow({mode: 'open'});
    const template = document.getElementById('page');
    const node = document.importNode(template.content, true);
    this.shadowRoot.appendChild(node);
  }
}
customElements.define('my-page', Page);

const body = document.getElementById('my-body')
const page = document.createElement('my-page')
const text = document.createElement('my-text')

// Not working, element is hidden
page.appendChild(text)
body.appendChild(page)

// Working
//body.appendChild(text)

结果:看不到 <my-page> 里面的 <my-text>。我的意图是将任意数量的 <my-text> 元素附加到 <my-page> 元素中。

Inspector image

因为您使用的是阴影 DOM,所以您应该使用 <slot> 元素来指示子项在模板中的位置。否则阴影将不知道如何处理子项,也不会在视觉上渲染它们。

<template id="page">
  <style>
    :host {
      border:5px solid green;
      display: block;
      margin:20px;
      height:100px;
      width:100px;
    }
  </style>
  <slot></slot> <!-- children go here -->
  This is a page
</template>