Source: services/frontend_script_api.js

  1. import server from './server.js';
  2. import utils from './utils.js';
  3. import toastService from './toast.js';
  4. import linkService from './link.js';
  5. import froca from './froca.js';
  6. import noteTooltipService from './note_tooltip.js';
  7. import protectedSessionService from './protected_session.js';
  8. import dateNotesService from './date_notes.js';
  9. import searchService from './search.js';
  10. import RightPanelWidget from '../widgets/right_panel_widget.js';
  11. import ws from "./ws.js";
  12. import appContext from "../components/app_context.js";
  13. import NoteContextAwareWidget from "../widgets/note_context_aware_widget.js";
  14. import BasicWidget from "../widgets/basic_widget.js";
  15. import SpacedUpdate from "./spaced_update.js";
  16. import shortcutService from "./shortcuts.js";
  17. import dialogService from "./dialog.js";
  18. /**
  19. * A whole number
  20. * @typedef {number} int
  21. */
  22. /**
  23. * An instance of the frontend api available globally.
  24. * @global
  25. * @var {FrontendScriptApi} api
  26. */
  27. /**
  28. * <p>This is the main frontend API interface for scripts. All the properties and methods are published in the "api" object
  29. * available in the JS frontend notes. You can use e.g. <code>api.showMessage(api.startNote.title);</code></p>
  30. *
  31. * @constructor
  32. */
  33. function FrontendScriptApi(startNote, currentNote, originEntity = null, $container = null) {
  34. /**
  35. * Container of all the rendered script content
  36. * @type {jQuery}
  37. * */
  38. this.$container = $container;
  39. /**
  40. * Note where the script started executing, i.e., the (event) entrypoint of the current script execution.
  41. * @type {FNote}
  42. */
  43. this.startNote = startNote;
  44. /**
  45. * Note where the script is currently executing, i.e. the note where the currently executing source code is written.
  46. * @type {FNote}
  47. */
  48. this.currentNote = currentNote;
  49. /**
  50. * Entity whose event triggered this execution.
  51. * @type {object|null}
  52. */
  53. this.originEntity = originEntity;
  54. /**
  55. * day.js library for date manipulation.
  56. * See {@link https://day.js.org} for documentation
  57. * @see https://day.js.org
  58. * @type {dayjs}
  59. */
  60. this.dayjs = dayjs;
  61. /** @type {RightPanelWidget} */
  62. this.RightPanelWidget = RightPanelWidget;
  63. /** @type {NoteContextAwareWidget} */
  64. this.NoteContextAwareWidget = NoteContextAwareWidget;
  65. /** @type {BasicWidget} */
  66. this.BasicWidget = BasicWidget;
  67. /**
  68. * Activates note in the tree and in the note detail.
  69. *
  70. * @method
  71. * @param {string} notePath (or noteId)
  72. * @returns {Promise<void>}
  73. */
  74. this.activateNote = async notePath => {
  75. await appContext.tabManager.getActiveContext().setNote(notePath);
  76. };
  77. /**
  78. * Activates newly created note. Compared to this.activateNote() also makes sure that frontend has been fully synced.
  79. *
  80. * @param {string} notePath (or noteId)
  81. * @returns {Promise<void>}
  82. */
  83. this.activateNewNote = async notePath => {
  84. await ws.waitForMaxKnownEntityChangeId();
  85. await appContext.tabManager.getActiveContext().setNote(notePath);
  86. await appContext.triggerEvent('focusAndSelectTitle');
  87. };
  88. /**
  89. * Open a note in a new tab.
  90. *
  91. * @method
  92. * @param {string} notePath (or noteId)
  93. * @param {boolean} activate - set to true to activate the new tab, false to stay on the current tab
  94. * @returns {Promise<void>}
  95. */
  96. this.openTabWithNote = async (notePath, activate) => {
  97. await ws.waitForMaxKnownEntityChangeId();
  98. await appContext.tabManager.openTabWithNoteWithHoisting(notePath, { activate });
  99. if (activate) {
  100. await appContext.triggerEvent('focusAndSelectTitle');
  101. }
  102. };
  103. /**
  104. * Open a note in a new split.
  105. *
  106. * @method
  107. * @param {string} notePath (or noteId)
  108. * @param {boolean} activate - set to true to activate the new split, false to stay on the current split
  109. * @returns {Promise<void>}
  110. */
  111. this.openSplitWithNote = async (notePath, activate) => {
  112. await ws.waitForMaxKnownEntityChangeId();
  113. const subContexts = appContext.tabManager.getActiveContext().getSubContexts();
  114. const {ntxId} = subContexts[subContexts.length - 1];
  115. await appContext.triggerCommand("openNewNoteSplit", {ntxId, notePath});
  116. if (activate) {
  117. await appContext.triggerEvent('focusAndSelectTitle');
  118. }
  119. };
  120. /**
  121. * Adds a new launcher to the launchbar. If the launcher (id) already exists, it will be updated.
  122. *
  123. * @method
  124. * @deprecated you can now create/modify launchers in the top-left Menu -> Configure Launchbar
  125. * for special needs there's also backend API's createOrUpdateLauncher()
  126. * @param {object} opts
  127. * @param {string} opts.title
  128. * @param {function} opts.action - callback handling the click on the button
  129. * @param {string} [opts.id] - id of the button, used to identify the old instances of this button to be replaced
  130. * ID is optional because of BC, but not specifying it is deprecated. ID can be alphanumeric only.
  131. * @param {string} [opts.icon] - name of the boxicon to be used (e.g. "time" for "bx-time" icon)
  132. * @param {string} [opts.shortcut] - keyboard shortcut for the button, e.g. "alt+t"
  133. */
  134. this.addButtonToToolbar = async opts => {
  135. console.warn("api.addButtonToToolbar() has been deprecated since v0.58 and may be removed in the future. Use Menu -> Configure Launchbar to create/update launchers instead.");
  136. const {action, ...reqBody} = opts;
  137. reqBody.action = action.toString();
  138. await server.put('special-notes/api-script-launcher', reqBody);
  139. };
  140. function prepareParams(params) {
  141. if (!params) {
  142. return params;
  143. }
  144. return params.map(p => {
  145. if (typeof p === "function") {
  146. return `!@#Function: ${p.toString()}`;
  147. }
  148. else {
  149. return p;
  150. }
  151. });
  152. }
  153. /**
  154. * @private
  155. */
  156. this.__runOnBackendInner = async (func, params, transactional) => {
  157. if (typeof func === "function") {
  158. func = func.toString();
  159. }
  160. const ret = await server.post('script/exec', {
  161. script: func,
  162. params: prepareParams(params),
  163. startNoteId: startNote.noteId,
  164. currentNoteId: currentNote.noteId,
  165. originEntityName: "notes", // currently there's no other entity on the frontend which can trigger event
  166. originEntityId: originEntity ? originEntity.noteId : null,
  167. transactional
  168. }, "script");
  169. if (ret.success) {
  170. await ws.waitForMaxKnownEntityChangeId();
  171. return ret.executionResult;
  172. } else {
  173. throw new Error(`server error: ${ret.error}`);
  174. }
  175. }
  176. /**
  177. * Executes given anonymous function on the backend.
  178. * Internally this serializes the anonymous function into string and sends it to backend via AJAX.
  179. * Please make sure that the supplied function is synchronous. Only sync functions will work correctly
  180. * with transaction management. If you really know what you're doing, you can call api.runAsyncOnBackendWithManualTransactionHandling()
  181. *
  182. * @method
  183. * @param {function|string} func - (synchronous) function to be executed on the backend
  184. * @param {Array.<?>} params - list of parameters to the anonymous function to be sent to backend
  185. * @returns {Promise<*>} return value of the executed function on the backend
  186. */
  187. this.runOnBackend = async (func, params = []) => {
  188. if (func?.constructor.name === "AsyncFunction" || func?.startsWith?.("async ")) {
  189. toastService.showError(t("frontend_script_api.async_warning"));
  190. }
  191. return await this.__runOnBackendInner(func, params, true);
  192. };
  193. /**
  194. * Executes given anonymous function on the backend.
  195. * Internally this serializes the anonymous function into string and sends it to backend via AJAX.
  196. * This function is meant for advanced needs where an async function is necessary.
  197. * In this case, the automatic request-scoped transaction management is not applied,
  198. * and you need to manually define transaction via api.transactional().
  199. *
  200. * If you have a synchronous function, please use api.runOnBackend().
  201. *
  202. * @method
  203. * @param {function|string} func - (synchronous) function to be executed on the backend
  204. * @param {Array.<?>} params - list of parameters to the anonymous function to be sent to backend
  205. * @returns {Promise<*>} return value of the executed function on the backend
  206. */
  207. this.runAsyncOnBackendWithManualTransactionHandling = async (func, params = []) => {
  208. if (func?.constructor.name === "Function" || func?.startsWith?.("function")) {
  209. toastService.showError(t("frontend_script_api.sync_warning"));
  210. }
  211. return await this.__runOnBackendInner(func, params, false);
  212. };
  213. /**
  214. * This is a powerful search method - you can search by attributes and their values, e.g.:
  215. * "#dateModified =* MONTH AND #log". See full documentation for all options at: https://triliumnext.github.io/Docs/Wiki/search.html
  216. *
  217. * @method
  218. * @param {string} searchString
  219. * @returns {Promise<FNote[]>}
  220. */
  221. this.searchForNotes = async searchString => {
  222. return await searchService.searchForNotes(searchString);
  223. };
  224. /**
  225. * This is a powerful search method - you can search by attributes and their values, e.g.:
  226. * "#dateModified =* MONTH AND #log". See full documentation for all options at: https://triliumnext.github.io/Docs/Wiki/search.html
  227. *
  228. * @method
  229. * @param {string} searchString
  230. * @returns {Promise<FNote|null>}
  231. */
  232. this.searchForNote = async searchString => {
  233. const notes = await this.searchForNotes(searchString);
  234. return notes.length > 0 ? notes[0] : null;
  235. };
  236. /**
  237. * Returns note by given noteId. If note is missing from the cache, it's loaded.
  238. **
  239. * @method
  240. * @param {string} noteId
  241. * @returns {Promise<FNote>}
  242. */
  243. this.getNote = async noteId => await froca.getNote(noteId);
  244. /**
  245. * Returns list of notes. If note is missing from the cache, it's loaded.
  246. *
  247. * This is often used to bulk-fill the cache with notes which would have to be picked one by one
  248. * otherwise (by e.g. createLink())
  249. *
  250. * @method
  251. * @param {string[]} noteIds
  252. * @param {boolean} [silentNotFoundError] - don't report error if the note is not found
  253. * @returns {Promise<FNote[]>}
  254. */
  255. this.getNotes = async (noteIds, silentNotFoundError = false) => await froca.getNotes(noteIds, silentNotFoundError);
  256. /**
  257. * Update frontend tree (note) cache from the backend.
  258. *
  259. * @method
  260. * @param {string[]} noteIds
  261. */
  262. this.reloadNotes = async noteIds => await froca.reloadNotes(noteIds);
  263. /**
  264. * Instance name identifies particular Trilium instance. It can be useful for scripts
  265. * if some action needs to happen on only one specific instance.
  266. *
  267. * @method
  268. * @returns {string}
  269. */
  270. this.getInstanceName = () => window.glob.instanceName;
  271. /**
  272. * @method
  273. * @param {Date} date
  274. * @returns {string} date in YYYY-MM-DD format
  275. */
  276. this.formatDateISO = utils.formatDateISO;
  277. /**
  278. * @method
  279. * @param {string} str
  280. * @returns {Date} parsed object
  281. */
  282. this.parseDate = utils.parseDate;
  283. /**
  284. * Show an info toast message to the user.
  285. *
  286. * @method
  287. * @param {string} message
  288. */
  289. this.showMessage = toastService.showMessage;
  290. /**
  291. * Show an error toast message to the user.
  292. *
  293. * @method
  294. * @param {string} message
  295. */
  296. this.showError = toastService.showError;
  297. /**
  298. * Show an info dialog to the user.
  299. *
  300. * @method
  301. * @param {string} message
  302. * @returns {Promise}
  303. */
  304. this.showInfoDialog = dialogService.info;
  305. /**
  306. * Show confirm dialog to the user.
  307. *
  308. * @method
  309. * @param {string} message
  310. * @returns {Promise<boolean>} promise resolving to true if the user confirmed
  311. */
  312. this.showConfirmDialog = dialogService.confirm;
  313. /**
  314. * Show prompt dialog to the user.
  315. *
  316. * @method
  317. * @param {object} props
  318. * @param {string} props.title
  319. * @param {string} props.message
  320. * @param {string} props.defaultValue
  321. * @returns {Promise<string>} promise resolving to the answer provided by the user
  322. */
  323. this.showPromptDialog = dialogService.prompt;
  324. /**
  325. * Trigger command. This is a very low-level API which should be avoided if possible.
  326. *
  327. * @method
  328. * @param {string} name
  329. * @param {object} data
  330. */
  331. this.triggerCommand = (name, data) => appContext.triggerCommand(name, data);
  332. /**
  333. * Trigger event. This is a very low-level API which should be avoided if possible.
  334. *
  335. * @method
  336. * @param {string} name
  337. * @param {object} data
  338. */
  339. this.triggerEvent = (name, data) => appContext.triggerEvent(name, data);
  340. /**
  341. * Create a note link (jQuery object) for given note.
  342. *
  343. * @method
  344. * @param {string} notePath (or noteId)
  345. * @param {object} [params]
  346. * @param {boolean} [params.showTooltip=true] - enable/disable tooltip on the link
  347. * @param {boolean} [params.showNotePath=false] - show also whole note's path as part of the link
  348. * @param {boolean} [params.showNoteIcon=false] - show also note icon before the title
  349. * @param {string} [params.title] - custom link tile with note's title as default
  350. * @param {string} [params.title=] - custom link tile with note's title as default
  351. * @returns {jQuery} - jQuery element with the link (wrapped in <span>)
  352. */
  353. this.createLink = linkService.createLink;
  354. /** @deprecated - use api.createLink() instead */
  355. this.createNoteLink = linkService.createLink;
  356. /**
  357. * Adds given text to the editor cursor
  358. *
  359. * @method
  360. * @param {string} text - this must be clear text, HTML is not supported.
  361. */
  362. this.addTextToActiveContextEditor = text => appContext.triggerCommand('addTextToActiveEditor', {text});
  363. /**
  364. * @method
  365. * @returns {FNote} active note (loaded into center pane)
  366. */
  367. this.getActiveContextNote = () => appContext.tabManager.getActiveContextNote();
  368. /**
  369. * @method
  370. * @returns {NoteContext} - returns active context (split)
  371. */
  372. this.getActiveContext = () => appContext.tabManager.getActiveContext();
  373. /**
  374. * @method
  375. * @returns {NoteContext} - returns active main context (first split in a tab, represents the tab as a whole)
  376. */
  377. this.getActiveMainContext = () => appContext.tabManager.getActiveMainContext();
  378. /**
  379. * @method
  380. * @returns {NoteContext[]} - returns all note contexts (splits) in all tabs
  381. */
  382. this.getNoteContexts = () => appContext.tabManager.getNoteContexts();
  383. /**
  384. * @method
  385. * @returns {NoteContext[]} - returns all main contexts representing tabs
  386. */
  387. this.getMainNoteContexts = () => appContext.tabManager.getMainNoteContexts();
  388. /**
  389. * See https://ckeditor.com/docs/ckeditor5/latest/api/module_core_editor_editor-Editor.html for documentation on the returned instance.
  390. *
  391. * @method
  392. * @returns {Promise<BalloonEditor>} instance of CKEditor
  393. */
  394. this.getActiveContextTextEditor = () => appContext.tabManager.getActiveContext()?.getTextEditor();
  395. /**
  396. * See https://codemirror.net/doc/manual.html#api
  397. *
  398. * @method
  399. * @returns {Promise<CodeMirror>} instance of CodeMirror
  400. */
  401. this.getActiveContextCodeEditor = () => appContext.tabManager.getActiveContext()?.getCodeEditor();
  402. /**
  403. * Get access to the widget handling note detail. Methods like `getWidgetType()` and `getTypeWidget()` to get to the
  404. * implementation of actual widget type.
  405. *
  406. * @method
  407. * @returns {Promise<NoteDetailWidget>}
  408. */
  409. this.getActiveNoteDetailWidget = () => new Promise(resolve => appContext.triggerCommand('executeInActiveNoteDetailWidget', {callback: resolve}));
  410. /**
  411. * @method
  412. * @returns {Promise<string|null>} returns a note path of active note or null if there isn't active note
  413. */
  414. this.getActiveContextNotePath = () => appContext.tabManager.getActiveContextNotePath();
  415. /**
  416. * Returns component which owns the given DOM element (the nearest parent component in DOM tree)
  417. *
  418. * @method
  419. * @param {Element} el - DOM element
  420. * @returns {Component}
  421. */
  422. this.getComponentByEl = el => appContext.getComponentByEl(el);
  423. /**
  424. * @method
  425. * @param {object} $el - jquery object on which to set up the tooltip
  426. * @returns {Promise<void>}
  427. */
  428. this.setupElementTooltip = noteTooltipService.setupElementTooltip;
  429. /**
  430. * @method
  431. * @param {string} noteId
  432. * @param {boolean} protect - true to protect note, false to unprotect
  433. * @returns {Promise<void>}
  434. */
  435. this.protectNote = async (noteId, protect) => {
  436. await protectedSessionService.protectNote(noteId, protect, false);
  437. };
  438. /**
  439. * @method
  440. * @param {string} noteId
  441. * @param {boolean} protect - true to protect subtree, false to unprotect
  442. * @returns {Promise<void>}
  443. */
  444. this.protectSubTree = async (noteId, protect) => {
  445. await protectedSessionService.protectNote(noteId, protect, true);
  446. };
  447. /**
  448. * Returns date-note for today. If it doesn't exist, it is automatically created.
  449. *
  450. * @method
  451. * @returns {Promise<FNote>}
  452. */
  453. this.getTodayNote = dateNotesService.getTodayNote;
  454. /**
  455. * Returns day note for a given date. If it doesn't exist, it is automatically created.
  456. *
  457. * @method
  458. * @param {string} date - e.g. "2019-04-29"
  459. * @returns {Promise<FNote>}
  460. */
  461. this.getDayNote = dateNotesService.getDayNote;
  462. /**
  463. * Returns day note for the first date of the week of the given date. If it doesn't exist, it is automatically created.
  464. *
  465. * @method
  466. * @param {string} date - e.g. "2019-04-29"
  467. * @returns {Promise<FNote>}
  468. */
  469. this.getWeekNote = dateNotesService.getWeekNote;
  470. /**
  471. * Returns month-note. If it doesn't exist, it is automatically created.
  472. *
  473. * @method
  474. * @param {string} month - e.g. "2019-04"
  475. * @returns {Promise<FNote>}
  476. */
  477. this.getMonthNote = dateNotesService.getMonthNote;
  478. /**
  479. * Returns year-note. If it doesn't exist, it is automatically created.
  480. *
  481. * @method
  482. * @param {string} year - e.g. "2019"
  483. * @returns {Promise<FNote>}
  484. */
  485. this.getYearNote = dateNotesService.getYearNote;
  486. /**
  487. * Hoist note in the current tab. See https://triliumnext.github.io/Docs/Wiki/note-hoisting.html
  488. *
  489. * @method
  490. * @param {string} noteId - set hoisted note. 'root' will effectively unhoist
  491. * @returns {Promise<void>}
  492. */
  493. this.setHoistedNoteId = (noteId) => {
  494. const activeNoteContext = appContext.tabManager.getActiveContext();
  495. if (activeNoteContext) {
  496. activeNoteContext.setHoistedNoteId(noteId);
  497. }
  498. };
  499. /**
  500. * @method
  501. * @param {string} keyboardShortcut - e.g. "ctrl+shift+a"
  502. * @param {function} handler
  503. * @param {string} [namespace] - specify namespace of the handler for the cases where call for bind may be repeated.
  504. * If a handler with this ID exists, it's replaced by the new handler.
  505. * @returns {Promise<void>}
  506. */
  507. this.bindGlobalShortcut = shortcutService.bindGlobalShortcut;
  508. /**
  509. * Trilium runs in a backend and frontend process, when something is changed on the backend from a script,
  510. * frontend will get asynchronously synchronized.
  511. *
  512. * This method returns a promise which resolves once all the backend -> frontend synchronization is finished.
  513. * Typical use case is when a new note has been created, we should wait until it is synced into frontend and only then activate it.
  514. *
  515. * @method
  516. * @returns {Promise<void>}
  517. */
  518. this.waitUntilSynced = ws.waitForMaxKnownEntityChangeId;
  519. /**
  520. * This will refresh all currently opened notes which have included note specified in the parameter
  521. *
  522. * @param includedNoteId - noteId of the included note
  523. * @returns {Promise<void>}
  524. */
  525. this.refreshIncludedNote = includedNoteId => appContext.triggerEvent('refreshIncludedNote', {noteId: includedNoteId});
  526. /**
  527. * Return randomly generated string of given length. This random string generation is NOT cryptographically secure.
  528. *
  529. * @method
  530. * @param {int} length of the string
  531. * @returns {string} random string
  532. */
  533. this.randomString = utils.randomString;
  534. /**
  535. * @method
  536. * @param {int} size in bytes
  537. * @return {string} formatted string
  538. */
  539. this.formatSize = utils.formatSize;
  540. /**
  541. * @method
  542. * @param {int} size in bytes
  543. * @return {string} formatted string
  544. * @deprecated - use api.formatSize()
  545. */
  546. this.formatNoteSize = utils.formatSize;
  547. this.logMessages = {};
  548. this.logSpacedUpdates = {};
  549. /**
  550. * Log given message to the log pane in UI
  551. *
  552. * @param message
  553. * @returns {void}
  554. */
  555. this.log = message => {
  556. const {noteId} = this.startNote;
  557. message = `${utils.now()}: ${message}`;
  558. console.log(`Script ${noteId}: ${message}`);
  559. this.logMessages[noteId] = this.logMessages[noteId] || [];
  560. this.logSpacedUpdates[noteId] = this.logSpacedUpdates[noteId] || new SpacedUpdate(() => {
  561. const messages = this.logMessages[noteId];
  562. this.logMessages[noteId] = [];
  563. appContext.triggerEvent("apiLogMessages", {noteId, messages});
  564. }, 100);
  565. this.logMessages[noteId].push(message);
  566. this.logSpacedUpdates[noteId].scheduleUpdate();
  567. };
  568. }
  569. export default FrontendScriptApi;