6

Web 组件(仅针对此问题的自治自定义元素)可以通过多种方式“栩栩如生”。

以下三个选项之间是否存在显着差异?

选项1:

const foo = document.createElement('foo-element');
document.body.appendChild(foo);

选项 2:

const div = document.createElement('div');
div.innerHTML = '<foo-element></foo-element>'
const foo = div.firstElementChild;
document.body.appendChild(foo);

选项 3:

const foo = new FooElement;
document.body.appendChild(foo);

我基于 Karma/Mocha 堆栈编写了一些单元测试,并使用选项 3 创建了我的实例。

这是否足够,这意味着,我可以使用任何一种方法依赖具有相同状态/行为的组件,还是有必要重复我的所有测试并应用所有不同的实例化选项?

document.createElement由于错误,我的一个 Web 组件无法使用实例化:

VM977:1 Uncaught DOMException: Failed to construct 'CustomElement':
The result must not have attributes
at <anonymous>:1:10

可以毫无问题地实例化相同的组件这一事实new告诉我,在幕后,必须存在显着差异,尤其是在new FooElement和之间document.createElement('foo-element')

当然,我可以编写三个通用测试来测试所有三种实例化方式,但这是否足够?

还是应该使用所有 3 个实例化选项来运行我所有现有的测试?

或者换个方式问:

每个实例实例化后是否完全相同?(假设没有错误)

4

1 回答 1

3

foo-element如果您使用该方法注册为自定义 HTML 元素,这 3 种方法的差异就会显现出来CustomElementRegistry.define()。根据我的实验,第二种方法不能利用注册自定义元素提供的任何特殊处理。此外,第一种方法必须按如下方式完成:

document.createElement("p", { is: "foo-element" });

我已经定义foo-element以扩展<p>标签为例。

无论如何,一个例子可以更好地解释这一点。在下面的代码中,我已定义FooElement扩展<p>标签以使用文本“I am foo”自动初始化。

// Create a class for the element
class FooElement extends HTMLParagraphElement {
  constructor() {
    // Always call super first in constructor
    super();
    this.innerText = 'I am foo';
  }
}


// Define the new element (The CustomElementRegistry is available through the Window.customElements property):

customElements.define('foo-element', FooElement, { extends: 'p' });

现在执行以下代码段:

window.onload = function() {
    class FooElement extends HTMLParagraphElement {
      constructor() {
        // Always call super first in constructor
        super();
        this.innerText = 'I am foo';
      }
    }

    customElements.define('foo-element', FooElement, { extends: 'p' });

    const div1 = document.createElement('div');
    document.body.appendChild(div1);
    const foo1 = document.createElement("p", { is: "foo-element" });
    div1.appendChild(foo1);

    const div2 = document.createElement('div');
    document.body.appendChild(div2);
    div2.innerHTML = '<foo-element></foo-element>';

    const div3 = document.createElement('div');
    document.body.appendChild(div3);
    const foo3 = new FooElement();
    div3.appendChild(foo3);

};
<body>
</body>

我们已经创建了所有三个元素,但只有 thirst 和第三个选项对实现所需的特殊处理有任何影响。如果您要检查文本,您会看到实际的封闭元素实际上是<p>标签。

就您DOMException而言,无论您是否注册了元素,您展示的前两种方法都不应导致异常。FooElement但是,如果不是合法节点(如上例中通过扩展创建的),第三种方法将抛出异常HTMLParagraphElement。因此,我需要有关您的异常的确切情况的更多信息。

更新

这里的类FooElement不继承自标准元素并引发异常:

window.onload = function() {
    class FooElement {
      constructor() {
      }
    }

    const div3 = document.createElement('div');
    document.body.appendChild(div3);
    const foo3 = new FooElement();
    div3.appendChild(foo3);

};
<body>
</body>

于 2020-08-31T12:07:39.643 回答