如何将函数绑定到 Shadow DOM 内的元素?

How do I bind a function to elements inside of a Shadow DOM?

我正在使用 Web 组件并尝试将 click 事件绑定到 Shadow DOM 内的元素。

1. component.html 作为 <link rel="import" ...> 包含在 index.html

<template id="my-element">
    <section>
        <header>
            <content select="h1"></content>
            <button></button>
        </header>
        <content select="div"></content>
    </section>
</template>

2。以后的元素用法:

<my-element>
    <h1>Headline</h1>
    <div>...</div>
</my-element>

3。访问元素并将函数绑定到它

现在我想 添加 一个 addEventListener()<my-element> <button>(不幸的是通过#shadow-root)隐藏。喜欢:

var elemBtn = document.querySelector('my-element button');
elemBtn.addEventListener('click', function(event) {
    // do stuff
});

但这行不通。 我该如何实现?

我发现在 <template> 中创建自定义 createEvent('MouseEvent'); 就可以了!

TL;DR http://jsfiddle.net/morkro/z0vbh11v/


1。首先,您需要将 onclick=""-属性添加到我们的 <template> 并创建一个自定义事件:

<template id="my-element">
    <section>
        <header>
            <content select="h1"></content>
            <button onclick="callEventOnBtn()"></button>
        </header>
        <content select="div"></content>
    </section>

    <script>
        var btnEvent = document.createEvent('MouseEvent');
        btnEvent.initEvent('oncomponentbtn', true, true);
        var callEventOnBtn = function() {
            window.dispatchEvent(btnEvent);
        };
    </script>
</template>

我在 <template> 内部创建自定义事件,并在稍后使用自定义元素时自动将其分派给全局 window 对象。

2。现在我们可以在单击自定义元素

上的 <button> 时收听该事件
window.addEventListener('oncomponentbtn', function(event) {
    // do stuff
});

您应该能够在不涉及 window 对象的情况下执行此操作。这是一个完整的例子:

<!-- Define element template -->
<template>
  <h1>Hello World</h1>
  <button id="btn">Click me</button>
</template>

<!-- Create custom element definition -->
<script>
  var tmpl = document.querySelector('template');

  var WidgetProto = Object.create(HTMLElement.prototype);

  WidgetProto.createdCallback = function() {
    var root = this.createShadowRoot();
    root.appendChild(document.importNode(tmpl.content, true));
    // Grab a reference to the button in the shadow root
    var btn = root.querySelector('#btn');
    // Handle the button's click event
    btn.addEventListener('click', this.fireBtn.bind(this));
  };

  // Dispatch a custom event when the button is clicked
  WidgetProto.fireBtn = function() {
    this.dispatchEvent(new Event('btn-clicked'));
  };

  var Widget = document.registerElement('my-widget', {
    prototype: WidgetProto
  });
</script>

<!-- Use the element -->
<my-widget></my-widget>

<!-- Listen for its click event -->
<script>
  var widget = document.querySelector('my-widget');
  widget.addEventListener('btn-clicked', function() {
    alert('the button was clicked');
  });
</script>

Example on jsbin