| 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
 | import { IconProp } from '@fortawesome/fontawesome-svg-core';
import { FontAwesomeIcon } from '@fortawesome/react-fontawesome';
import { action, makeObservable, observable, runInAction } from 'mobx';
import { observer } from 'mobx-react';
import * as React from 'react';
import { SnappingManager } from '../util/SnappingManager';
import { UndoManager } from '../util/UndoManager';
import { ObservableReactComponent } from './ObservableReactComponent';
export interface ContextMenuProps {
    icon: IconProp | JSX.Element;
    description: string;
    addDivider?: boolean;
    closeMenu?: () => void;
    subitems?: ContextMenuProps[];
    noexpand?: boolean; // whether to render the submenu items as a flyout from this item, or inline in place of this item
    undoable?: boolean; // whether to wrap the event callback in an UndoBatch or not
    event?: (stuff?: { x: number; y: number }) => void;
}
@observer
export class ContextMenuItem extends ObservableReactComponent<ContextMenuProps & { selected?: boolean }> {
    static readonly HOVER_TIMEOUT = 100;
    _hoverTimeout?: NodeJS.Timeout;
    _overPosY = 0;
    _overPosX = 0;
    @observable _items: ContextMenuProps[] = [];
    @observable _overItem = false;
    constructor(props: ContextMenuProps & { selected?: boolean }) {
        super(props);
        makeObservable(this);
    }
    componentDidMount() {
        runInAction(() => this._items.push(...(this._props.subitems ?? [])));
    }
    handleEvent = async (e: React.MouseEvent<HTMLDivElement>) => {
        if (this._props.event) {
            this._props.closeMenu?.();
            const batch = this._props.undoable ? UndoManager.StartBatch(`Click Menu item: ${this._props.description}`) : undefined;
            await this._props.event({ x: e.clientX, y: e.clientY });
            batch?.end();
        }
    };
    setOverItem = (over: boolean) => {
        this._hoverTimeout = setTimeout( action(() => {  this._overItem = over;  }), ContextMenuItem.HOVER_TIMEOUT ); // prettier-ignore
    };
    onPointerEnter = (e: React.MouseEvent) => {
        this._hoverTimeout && clearTimeout(this._hoverTimeout);
        this._overPosY = e.clientY;
        this._overPosX = e.clientX;
        !this._overItem && this.setOverItem(true);
    };
    onPointerLeave = () => {
        this._hoverTimeout && clearTimeout(this._hoverTimeout);
        this._overItem && this.setOverItem(false);
    };
    renderItem = (submenu: JSX.Element[]) => {
        const alignItems = this._overPosY < window.innerHeight / 3 ? 'flex-start' : this._overPosY > (window.innerHeight * 2) / 3 ? 'flex-end' : 'center';
        const marginTop = this._overPosY < window.innerHeight / 3 ? '20px' : this._overPosY > (window.innerHeight * 2) / 3 ? '-20px' : '';
        const marginLeft = window.innerWidth - this._overPosX - 50 > 0 ? '90%' : '20%';
        return (
            <div className={`contextMenuItem${this._props.selected ? '-Selected' : ''}`} //
                 onPointerEnter={this.onPointerEnter} onPointerLeave={this.onPointerLeave} onPointerDown={this.handleEvent} 
                 style={{ alignItems, borderTop: this._props.addDivider ? 'solid 1px' : undefined }}
            >
                <div className="contextMenuItem-background" style={{ background: SnappingManager.userColor, filter: this._overItem ? 'opacity(0.2)' : '' }} />
                <span className="contextMenuItem-icon" style={{ alignItems: 'center', alignSelf: 'center' }}>
                    {React.isValidElement(this._props.icon) ? this._props.icon : this._props.icon ? <FontAwesomeIcon icon={this._props.icon as IconProp} size="sm" /> : null}
                </span>
                <div className="contextMenu-description"> {this._props.description} </div>
                {!submenu.length ? null : (
                    !this._overItem ? 
                        <FontAwesomeIcon icon="angle-right" size="lg" style={{ position: 'absolute', right: '10px' }} /> : (
                        <div className="contextMenu-subMenu-cont" style={{ marginLeft, marginTop, background: SnappingManager.userBackgroundColor }}>
                            {submenu}
                        </div>
                    )
                )}
            </div>
        ); // prettier-ignore
    };
    render() {
        const submenu = this._items.map(prop => <ContextMenuItem {...prop} key={prop.description} closeMenu={this._props.closeMenu} />);
        return this.props.event || this._props.noexpand ? this.renderItem(submenu) : <div className="contextMenu-inlineMenu">{submenu}</div>;
    }
}
 |