index.ts 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406
  1. import {
  2. ExcalidrawElement,
  3. NonDeletedExcalidrawElement,
  4. } from "../element/types";
  5. import { getDefaultAppState } from "../appState";
  6. import { AppState } from "../types";
  7. import { exportToCanvas, exportToSvg } from "../scene/export";
  8. import { fileSave } from "browser-nativefs";
  9. import { t } from "../i18n";
  10. import {
  11. copyCanvasToClipboardAsPng,
  12. copyTextToSystemClipboard,
  13. } from "../clipboard";
  14. import { serializeAsJSON } from "./json";
  15. import { ExportType } from "../scene/types";
  16. import { restore } from "./restore";
  17. import { ImportedDataState } from "./types";
  18. import { canvasToBlob } from "./blob";
  19. import { EVENT_ACTION, trackEvent } from "../analytics";
  20. export { loadFromBlob } from "./blob";
  21. export { saveAsJSON, loadFromJSON } from "./json";
  22. const BACKEND_GET = process.env.REACT_APP_BACKEND_V1_GET_URL;
  23. const BACKEND_V2_POST = process.env.REACT_APP_BACKEND_V2_POST_URL;
  24. const BACKEND_V2_GET = process.env.REACT_APP_BACKEND_V2_GET_URL;
  25. export const SOCKET_SERVER = process.env.REACT_APP_SOCKET_SERVER_URL;
  26. export type EncryptedData = {
  27. data: ArrayBuffer;
  28. iv: Uint8Array;
  29. };
  30. export type SocketUpdateDataSource = {
  31. SCENE_INIT: {
  32. type: "SCENE_INIT";
  33. payload: {
  34. elements: readonly ExcalidrawElement[];
  35. };
  36. };
  37. SCENE_UPDATE: {
  38. type: "SCENE_UPDATE";
  39. payload: {
  40. elements: readonly ExcalidrawElement[];
  41. };
  42. };
  43. MOUSE_LOCATION: {
  44. type: "MOUSE_LOCATION";
  45. payload: {
  46. socketId: string;
  47. pointer: { x: number; y: number };
  48. button: "down" | "up";
  49. selectedElementIds: AppState["selectedElementIds"];
  50. username: string;
  51. };
  52. };
  53. };
  54. export type SocketUpdateDataIncoming =
  55. | SocketUpdateDataSource[keyof SocketUpdateDataSource]
  56. | {
  57. type: "INVALID_RESPONSE";
  58. };
  59. const byteToHex = (byte: number): string => `0${byte.toString(16)}`.slice(-2);
  60. const generateRandomID = async () => {
  61. const arr = new Uint8Array(10);
  62. window.crypto.getRandomValues(arr);
  63. return Array.from(arr, byteToHex).join("");
  64. };
  65. const generateEncryptionKey = async () => {
  66. const key = await window.crypto.subtle.generateKey(
  67. {
  68. name: "AES-GCM",
  69. length: 128,
  70. },
  71. true, // extractable
  72. ["encrypt", "decrypt"],
  73. );
  74. return (await window.crypto.subtle.exportKey("jwk", key)).k;
  75. };
  76. export const createIV = () => {
  77. const arr = new Uint8Array(12);
  78. return window.crypto.getRandomValues(arr);
  79. };
  80. export const getCollaborationLinkData = (link: string) => {
  81. if (link.length === 0) {
  82. return;
  83. }
  84. const hash = new URL(link).hash;
  85. return hash.match(/^#room=([a-zA-Z0-9_-]+),([a-zA-Z0-9_-]+)$/);
  86. };
  87. export const generateCollaborationLink = async () => {
  88. const id = await generateRandomID();
  89. const key = await generateEncryptionKey();
  90. return `${window.location.origin}${window.location.pathname}#room=${id},${key}`;
  91. };
  92. export const getImportedKey = (key: string, usage: KeyUsage) =>
  93. window.crypto.subtle.importKey(
  94. "jwk",
  95. {
  96. alg: "A128GCM",
  97. ext: true,
  98. k: key,
  99. key_ops: ["encrypt", "decrypt"],
  100. kty: "oct",
  101. },
  102. {
  103. name: "AES-GCM",
  104. length: 128,
  105. },
  106. false, // extractable
  107. [usage],
  108. );
  109. export const encryptAESGEM = async (
  110. data: Uint8Array,
  111. key: string,
  112. ): Promise<EncryptedData> => {
  113. const importedKey = await getImportedKey(key, "encrypt");
  114. const iv = createIV();
  115. return {
  116. data: await window.crypto.subtle.encrypt(
  117. {
  118. name: "AES-GCM",
  119. iv,
  120. },
  121. importedKey,
  122. data,
  123. ),
  124. iv,
  125. };
  126. };
  127. export const decryptAESGEM = async (
  128. data: ArrayBuffer,
  129. key: string,
  130. iv: Uint8Array,
  131. ): Promise<SocketUpdateDataIncoming> => {
  132. try {
  133. const importedKey = await getImportedKey(key, "decrypt");
  134. const decrypted = await window.crypto.subtle.decrypt(
  135. {
  136. name: "AES-GCM",
  137. iv,
  138. },
  139. importedKey,
  140. data,
  141. );
  142. const decodedData = new TextDecoder("utf-8").decode(
  143. new Uint8Array(decrypted) as any,
  144. );
  145. return JSON.parse(decodedData);
  146. } catch (error) {
  147. window.alert(t("alerts.decryptFailed"));
  148. console.error(error);
  149. }
  150. return {
  151. type: "INVALID_RESPONSE",
  152. };
  153. };
  154. export const exportToBackend = async (
  155. elements: readonly ExcalidrawElement[],
  156. appState: AppState,
  157. ) => {
  158. const json = serializeAsJSON(elements, appState);
  159. const encoded = new TextEncoder().encode(json);
  160. const key = await window.crypto.subtle.generateKey(
  161. {
  162. name: "AES-GCM",
  163. length: 128,
  164. },
  165. true, // extractable
  166. ["encrypt", "decrypt"],
  167. );
  168. // The iv is set to 0. We are never going to reuse the same key so we don't
  169. // need to have an iv. (I hope that's correct...)
  170. const iv = new Uint8Array(12);
  171. // We use symmetric encryption. AES-GCM is the recommended algorithm and
  172. // includes checks that the ciphertext has not been modified by an attacker.
  173. const encrypted = await window.crypto.subtle.encrypt(
  174. {
  175. name: "AES-GCM",
  176. iv,
  177. },
  178. key,
  179. encoded,
  180. );
  181. // We use jwk encoding to be able to extract just the base64 encoded key.
  182. // We will hardcode the rest of the attributes when importing back the key.
  183. const exportedKey = await window.crypto.subtle.exportKey("jwk", key);
  184. try {
  185. const response = await fetch(BACKEND_V2_POST, {
  186. method: "POST",
  187. body: encrypted,
  188. });
  189. const json = await response.json();
  190. if (json.id) {
  191. const url = new URL(window.location.href);
  192. // We need to store the key (and less importantly the id) as hash instead
  193. // of queryParam in order to never send it to the server
  194. url.hash = `json=${json.id},${exportedKey.k!}`;
  195. const urlString = url.toString();
  196. window.prompt(`🔒${t("alerts.uploadedSecurly")}`, urlString);
  197. } else if (json.error_class === "RequestTooLargeError") {
  198. window.alert(t("alerts.couldNotCreateShareableLinkTooBig"));
  199. } else {
  200. window.alert(t("alerts.couldNotCreateShareableLink"));
  201. }
  202. } catch (error) {
  203. console.error(error);
  204. window.alert(t("alerts.couldNotCreateShareableLink"));
  205. }
  206. };
  207. const importFromBackend = async (
  208. id: string | null,
  209. privateKey?: string | null,
  210. ): Promise<ImportedDataState> => {
  211. try {
  212. const response = await fetch(
  213. privateKey ? `${BACKEND_V2_GET}${id}` : `${BACKEND_GET}${id}.json`,
  214. );
  215. if (!response.ok) {
  216. window.alert(t("alerts.importBackendFailed"));
  217. return {};
  218. }
  219. let data: ImportedDataState;
  220. if (privateKey) {
  221. const buffer = await response.arrayBuffer();
  222. const key = await getImportedKey(privateKey, "decrypt");
  223. const iv = new Uint8Array(12);
  224. const decrypted = await window.crypto.subtle.decrypt(
  225. {
  226. name: "AES-GCM",
  227. iv,
  228. },
  229. key,
  230. buffer,
  231. );
  232. // We need to convert the decrypted array buffer to a string
  233. const string = new window.TextDecoder("utf-8").decode(
  234. new Uint8Array(decrypted) as any,
  235. );
  236. data = JSON.parse(string);
  237. } else {
  238. // Legacy format
  239. data = await response.json();
  240. }
  241. trackEvent(EVENT_ACTION, "import");
  242. return {
  243. elements: data.elements || null,
  244. appState: data.appState || null,
  245. };
  246. } catch (error) {
  247. window.alert(t("alerts.importBackendFailed"));
  248. console.error(error);
  249. return {};
  250. }
  251. };
  252. export const exportCanvas = async (
  253. type: ExportType,
  254. elements: readonly NonDeletedExcalidrawElement[],
  255. appState: AppState,
  256. canvas: HTMLCanvasElement,
  257. {
  258. exportBackground,
  259. exportPadding = 10,
  260. viewBackgroundColor,
  261. name,
  262. scale = 1,
  263. shouldAddWatermark,
  264. }: {
  265. exportBackground: boolean;
  266. exportPadding?: number;
  267. viewBackgroundColor: string;
  268. name: string;
  269. scale?: number;
  270. shouldAddWatermark: boolean;
  271. },
  272. ) => {
  273. if (elements.length === 0) {
  274. return window.alert(t("alerts.cannotExportEmptyCanvas"));
  275. }
  276. if (type === "svg" || type === "clipboard-svg") {
  277. const tempSvg = exportToSvg(elements, {
  278. exportBackground,
  279. viewBackgroundColor,
  280. exportPadding,
  281. scale,
  282. shouldAddWatermark,
  283. metadata:
  284. appState.exportEmbedScene && type === "svg"
  285. ? await (
  286. await import(/* webpackChunkName: "image" */ "./image")
  287. ).encodeSvgMetadata({
  288. text: serializeAsJSON(elements, appState),
  289. })
  290. : undefined,
  291. });
  292. if (type === "svg") {
  293. await fileSave(new Blob([tempSvg.outerHTML], { type: "image/svg+xml" }), {
  294. fileName: `${name}.svg`,
  295. extensions: [".svg"],
  296. });
  297. return;
  298. } else if (type === "clipboard-svg") {
  299. copyTextToSystemClipboard(tempSvg.outerHTML);
  300. return;
  301. }
  302. }
  303. const tempCanvas = exportToCanvas(elements, appState, {
  304. exportBackground,
  305. viewBackgroundColor,
  306. exportPadding,
  307. scale,
  308. shouldAddWatermark,
  309. });
  310. tempCanvas.style.display = "none";
  311. document.body.appendChild(tempCanvas);
  312. if (type === "png") {
  313. const fileName = `${name}.png`;
  314. let blob = await canvasToBlob(tempCanvas);
  315. if (appState.exportEmbedScene) {
  316. blob = await (
  317. await import(/* webpackChunkName: "image" */ "./image")
  318. ).encodePngMetadata({
  319. blob,
  320. metadata: serializeAsJSON(elements, appState),
  321. });
  322. }
  323. await fileSave(blob, {
  324. fileName,
  325. extensions: [".png"],
  326. });
  327. } else if (type === "clipboard") {
  328. try {
  329. await copyCanvasToClipboardAsPng(tempCanvas);
  330. } catch (error) {
  331. if (error.name === "CANVAS_POSSIBLY_TOO_BIG") {
  332. throw error;
  333. }
  334. throw new Error(t("alerts.couldNotCopyToClipboard"));
  335. }
  336. } else if (type === "backend") {
  337. exportToBackend(elements, {
  338. ...appState,
  339. viewBackgroundColor: exportBackground
  340. ? appState.viewBackgroundColor
  341. : getDefaultAppState().viewBackgroundColor,
  342. });
  343. }
  344. // clean up the DOM
  345. if (tempCanvas !== canvas) {
  346. tempCanvas.remove();
  347. }
  348. };
  349. export const loadScene = async (
  350. id: string | null,
  351. privateKey: string | null,
  352. // Supply initialData even if importing from backend to ensure we restore
  353. // localStorage user settings which we do not persist on server.
  354. // Non-optional so we don't forget to pass it even if `undefined`.
  355. initialData: ImportedDataState | undefined | null,
  356. ) => {
  357. let data;
  358. if (id != null) {
  359. // the private key is used to decrypt the content from the server, take
  360. // extra care not to leak it
  361. data = restore(
  362. await importFromBackend(id, privateKey),
  363. initialData?.appState,
  364. );
  365. } else {
  366. data = restore(initialData || {}, null);
  367. }
  368. return {
  369. elements: data.elements,
  370. appState: data.appState,
  371. commitToHistory: false,
  372. };
  373. };