aboutsummaryrefslogtreecommitdiffstats
path: root/subprojects/frontend/src/editor/PanelStore.ts
blob: 653d309ce21be0dcfa04542847535d08944f16d6 (plain) (blame)
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
import type { Command } from '@codemirror/view';
import { action, makeObservable, observable } from 'mobx';

import getLogger from '../utils/getLogger';

import type EditorStore from './EditorStore';

const log = getLogger('editor.PanelStore');

export default class PanelStore {
  state = false;

  constructor(
    private readonly panelId: string,
    private readonly openCommand: Command,
    private readonly closeCommand: Command,
    private readonly store: EditorStore,
  ) {
    makeObservable(this, {
      state: observable,
      open: action,
      close: action,
      toggle: action,
      synchronizeStateToView: action,
    });
  }

  open(): boolean {
    return this.setState(true);
  }

  close(): boolean {
    return this.setState(false);
  }

  toggle(): void {
    this.setState(!this.state);
  }

  private setState(newState: boolean): boolean {
    if (this.state === newState) {
      return false;
    }
    log.debug('Show', this.panelId, 'panel', newState);
    if (newState) {
      this.doOpen();
    } else {
      this.doClose();
    }
    this.state = newState;
    return true;
  }

  synchronizeStateToView(): void {
    this.doClose();
    if (this.state) {
      this.doOpen();
    }
  }

  private doOpen(): void {
    if (!this.store.doCommand(this.openCommand)) {
      return;
    }
    const { view } = this.store;
    if (view === undefined) {
      return;
    }
    const buttonQuery = `.cm-${this.panelId}.cm-panel button[name="close"]`;
    const closeButton = view.dom.querySelector(buttonQuery);
    if (closeButton !== null) {
      log.debug('Addig close button callback to', this.panelId, 'panel');
      // We must remove the event listener from the button that dispatches a transaction
      // without going through `EditorStore`. This listened is added by CodeMirror,
      // and we can only remove it by cloning the DOM node: https://stackoverflow.com/a/9251864
      const closeButtonWithoutListeners = closeButton.cloneNode(true);
      closeButtonWithoutListeners.addEventListener('click', (event) => {
        this.close();
        event.preventDefault();
      });
      closeButton.replaceWith(closeButtonWithoutListeners);
    } else {
      log.error('Opened', this.panelId, 'panel has no close button');
    }
  }

  private doClose(): void {
    this.store.doCommand(this.closeCommand);
  }
}