lit-element 像vue$emit 监听事件
时间: 2023-10-25 20:10:08 浏览: 199
lit-element 提供了一个事件系统,可以使用 `this.dispatchEvent(new CustomEvent(eventName, {detail: data}))` 发送事件,并使用 `this.addEventListener(eventName, callback)` 监听事件。类似于 Vue 的 `$emit` 和 `$on`。
举个例子:
```javascript
import {LitElement, html} from 'lit-element';
class MyElement extends LitElement {
static get properties() {
return {
count: {type: Number},
};
}
constructor() {
super();
this.count = 0;
}
render() {
return html`
<button @click="${this._increment}">+1</button>
`;
}
_increment() {
this.count++;
this.dispatchEvent(new CustomEvent('count-changed', {detail: this.count}));
}
connectedCallback() {
super.connectedCallback();
this.addEventListener('count-changed', this._onCountChanged);
}
disconnectedCallback() {
super.disconnectedCallback();
this.removeEventListener('count-changed', this._onCountChanged);
}
_onCountChanged(event) {
console.log(event.detail); // 输出最新的 count 值
}
}
customElements.define('my-element', MyElement);
```
在上面的例子中,当用户点击按钮时,我们使用 `_increment` 方法增加了 `count` 的值,并通过 `dispatchEvent` 发送了一个自定义事件 `count-changed`,事件的 `detail` 属性设置为最新的 `count` 值。然后在 `connectedCallback` 方法中,我们使用 `addEventListener` 监听了这个事件,并将 `_onCountChanged` 方法作为回调函数。在 `_onCountChanged` 方法中,我们可以获取到事件的 `detail` 属性,从而获取最新的 `count` 值。
阅读全文