2

我正在创建两个自定义元素,它们都使用链接 rel="import" 添加到 index.html。一个是带有插槽的容器,另一个是在插槽中放入数字的东西。这两个元素都有一个带有模板的 HTML 文件和一个指向将它们定义为自定义元素的 js 文件的链接。要将自定义元素类声明链接到我正在使用的 HTML 模板:

class PuzzlePiece extends HTMLElement{

constructor(){
    super();
    console.dir(document.currentScript);
    const t = document.currentScript.ownerDocument.getElementById('piece-puzzle');
    const shadowRoot = this.attachShadow({mode: 'open'});
    shadowRoot.appendChild(t.content.cloneNode(true));
 }

这个拼图元素和容器正确渲染,当您手动将它们放入 index.html 轻 dom 时,它们都可以正常工作

<special-puzzle id="grid">
    <puzzle-piece id="hello"></puzzle-piece>
 </special-puzzle>

但是,一旦我尝试在 index.html 中使用 JS 创建和附加拼图:

<script>
    const addToGrid = document.createElement("puzzle-piece");
    document.getElementById("grid").appendChild(addToGrid);
</script>

我在特殊拼图灯光 dom 中看到了一个新拼图,但它不占用插槽,不渲染,并且控制台出现错误:

未捕获的类型错误:无法在 HTMLDocument.createElement (:3:492) at (index):37 处读取新 PuzzlePiece (puzzle-piece.ts:8) 的属性“内容”

据我所知,问题是在使用 document.createElement 时,浏览器正在进入类定义,但 document.currentScript.ownerDocument 与仅手动使用 HTML 标记时不同。我相信正因为如此,组件找不到它的模板。这是我的第一个 Stack Overflow 问题,因此我们将不胜感激任何反馈/帮助!

4

1 回答 1

2

感谢很棒的@Supersharp 和他们的Stack Overflow 帖子解决了

基本上,为了保留正确的 document.currentScript.ownerDocument,我需要在类之前在 var 中声明它,然后在类中使用该 var。

老的:

class PuzzlePiece extends HTMLElement{
constructor(){
super();
const t = document.currentScript.ownerDocument.getElementById('piece-puzzle');
const shadowRoot = this.attachShadow({mode: 'open'});
shadowRoot.appendChild(t.content.cloneNode(true));}

新的:

var importedDoc = document.currentScript.ownerDocument;
class PuzzlePiece extends HTMLElement{
constructor(){
super();
const t = importedDoc.getElementById('piece-puzzle');
const shadowRoot = this.attachShadow({mode: 'open'});
shadowRoot.appendChild(t.content.cloneNode(true));}
于 2017-03-06T19:05:58.073 回答