LayerUI.tsx 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659
  1. import React, {
  2. useRef,
  3. useState,
  4. RefObject,
  5. useEffect,
  6. useCallback,
  7. } from "react";
  8. import { showSelectedShapeActions } from "../element";
  9. import { calculateScrollCenter, getSelectedElements } from "../scene";
  10. import { exportCanvas } from "../data";
  11. import { AppState, LibraryItems, LibraryItem } from "../types";
  12. import { NonDeletedExcalidrawElement } from "../element/types";
  13. import { ActionManager } from "../actions/manager";
  14. import { Island } from "./Island";
  15. import Stack from "./Stack";
  16. import { FixedSideContainer } from "./FixedSideContainer";
  17. import { UserList } from "./UserList";
  18. import { LockIcon } from "./LockIcon";
  19. import { ExportDialog, ExportCB } from "./ExportDialog";
  20. import { LanguageList } from "./LanguageList";
  21. import { t, languages, setLanguage } from "../i18n";
  22. import { HintViewer } from "./HintViewer";
  23. import useIsMobile from "../is-mobile";
  24. import { ExportType } from "../scene/types";
  25. import { MobileMenu } from "./MobileMenu";
  26. import { ZoomActions, SelectedShapeActions, ShapesSwitcher } from "./Actions";
  27. import { Section } from "./Section";
  28. import { RoomDialog } from "./RoomDialog";
  29. import { ErrorDialog } from "./ErrorDialog";
  30. import { ShortcutsDialog } from "./ShortcutsDialog";
  31. import { LoadingMessage } from "./LoadingMessage";
  32. import { CLASSES } from "../constants";
  33. import { shield, exportFile, load } from "./icons";
  34. import { GitHubCorner } from "./GitHubCorner";
  35. import { Tooltip } from "./Tooltip";
  36. import "./LayerUI.scss";
  37. import { LibraryUnit } from "./LibraryUnit";
  38. import { ToolButton } from "./ToolButton";
  39. import { saveLibraryAsJSON, importLibraryFromJSON } from "../data/json";
  40. import { muteFSAbortError } from "../utils";
  41. import { BackgroundPickerAndDarkModeToggle } from "./BackgroundPickerAndDarkModeToggle";
  42. import clsx from "clsx";
  43. import { Library } from "../data/library";
  44. import { EVENT_EXIT, trackEvent } from "../analytics";
  45. interface LayerUIProps {
  46. actionManager: ActionManager;
  47. appState: AppState;
  48. canvas: HTMLCanvasElement | null;
  49. setAppState: React.Component<any, AppState>["setState"];
  50. elements: readonly NonDeletedExcalidrawElement[];
  51. onRoomCreate: () => void;
  52. onUsernameChange: (username: string) => void;
  53. onRoomDestroy: () => void;
  54. onLockToggle: () => void;
  55. onInsertShape: (elements: LibraryItem) => void;
  56. zenModeEnabled: boolean;
  57. toggleZenMode: () => void;
  58. lng: string;
  59. }
  60. const useOnClickOutside = (
  61. ref: RefObject<HTMLElement>,
  62. cb: (event: MouseEvent) => void,
  63. ) => {
  64. useEffect(() => {
  65. const listener = (event: MouseEvent) => {
  66. if (!ref.current) {
  67. return;
  68. }
  69. if (
  70. event.target instanceof Element &&
  71. (ref.current.contains(event.target) ||
  72. !document.body.contains(event.target))
  73. ) {
  74. return;
  75. }
  76. cb(event);
  77. };
  78. document.addEventListener("pointerdown", listener, false);
  79. return () => {
  80. document.removeEventListener("pointerdown", listener);
  81. };
  82. }, [ref, cb]);
  83. };
  84. const LibraryMenuItems = ({
  85. library,
  86. onRemoveFromLibrary,
  87. onAddToLibrary,
  88. onInsertShape,
  89. pendingElements,
  90. setAppState,
  91. }: {
  92. library: LibraryItems;
  93. pendingElements: LibraryItem;
  94. onRemoveFromLibrary: (index: number) => void;
  95. onInsertShape: (elements: LibraryItem) => void;
  96. onAddToLibrary: (elements: LibraryItem) => void;
  97. setAppState: React.Component<any, AppState>["setState"];
  98. }) => {
  99. const isMobile = useIsMobile();
  100. const numCells = library.length + (pendingElements.length > 0 ? 1 : 0);
  101. const CELLS_PER_ROW = isMobile ? 4 : 6;
  102. const numRows = Math.max(1, Math.ceil(numCells / CELLS_PER_ROW));
  103. const rows = [];
  104. let addedPendingElements = false;
  105. rows.push(
  106. <Stack.Row
  107. align="center"
  108. gap={1}
  109. key={"actions"}
  110. style={{ padding: "2px 0" }}
  111. >
  112. <ToolButton
  113. key="import"
  114. type="button"
  115. title={t("buttons.load")}
  116. aria-label={t("buttons.load")}
  117. icon={load}
  118. onClick={() => {
  119. importLibraryFromJSON()
  120. .then(() => {
  121. // Maybe we should close and open the menu so that the items get updated.
  122. // But for now we just close the menu.
  123. setAppState({ isLibraryOpen: false });
  124. })
  125. .catch(muteFSAbortError)
  126. .catch((error) => {
  127. setAppState({ errorMessage: error.message });
  128. });
  129. }}
  130. />
  131. <ToolButton
  132. key="export"
  133. type="button"
  134. title={t("buttons.export")}
  135. aria-label={t("buttons.export")}
  136. icon={exportFile}
  137. onClick={() => {
  138. saveLibraryAsJSON()
  139. .catch(muteFSAbortError)
  140. .catch((error) => {
  141. setAppState({ errorMessage: error.message });
  142. });
  143. }}
  144. />
  145. </Stack.Row>,
  146. );
  147. for (let row = 0; row < numRows; row++) {
  148. const i = CELLS_PER_ROW * row;
  149. const children = [];
  150. for (let j = 0; j < CELLS_PER_ROW; j++) {
  151. const shouldAddPendingElements: boolean =
  152. pendingElements.length > 0 &&
  153. !addedPendingElements &&
  154. i + j >= library.length;
  155. addedPendingElements = addedPendingElements || shouldAddPendingElements;
  156. children.push(
  157. <Stack.Col key={j}>
  158. <LibraryUnit
  159. elements={library[i + j]}
  160. pendingElements={
  161. shouldAddPendingElements ? pendingElements : undefined
  162. }
  163. onRemoveFromLibrary={onRemoveFromLibrary.bind(null, i + j)}
  164. onClick={
  165. shouldAddPendingElements
  166. ? onAddToLibrary.bind(null, pendingElements)
  167. : onInsertShape.bind(null, library[i + j])
  168. }
  169. />
  170. </Stack.Col>,
  171. );
  172. }
  173. rows.push(
  174. <Stack.Row align="center" gap={1} key={row}>
  175. {children}
  176. </Stack.Row>,
  177. );
  178. }
  179. return (
  180. <Stack.Col align="center" gap={1} className="layer-ui__library-items">
  181. {rows}
  182. </Stack.Col>
  183. );
  184. };
  185. const LibraryMenu = ({
  186. onClickOutside,
  187. onInsertShape,
  188. pendingElements,
  189. onAddToLibrary,
  190. setAppState,
  191. }: {
  192. pendingElements: LibraryItem;
  193. onClickOutside: (event: MouseEvent) => void;
  194. onInsertShape: (elements: LibraryItem) => void;
  195. onAddToLibrary: () => void;
  196. setAppState: React.Component<any, AppState>["setState"];
  197. }) => {
  198. const ref = useRef<HTMLDivElement | null>(null);
  199. useOnClickOutside(ref, (event) => {
  200. // If click on the library icon, do nothing.
  201. if ((event.target as Element).closest(".ToolIcon_type_button__library")) {
  202. return;
  203. }
  204. onClickOutside(event);
  205. });
  206. const [libraryItems, setLibraryItems] = useState<LibraryItems>([]);
  207. const [loadingState, setIsLoading] = useState<
  208. "preloading" | "loading" | "ready"
  209. >("preloading");
  210. const loadingTimerRef = useRef<NodeJS.Timeout | null>(null);
  211. useEffect(() => {
  212. Promise.race([
  213. new Promise((resolve) => {
  214. loadingTimerRef.current = setTimeout(() => {
  215. resolve("loading");
  216. }, 100);
  217. }),
  218. Library.loadLibrary().then((items) => {
  219. setLibraryItems(items);
  220. setIsLoading("ready");
  221. }),
  222. ]).then((data) => {
  223. if (data === "loading") {
  224. setIsLoading("loading");
  225. }
  226. });
  227. return () => {
  228. clearTimeout(loadingTimerRef.current!);
  229. };
  230. }, []);
  231. const removeFromLibrary = useCallback(async (indexToRemove) => {
  232. const items = await Library.loadLibrary();
  233. const nextItems = items.filter((_, index) => index !== indexToRemove);
  234. Library.saveLibrary(nextItems);
  235. setLibraryItems(nextItems);
  236. }, []);
  237. const addToLibrary = useCallback(
  238. async (elements: LibraryItem) => {
  239. const items = await Library.loadLibrary();
  240. const nextItems = [...items, elements];
  241. onAddToLibrary();
  242. Library.saveLibrary(nextItems);
  243. setLibraryItems(nextItems);
  244. },
  245. [onAddToLibrary],
  246. );
  247. return loadingState === "preloading" ? null : (
  248. <Island padding={1} ref={ref} className="layer-ui__library">
  249. {loadingState === "loading" ? (
  250. <div className="layer-ui__library-message">
  251. {t("labels.libraryLoadingMessage")}
  252. </div>
  253. ) : (
  254. <LibraryMenuItems
  255. library={libraryItems}
  256. onRemoveFromLibrary={removeFromLibrary}
  257. onAddToLibrary={addToLibrary}
  258. onInsertShape={onInsertShape}
  259. pendingElements={pendingElements}
  260. setAppState={setAppState}
  261. />
  262. )}
  263. </Island>
  264. );
  265. };
  266. const LayerUI = ({
  267. actionManager,
  268. appState,
  269. setAppState,
  270. canvas,
  271. elements,
  272. onRoomCreate,
  273. onUsernameChange,
  274. onRoomDestroy,
  275. onLockToggle,
  276. onInsertShape,
  277. zenModeEnabled,
  278. toggleZenMode,
  279. }: LayerUIProps) => {
  280. const isMobile = useIsMobile();
  281. // TODO: Extend tooltip component and use here.
  282. const renderEncryptedIcon = () => (
  283. <a
  284. className={clsx("encrypted-icon tooltip zen-mode-visibility", {
  285. "zen-mode-visibility--hidden": zenModeEnabled,
  286. })}
  287. href="https://blog.excalidraw.com/end-to-end-encryption/"
  288. target="_blank"
  289. rel="noopener noreferrer"
  290. onClick={() => {
  291. trackEvent(EVENT_EXIT, "e2ee shield");
  292. }}
  293. >
  294. <span className="tooltip-text" dir="auto">
  295. {t("encrypted.tooltip")}
  296. </span>
  297. {shield}
  298. </a>
  299. );
  300. const renderExportDialog = () => {
  301. const createExporter = (type: ExportType): ExportCB => async (
  302. exportedElements,
  303. scale,
  304. ) => {
  305. if (canvas) {
  306. await exportCanvas(type, exportedElements, appState, canvas, {
  307. exportBackground: appState.exportBackground,
  308. name: appState.name,
  309. viewBackgroundColor: appState.viewBackgroundColor,
  310. scale,
  311. shouldAddWatermark: appState.shouldAddWatermark,
  312. })
  313. .catch(muteFSAbortError)
  314. .catch((error) => {
  315. console.error(error);
  316. setAppState({ errorMessage: error.message });
  317. });
  318. }
  319. };
  320. return (
  321. <ExportDialog
  322. elements={elements}
  323. appState={appState}
  324. actionManager={actionManager}
  325. onExportToPng={createExporter("png")}
  326. onExportToSvg={createExporter("svg")}
  327. onExportToClipboard={createExporter("clipboard")}
  328. onExportToBackend={async (exportedElements) => {
  329. if (canvas) {
  330. try {
  331. await exportCanvas(
  332. "backend",
  333. exportedElements,
  334. {
  335. ...appState,
  336. selectedElementIds: {},
  337. },
  338. canvas,
  339. appState,
  340. );
  341. } catch (error) {
  342. if (error.name !== "AbortError") {
  343. const { width, height } = canvas;
  344. console.error(error, { width, height });
  345. setAppState({ errorMessage: error.message });
  346. }
  347. }
  348. }
  349. }}
  350. />
  351. );
  352. };
  353. const renderCanvasActions = () => (
  354. <Section
  355. heading="canvasActions"
  356. className={clsx("zen-mode-transition", {
  357. "transition-left": zenModeEnabled,
  358. })}
  359. >
  360. {/* the zIndex ensures this menu has higher stacking order,
  361. see https://github.com/excalidraw/excalidraw/pull/1445 */}
  362. <Island padding={2} style={{ zIndex: 1 }}>
  363. <Stack.Col gap={4}>
  364. <Stack.Row gap={1} justifyContent="space-between">
  365. {actionManager.renderAction("loadScene")}
  366. {actionManager.renderAction("saveScene")}
  367. {actionManager.renderAction("saveAsScene")}
  368. {renderExportDialog()}
  369. {actionManager.renderAction("clearCanvas")}
  370. <RoomDialog
  371. isCollaborating={appState.isCollaborating}
  372. collaboratorCount={appState.collaborators.size}
  373. username={appState.username}
  374. onUsernameChange={onUsernameChange}
  375. onRoomCreate={onRoomCreate}
  376. onRoomDestroy={onRoomDestroy}
  377. setErrorMessage={(message: string) =>
  378. setAppState({ errorMessage: message })
  379. }
  380. />
  381. </Stack.Row>
  382. <BackgroundPickerAndDarkModeToggle
  383. actionManager={actionManager}
  384. appState={appState}
  385. setAppState={setAppState}
  386. />
  387. </Stack.Col>
  388. </Island>
  389. </Section>
  390. );
  391. const renderSelectedShapeActions = () => (
  392. <Section
  393. heading="selectedShapeActions"
  394. className={clsx("zen-mode-transition", {
  395. "transition-left": zenModeEnabled,
  396. })}
  397. >
  398. <Island className={CLASSES.SHAPE_ACTIONS_MENU} padding={2}>
  399. <SelectedShapeActions
  400. appState={appState}
  401. elements={elements}
  402. renderAction={actionManager.renderAction}
  403. elementType={appState.elementType}
  404. />
  405. </Island>
  406. </Section>
  407. );
  408. const closeLibrary = useCallback(
  409. (event) => {
  410. setAppState({ isLibraryOpen: false });
  411. },
  412. [setAppState],
  413. );
  414. const deselectItems = useCallback(() => {
  415. setAppState({
  416. selectedElementIds: {},
  417. selectedGroupIds: {},
  418. });
  419. }, [setAppState]);
  420. const libraryMenu = appState.isLibraryOpen ? (
  421. <LibraryMenu
  422. pendingElements={getSelectedElements(elements, appState)}
  423. onClickOutside={closeLibrary}
  424. onInsertShape={onInsertShape}
  425. onAddToLibrary={deselectItems}
  426. setAppState={setAppState}
  427. />
  428. ) : null;
  429. const renderFixedSideContainer = () => {
  430. const shouldRenderSelectedShapeActions = showSelectedShapeActions(
  431. appState,
  432. elements,
  433. );
  434. return (
  435. <FixedSideContainer side="top">
  436. <div className="App-menu App-menu_top">
  437. <Stack.Col
  438. gap={4}
  439. className={clsx({ "disable-pointerEvents": zenModeEnabled })}
  440. >
  441. {renderCanvasActions()}
  442. {shouldRenderSelectedShapeActions && renderSelectedShapeActions()}
  443. </Stack.Col>
  444. <Section heading="shapes">
  445. {(heading) => (
  446. <Stack.Col gap={4} align="start">
  447. <Stack.Row gap={1}>
  448. <Island
  449. padding={1}
  450. className={clsx({ "zen-mode": zenModeEnabled })}
  451. >
  452. <HintViewer appState={appState} elements={elements} />
  453. {heading}
  454. <Stack.Row gap={1}>
  455. <ShapesSwitcher
  456. elementType={appState.elementType}
  457. setAppState={setAppState}
  458. isLibraryOpen={appState.isLibraryOpen}
  459. />
  460. </Stack.Row>
  461. </Island>
  462. <LockIcon
  463. zenModeEnabled={zenModeEnabled}
  464. checked={appState.elementLocked}
  465. onChange={onLockToggle}
  466. title={t("toolBar.lock")}
  467. />
  468. </Stack.Row>
  469. {libraryMenu}
  470. </Stack.Col>
  471. )}
  472. </Section>
  473. <UserList
  474. className={clsx("zen-mode-transition", {
  475. "transition-right": zenModeEnabled,
  476. })}
  477. >
  478. {Array.from(appState.collaborators)
  479. // Collaborator is either not initialized or is actually the current user.
  480. .filter(([_, client]) => Object.keys(client).length !== 0)
  481. .map(([clientId, client]) => (
  482. <Tooltip
  483. label={client.username || "Unknown user"}
  484. key={clientId}
  485. >
  486. {actionManager.renderAction("goToCollaborator", clientId)}
  487. </Tooltip>
  488. ))}
  489. </UserList>
  490. </div>
  491. </FixedSideContainer>
  492. );
  493. };
  494. const renderBottomAppMenu = () => {
  495. return (
  496. <div
  497. className={clsx("App-menu App-menu_bottom zen-mode-transition", {
  498. "App-menu_bottom--transition-left": zenModeEnabled,
  499. })}
  500. >
  501. <Stack.Col gap={2}>
  502. <Section heading="canvasActions">
  503. <Island padding={1}>
  504. <ZoomActions
  505. renderAction={actionManager.renderAction}
  506. zoom={appState.zoom}
  507. />
  508. </Island>
  509. {renderEncryptedIcon()}
  510. </Section>
  511. </Stack.Col>
  512. </div>
  513. );
  514. };
  515. const renderFooter = () => (
  516. <footer role="contentinfo" className="layer-ui__wrapper__footer">
  517. <div
  518. className={clsx("zen-mode-transition", {
  519. "transition-right disable-pointerEvents": zenModeEnabled,
  520. })}
  521. >
  522. <LanguageList
  523. onChange={async (lng) => {
  524. await setLanguage(lng);
  525. setAppState({});
  526. }}
  527. languages={languages}
  528. floating
  529. />
  530. {actionManager.renderAction("toggleShortcuts")}
  531. </div>
  532. <button
  533. className={clsx("disable-zen-mode", {
  534. "disable-zen-mode--visible": zenModeEnabled,
  535. })}
  536. onClick={toggleZenMode}
  537. >
  538. {t("buttons.exitZenMode")}
  539. </button>
  540. {appState.scrolledOutside && (
  541. <button
  542. className="scroll-back-to-content"
  543. onClick={() => {
  544. setAppState({
  545. ...calculateScrollCenter(elements, appState, canvas),
  546. });
  547. }}
  548. >
  549. {t("buttons.scrollBackToContent")}
  550. </button>
  551. )}
  552. </footer>
  553. );
  554. return isMobile ? (
  555. <MobileMenu
  556. appState={appState}
  557. elements={elements}
  558. actionManager={actionManager}
  559. libraryMenu={libraryMenu}
  560. exportButton={renderExportDialog()}
  561. setAppState={setAppState}
  562. onUsernameChange={onUsernameChange}
  563. onRoomCreate={onRoomCreate}
  564. onRoomDestroy={onRoomDestroy}
  565. onLockToggle={onLockToggle}
  566. canvas={canvas}
  567. />
  568. ) : (
  569. <div className="layer-ui__wrapper">
  570. {appState.isLoading && <LoadingMessage />}
  571. {appState.errorMessage && (
  572. <ErrorDialog
  573. message={appState.errorMessage}
  574. onClose={() => setAppState({ errorMessage: null })}
  575. />
  576. )}
  577. {appState.showShortcutsDialog && (
  578. <ShortcutsDialog
  579. onClose={() => setAppState({ showShortcutsDialog: false })}
  580. />
  581. )}
  582. {renderFixedSideContainer()}
  583. {renderBottomAppMenu()}
  584. {
  585. <aside
  586. className={clsx(
  587. "layer-ui__wrapper__github-corner zen-mode-transition",
  588. {
  589. "transition-right": zenModeEnabled,
  590. },
  591. )}
  592. >
  593. <GitHubCorner appearance={appState.appearance} />
  594. </aside>
  595. }
  596. {renderFooter()}
  597. </div>
  598. );
  599. };
  600. const areEqual = (prev: LayerUIProps, next: LayerUIProps) => {
  601. const getNecessaryObj = (appState: AppState): Partial<AppState> => {
  602. const {
  603. cursorX,
  604. cursorY,
  605. suggestedBindings,
  606. startBoundElement: boundElement,
  607. ...ret
  608. } = appState;
  609. return ret;
  610. };
  611. const prevAppState = getNecessaryObj(prev.appState);
  612. const nextAppState = getNecessaryObj(next.appState);
  613. const keys = Object.keys(prevAppState) as (keyof Partial<AppState>)[];
  614. return (
  615. prev.lng === next.lng &&
  616. prev.elements === next.elements &&
  617. keys.every((key) => prevAppState[key] === nextAppState[key])
  618. );
  619. };
  620. export default React.memo(LayerUI, areEqual);