summaryrefslogtreecommitdiff
path: root/js/event_target.ts
blob: 3226fde96e62f337299d1342026b8c576061a823 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
// Copyright 2018 the Deno authors. All rights reserved. MIT license.
import * as domTypes from "./dom_types";

/* TODO: This is an incomplete implementation to provide functionality
 * for Event. A proper spec is still required for a proper Web API.
 */
export class EventTarget implements domTypes.EventTarget {
  public listeners: {
    [type in string]: domTypes.EventListenerOrEventListenerObject[]
  } = {};

  public addEventListener(
    type: string,
    listener: domTypes.EventListenerOrEventListenerObject | null,
    options?: boolean | domTypes.AddEventListenerOptions
  ): void {
    if (!(type in this.listeners)) {
      this.listeners[type] = [];
    }
    if (listener !== null) {
      this.listeners[type].push(listener);
    }
  }

  public removeEventListener(
    type: string,
    callback: domTypes.EventListenerOrEventListenerObject | null,
    options?: domTypes.EventListenerOptions | boolean
  ): void {
    if (type in this.listeners && callback !== null) {
      this.listeners[type] = this.listeners[type].filter(
        listener => listener !== callback
      );
    }
  }

  public dispatchEvent(event: domTypes.Event): boolean {
    if (!(event.type in this.listeners)) {
      return true;
    }
    const stack = this.listeners[event.type].slice();

    for (const stackElement of stack) {
      if ((stackElement as domTypes.EventListenerObject).handleEvent) {
        (stackElement as domTypes.EventListenerObject).handleEvent(event);
      } else {
        (stackElement as domTypes.EventListener).call(this, event);
      }
    }
    return !event.defaultPrevented;
  }
}