aboutsummaryrefslogtreecommitdiff
path: root/beamer/viewer/stage/actions.js
blob: e4859989992663789558fb801cd0ba1940a323d4 (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
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
/*
 * Beamer Viewer, a web-based PDF presentation viewer
 * Copyright 2018-2024 Pacien TRAN-GIRARD
 * SPDX-License-Identifier: EUPL-1.2
 */

"use strict";

class ActionEventHandler {
  constructor(onNext, onPrevious) {
    this.onNext = onNext;
    this.onPrevious = onPrevious;
  }
}

class KeyboardEventHandler extends ActionEventHandler {
  register(window) {
    window.addEventListener("keydown", event => this._onCommand(event));
  }

  _onCommand(keyboardEvent) {
    switch (keyboardEvent.key) {
      case "Enter":
      case " ":
      case "ArrowRight":
      case "ArrowDown":
      case "n":
        return this.onNext();

      case "ArrowLeft":
      case "ArrowUp":
      case "p":
        return this.onPrevious();
    }
  }
}

class MouseClickEventHandler extends ActionEventHandler {
  register(window) {
    window.addEventListener("click", event => this._onCommand(event));
  }

  _onCommand(mouseEvent) {
    this.onNext();
  }
}

class TouchSwipeEventHandler extends ActionEventHandler {
  constructor(onNext, onPrevious) {
    super(onNext, onPrevious);
    this.touchStartEvent = null;
    this.touchMoveEvent = null;
  }

  register(window) {
    window.addEventListener("touchstart", event => {
      event.preventDefault();
      this._onTouchStart(event);
    });

    window.addEventListener("touchmove", event => {
      event.preventDefault();
      this._onTouchMove(event);
    });

    window.addEventListener("touchend", event => {
      event.preventDefault();
      this._onTouchEnd();
    });

    window.addEventListener("touchcancel", event => {
      event.preventDefault();
    });
  }

  _onTouchStart(touchEvent) {
    this.touchStartEvent = touchEvent;
  }

  _onTouchMove(touchEvent) {
    this.touchMoveEvent = touchEvent;
  }

  _onTouchEnd() {
    if (this.touchStartEvent == null || this.touchMoveEvent == null) return;

    const touchDown = this._xCoordinate(this.touchStartEvent);
    const touchUp = this._xCoordinate(this.touchMoveEvent);
    const xDelta = touchDown - touchUp;

    if (xDelta > 0)
      this.onNext();
    else if (xDelta < 0)
      this.onPrevious();
    
    this.touchStartEvent = null;
    this.touchMoveEvent = null;
  }

  _xCoordinate(touchEvent) {
    return touchEvent.touches[0].clientX; // first finger
  }
}