Source: xxe/app/XMLEditorApp.js

  1. /**
  2. * A sample XML editor application which leverages {@link XMLEditor}.
  3. * <p>Also implements a number of interactive actions (static methods)
  4. * like <code>newDocument</code>, <code>closeDocument</code>, etc,
  5. * which may be used independently from <code>XMLEditorApp</code>.
  6. */
  7. export class XMLEditorApp extends HTMLElement {
  8. /**
  9. * Constructs a sample XML editor application, the implementation
  10. * of custom HTML element <code>&lt;xxe-app&gt;</code>.
  11. */
  12. constructor() {
  13. super();
  14. this._indicator = null;
  15. this._title = null;
  16. this._menuButton = null;
  17. this._onButtonMenuItemSelected =
  18. this.onButtonMenuItemSelected.bind(this);
  19. this._newButton = null;
  20. this._openButton = null;
  21. this._saveButton = null;
  22. this._saveAsButton = null;
  23. this._closeButton = null;
  24. this._xmlEditor = null;
  25. this._autoSave = null;
  26. this._checkLeaveApp = false;
  27. this._onBeforeUnload = this.onBeforeUnload.bind(this);
  28. this._onAnyRequest = this.onAnyRequest.bind(this);
  29. this._onAnyEvent = this.onAnyEvent.bind(this);
  30. }
  31. // -----------------------------------------------------------------------
  32. // Custom element
  33. // -----------------------------------------------------------------------
  34. connectedCallback() {
  35. let notSupported = this.firstElementChild;
  36. if (notSupported !== null &&
  37. notSupported.classList.contains("xxe-not-supported")) {
  38. if (!browserEngineIsSupported()) {
  39. let reason = `<strong>Sorry but your web browser
  40. is not supported.</strong><br /><br />
  41. In order to be supported, your web browser must run on <em>desktop</em>
  42. computer and must use the same browser engine as <em>recent</em> versions
  43. of <em>Chrome</em> or <em>Firefox</em>.`;
  44. const userAgent = window.navigator.userAgent;
  45. if (userAgent) {
  46. reason += `<br />
  47. <small>(Your web browser identifies itself as:
  48. "<code>${userAgent}</code>".)</small>`;
  49. }
  50. notSupported.innerHTML = reason;
  51. return;
  52. }
  53. XUI.Util.removeAllChildren(this);
  54. }
  55. // ---
  56. if (this.firstChild === null) {
  57. this.appendChild(XMLEditorApp.TEMPLATE.content.cloneNode(true));
  58. let div = this.firstElementChild;
  59. let children = div.children;
  60. this._indicator = children.item(0);
  61. this._indicator.onclick = this.onIndicatorClick.bind(this);
  62. this._title = children.item(1);
  63. this._menuButton = children.item(2);
  64. this._menuButton.textContent = XUI.StockIcon["menu"];
  65. this._menuButton.onclick = this.onMenuButtonClick.bind(this);
  66. // ---
  67. children = div.nextElementSibling.children;
  68. this._newButton = children.item(0);
  69. this._newButton.onclick = this.onNewButtonClick.bind(this);
  70. this._openButton = children.item(1);
  71. this._openButton.onclick = this.onOpenButtonClick.bind(this);
  72. this._saveButton = children.item(2);
  73. this._saveButton.onclick = this.onSaveButtonClick.bind(this);
  74. this._saveAsButton = children.item(3);
  75. this._saveAsButton.onclick = this.onSaveAsButtonClick.bind(this);
  76. this._closeButton = children.item(4);
  77. this._closeButton.onclick = this.onCloseButtonClick.bind(this);
  78. this.documentStorage = this.getAttribute("documentstorage");
  79. // ---
  80. const xxe = this.lastElementChild;
  81. this._xmlEditor = xxe;
  82. xxe.resourceStorage = new LocalFiles(xxe);
  83. xxe.addEventListener("connected", this.onConnected.bind(this));
  84. xxe.addEventListener("disconnected",
  85. this.onDisconnected.bind(this));
  86. const docOpenedHandler = this.onDocumentOpened.bind(this);
  87. xxe.addEventListener("documentCreated", docOpenedHandler);
  88. xxe.addEventListener("documentOpened", docOpenedHandler);
  89. xxe.addEventListener("documentRecovered", docOpenedHandler);
  90. xxe.addEventListener("documentSavedAs",
  91. this.onDocumentSavedAs.bind(this));
  92. xxe.addEventListener("documentClosed",
  93. this.onDocumentClosed.bind(this));
  94. xxe.addEventListener("saveStateChanged",
  95. this.onSaveStateChanged.bind(this));
  96. xxe.addEventListener("readOnlyStateChanged",
  97. this.onReadOnlyStateChanged.bind(this));
  98. this.onDisconnected(/*event*/ null);
  99. this.onDocumentClosed(/*event*/ null);
  100. window.addEventListener("unhandledrejection", (event) => {
  101. XUI.Alert.showWarning(`SHOULD NOT HAPPEN: \
  102. unhandled promise rejection:\n${event.reason}`, xxe);
  103. });
  104. // ---
  105. this.serverURL = this.getAttribute("serverurl");
  106. this.clientProperties = this.getAttribute("clientproperties");
  107. this.autoRecover = this.hasAttribute("autorecover")?
  108. (this.getAttribute("autorecover") === "true") : true;
  109. this.checkLeaveApp = this.hasAttribute("checkleaveapp")?
  110. (this.getAttribute("checkleaveapp") === "true") : true;
  111. this.button2PastesText =
  112. (this.getAttribute("button2pastestext") === "true");
  113. this.initAutoSave();
  114. }
  115. // Otherwise, already connected.
  116. }
  117. // -------------------------------
  118. // documentStorage
  119. // -------------------------------
  120. get documentStorage() {
  121. return this.getAttribute("documentstorage");
  122. }
  123. /**
  124. * Get/set the <code>documentStorage</code> property
  125. * of this XML editor application.
  126. * <p>The values of the <code>documentStorage</code> property are:
  127. * <dl>
  128. * <dt>"local"
  129. * <dd>Default value.
  130. * Create and edit only <i>local files</i>, that is, files which
  131. * are found on the computer running the web browser hosting this
  132. * XML editor application.
  133. * <dt>"remote"
  134. * <dd>Create and edit only <i>remote files</i>, that is, files which
  135. * are accessed on the server side by <code>xxeserver</code>.
  136. * <dt>"both"
  137. * <dd>Local files and remote files are both supported.
  138. * </dl>
  139. *
  140. * @type {string}
  141. */
  142. set documentStorage(storage) {
  143. if (storage) {
  144. storage = storage.trim();
  145. }
  146. if (!storage ||
  147. !(storage === "local" || storage === "remote" ||
  148. storage === "both")) {
  149. storage = "local";
  150. }
  151. if (storage !== this.getAttribute("documentstorage")) {
  152. this.setAttribute("documentstorage", storage);
  153. }
  154. const buttons = [this._newButton, this._openButton];
  155. for (let button of buttons) {
  156. let detail = button.lastElementChild; // A span
  157. let newDetail = null;
  158. switch (storage) {
  159. case "local":
  160. case "remote":
  161. if (detail.classList.contains("xui-small-icon")) {
  162. newDetail = document.createElement("span");
  163. newDetail.appendChild(document.createTextNode("\u2026"));
  164. }
  165. break;
  166. default: // "both"
  167. if (!detail.classList.contains("xui-small-icon")) {
  168. newDetail = document.createElement("span");
  169. newDetail.setAttribute("class",
  170. "xui-small-icon xxe-app-button-menu");
  171. newDetail.appendChild(
  172. document.createTextNode(XUI.StockIcon["down-dir"]));
  173. }
  174. break;
  175. }
  176. if (newDetail !== null) {
  177. button.replaceChild(newDetail, detail);
  178. }
  179. }
  180. }
  181. // -------------------------------
  182. // serverURL
  183. // -------------------------------
  184. get serverURL() {
  185. return this.getAttribute("serverurl");
  186. }
  187. /**
  188. * A cover for {@link XMLEditor#serverURL}.
  189. *
  190. * @type {string}
  191. */
  192. set serverURL(url) {
  193. this._xmlEditor.serverURL = url;
  194. url = this._xmlEditor.serverURL;
  195. if (url !== this.getAttribute("serverurl")) {
  196. this.setAttribute("serverurl", url);
  197. }
  198. }
  199. // -------------------------------
  200. // clientProperties
  201. // -------------------------------
  202. get clientProperties() {
  203. let props = this.getAttribute("clientproperties");
  204. if (props !== null && (props = props.trim()).length === 0) {
  205. props = null;
  206. }
  207. return props;
  208. }
  209. /**
  210. * A cover for {@link XMLEditor#clientProperties}.
  211. *
  212. * @type {string}
  213. */
  214. set clientProperties(props) {
  215. this._xmlEditor.clientProperties = props;
  216. props = this._xmlEditor.clientProperties;
  217. if (props === null) {
  218. this.removeAttribute("clientproperties");
  219. } else {
  220. this.setAttribute("clientproperties", props);
  221. }
  222. }
  223. // -------------------------------
  224. // autoRecover
  225. // -------------------------------
  226. get autoRecover() {
  227. return this.getAttribute("autorecover") === "true";
  228. }
  229. /**
  230. * A cover for {@link XMLEditor#autoRecover}.
  231. *
  232. * @type {boolean}
  233. */
  234. set autoRecover(recover) {
  235. this._xmlEditor.autoRecover = recover;
  236. const recoverValue = recover? "true" : "false";
  237. if (recoverValue !== this.getAttribute("autorecover")) {
  238. this.setAttribute("autorecover", recoverValue);
  239. }
  240. }
  241. // -------------------------------
  242. // checkLeaveApp
  243. // -------------------------------
  244. get checkLeaveApp() {
  245. // Quicker than accessing the attribute value.
  246. return this._checkLeaveApp;
  247. }
  248. /**
  249. * Get/set the <code>checkLeaveApp</code> property of this
  250. * XML editor application.
  251. * <p>Default: <code>true</code>. If <code>true</code> and
  252. * the document being edited has unsaved changes then
  253. * ask users to confirm if they really want to leave the page
  254. * and loose their changes.
  255. *
  256. * @type {boolean}
  257. */
  258. set checkLeaveApp(check) {
  259. this._checkLeaveApp = check;
  260. this.setBeforeUnloadListener(check && this._xmlEditor &&
  261. this._xmlEditor.saveNeeded);
  262. const checkValue = check? "true" : "false";
  263. if (checkValue !== this.getAttribute("checkleaveapp")) {
  264. this.setAttribute("checkleaveapp", checkValue);
  265. }
  266. }
  267. setBeforeUnloadListener(add) {
  268. /*
  269. console.log(`setBeforeUnloadListener(${add})`);
  270. */
  271. if (add) {
  272. window.addEventListener("beforeunload", this._onBeforeUnload);
  273. } else {
  274. window.removeEventListener("beforeunload", this._onBeforeUnload);
  275. }
  276. }
  277. onBeforeUnload(event) {
  278. if (this._xmlEditor && this._xmlEditor.saveNeeded) {
  279. event.preventDefault();
  280. // Legacy support for older browsers.
  281. // A function that returns true if the page has unsaved changes.
  282. return (event.returnValue = true);
  283. }
  284. }
  285. setLeaveAppChecker() {
  286. // Corresponds to best practice. See
  287. // https://developer.chrome.com/docs/web-platform/page-lifecycle-api
  288. // #the_beforeunload_event
  289. if (this._checkLeaveApp) {
  290. this.setBeforeUnloadListener(this._xmlEditor.saveNeeded);
  291. }
  292. }
  293. // -------------------------------
  294. // button2PastesText
  295. // -------------------------------
  296. get button2PastesText() {
  297. return this.getAttribute("button2pastestext") === "true";
  298. }
  299. /**
  300. * A cover for {@link XMLEditor#button2PastesText}.
  301. *
  302. * @type {boolean}
  303. */
  304. set button2PastesText(pastes) {
  305. this._xmlEditor.button2PastesText = pastes;
  306. const pastesValue = pastes? "true" : "false";
  307. if (pastesValue !== this.getAttribute("button2pastestext")) {
  308. this.setAttribute("button2pastestext", pastesValue);
  309. }
  310. }
  311. // -------------------------------
  312. // autoSave
  313. // -------------------------------
  314. initAutoSave() {
  315. let spec = this.autoSave;
  316. let [ mode, interval, intervalMs, enabled ] =
  317. XMLEditorApp.parseAutoSave(spec);
  318. if (mode === null) {
  319. spec = null;
  320. } else {
  321. enabled = XMLEditorApp.getPreference("autoSave", enabled);
  322. spec = `${mode} ${interval} ${enabled? "on" : "off"}`;
  323. }
  324. this.autoSave = spec;
  325. }
  326. static parseAutoSave(spec) {
  327. let mode = null;
  328. let interval = null;
  329. let intervalMs = -1;
  330. let enabled = false;
  331. if (spec) {
  332. spec = spec.trim();
  333. for (let m of [ "both", "remote", "local" ]) {
  334. if (spec.startsWith(m)) {
  335. mode = m;
  336. interval = spec.substring(m.length).trim(); // May be empty.
  337. if (interval.endsWith("off")) {
  338. enabled = false;
  339. interval =
  340. interval.substring(0, interval.length-3).trim();
  341. } else if (interval.endsWith("on")) {
  342. enabled = true;
  343. interval =
  344. interval.substring(0, interval.length-2).trim();
  345. } else {
  346. enabled = true;
  347. }
  348. break;
  349. }
  350. }
  351. if (!FSAccess.isAvailable() &&
  352. (mode === "both" || mode === "local")) {
  353. mode = (mode === "local")? null : "remote";
  354. }
  355. if (mode !== null) {
  356. if (!interval) {
  357. interval = "30s";
  358. }
  359. // parseFloat ignores trailing char.
  360. let intervalMs = parseFloat(interval);
  361. if (!isNaN(intervalMs) && intervalMs > 0) {
  362. if (interval.endsWith("s")) {
  363. intervalMs *= 1000;
  364. } else if (interval.endsWith("m")) {
  365. intervalMs *= 1000 * 60;
  366. } else if (interval.endsWith("h")) {
  367. intervalMs *= 1000 * 60 * 60;
  368. } else {
  369. intervalMs = -1;
  370. }
  371. } else {
  372. intervalMs = -1;
  373. }
  374. if (intervalMs <= 0) {
  375. mode = null;
  376. } else {
  377. if (intervalMs < 10000) {
  378. intervalMs = 10000;
  379. interval = "10s";
  380. }
  381. }
  382. }
  383. }
  384. return [ mode, interval, intervalMs, enabled ];
  385. }
  386. get autoSave() {
  387. return this.getAttribute("autosave");
  388. }
  389. /**
  390. * Get/set the <code>autoSave</code> property of this
  391. * XML editor application.
  392. * <p>Default: none; files are not automatically saved.
  393. * <p>The value of this property is a string which has
  394. * the following syntax:
  395. * <pre>value -> mode [ S interval ]? [ S enabled ]?
  396. *mode -> local|remote|both
  397. *interval -> strictly_positive_number s|m|h
  398. *enabled -> on|off</pre>
  399. * <p>Examples: <code>"remote"</code>, <code>"both 2m"</code>,
  400. * <code>"remote 30s on"</code>, <code>"both off"</code>.
  401. * <p>Autosave modes are:
  402. * <ul>
  403. * <li><b>local</b>: automatically save local files
  404. * (when this is technically possible, i.e. on Chrome, not on Firefox).
  405. * <li><b>remote</b>: automatically save remote files.
  406. * <li><b>both</b>: automatically save both local and remote files.
  407. * </ul>
  408. * <p>Autosave interval units are:
  409. * <ul>
  410. * <li><b>s</b>: seconds.
  411. * <li><b>m</b>: minutes.
  412. * <li><b>h</b>: hours.
  413. * </ul>
  414. * <p>Default interval is <code>"30s"</code>.
  415. * Minimal interval is <code>"10s"</code>.
  416. * <p>The default value of <i>enabled</i> is <code>"on"</code>. This flag
  417. * specifies whether the autosave feature is <em>initially</em> enabled.
  418. * User may change this setting at anytime using the UI.
  419. *
  420. * @type {string}
  421. */
  422. set autoSave(spec) {
  423. if (this._autoSave !== null) {
  424. this._autoSave.dispose();
  425. this._autoSave = null;
  426. }
  427. // ---
  428. let [ mode, interval, intervalMs, enabled ] =
  429. XMLEditorApp.parseAutoSave(spec);
  430. if (mode === null) {
  431. this.removeAttribute("autosave");
  432. XMLEditorApp.setPreference("autoSave", null);
  433. } else {
  434. spec = `${mode} ${interval} ${enabled? "on" : "off"}`;
  435. this.setAttribute("autosave", spec);
  436. XMLEditorApp.setPreference("autoSave", enabled);
  437. if (enabled) {
  438. this._autoSave = new AutoSave(this._xmlEditor, mode, intervalMs);
  439. }
  440. }
  441. }
  442. // -------------------------------
  443. // User preferences
  444. // -------------------------------
  445. static getPreference(key, defaultValue) {
  446. let prefs = XMLEditorApp.getPreferences();
  447. if (key in prefs) {
  448. return prefs[key];
  449. } else {
  450. return defaultValue;
  451. }
  452. }
  453. static getPreferences() {
  454. let prefs = null;
  455. let data = window.localStorage.getItem("XXE.XMLEditorApp.preferences");
  456. if (data !== null) {
  457. prefs = JSON.parse(data);
  458. }
  459. if (prefs === null || typeof prefs !== "object") {
  460. prefs = {};
  461. }
  462. return prefs;
  463. }
  464. static setPreference(key, value) {
  465. let prefs = XMLEditorApp.getPreferences();
  466. if (value === null) {
  467. delete prefs[key];
  468. } else {
  469. prefs[key] = value;
  470. }
  471. if (Object.keys(prefs).length === 0) {
  472. window.localStorage.removeItem("XXE.XMLEditorApp.preferences");
  473. } else {
  474. window.localStorage.setItem("XXE.XMLEditorApp.preferences",
  475. JSON.stringify(prefs));
  476. }
  477. }
  478. // -----------------------------------------------------------------------
  479. // Implementation
  480. // -----------------------------------------------------------------------
  481. // -------------------------------
  482. // The indicator as a button
  483. // -------------------------------
  484. onIndicatorClick(event) {
  485. const mod = PLATFORM_IS_MAC_OS? event.metaKey : event.ctrlKey;
  486. if (mod) {
  487. if (this._indicator.classList.contains("xxe-app-logging")) {
  488. this._indicator.classList.remove("xxe-app-logging");
  489. this._xmlEditor.removeRequestListener(this._onAnyRequest);
  490. for (let eventType of XMLEditor.EVENT_TYPES) {
  491. this._xmlEditor.removeEventListener(eventType,
  492. this._onAnyEvent);
  493. }
  494. } else {
  495. this._indicator.classList.add("xxe-app-logging");
  496. this._xmlEditor.addRequestListener(this._onAnyRequest);
  497. for (let eventType of XMLEditor.EVENT_TYPES) {
  498. this._xmlEditor.addEventListener(eventType,
  499. this._onAnyEvent);
  500. }
  501. }
  502. }
  503. }
  504. onAnyRequest(autoConnect, requestName, requestArgs, response) {
  505. let reqInfo;
  506. if (response !== undefined) {
  507. reqInfo = "\u25C0 " + requestName; // BLACK LEFT-POINTING TRIANGLE
  508. } else {
  509. if (autoConnect) {
  510. reqInfo = "autoConnect\u25B6 ";
  511. } else {
  512. reqInfo = "\u25B6 "; // BLACK RIGHT-POINTING TRIANGLE
  513. }
  514. reqInfo += requestName;
  515. }
  516. reqInfo += JSON.stringify(requestArgs, XMLEditorApp.jsonReplacer, 4);
  517. if (response !== undefined) {
  518. reqInfo += " \u2192 "; // RIGHT ARROW
  519. if (response instanceof Error) {
  520. reqInfo += "Error: " + response.toString();
  521. } else {
  522. reqInfo +=
  523. JSON.stringify(response, XMLEditorApp.jsonReplacer, 4);
  524. }
  525. }
  526. this._xmlEditor.showStatus(reqInfo, /*autoErase*/ true);
  527. }
  528. static jsonReplacer(key, value) {
  529. if (value instanceof Blob) {
  530. let info = "(" + value.size + " bytes";
  531. if (value.type) {
  532. info += ";" + value.type;
  533. }
  534. info += ")";
  535. return info;
  536. } else if (value instanceof ArrayBuffer ||
  537. ArrayBuffer.isView(value)) { // Typed array or DataView
  538. return "[" + value.byteLength + " bytes]";
  539. } else {
  540. return value;
  541. }
  542. }
  543. onAnyEvent(event) {
  544. // Some events like DocumentOpenedEvent may be quite big.
  545. let text = event.toString();
  546. if (text.length > 10000) {
  547. text = text.substring(0, 5000) + "\u2026" +
  548. text.substring(text.length-4999);
  549. }
  550. // BLACK UP-POINTING TRIANGLE
  551. this._xmlEditor.showStatus("\u25B2 " + text, /*autoErase*/ true);
  552. }
  553. // -------------------------------
  554. // App menu
  555. // -------------------------------
  556. onMenuButtonClick(event) {
  557. const menuItems = [
  558. // #0
  559. { type: "submenu", text: "Options", name: "optionsMenu",
  560. items: [
  561. { type: "checkbox", text: "Autosave",
  562. name: "autoSaveToggle", selected: false, enabled: false }
  563. ] },
  564. // #1
  565. { separator: true,
  566. text: "Help", name: "help" },
  567. // #2
  568. { separator: true,
  569. text: "Show Element Reference", name: "elementReference" },
  570. // #3
  571. { text: "Show Content Model", name: "contentModel" },
  572. // #4
  573. { separator: true,
  574. text: "Mouse and Keyboard Bindings", name: "bindings" },
  575. // #5
  576. { separator: true,
  577. text: `About ${XMLEditorApp.NAME}`, name: "about" }
  578. ];
  579. let autoSaving = this.autoSave;
  580. if (autoSaving !== null) {
  581. const optionItems = menuItems[0].items;
  582. optionItems[0].enabled = true; // autoSaveToggle
  583. if (autoSaving.endsWith("on")) {
  584. optionItems[0].selected = true;
  585. }
  586. }
  587. if (this._xmlEditor.documentIsOpened) {
  588. if (!this._xmlEditor.configurationName) {
  589. // Simplification: assume that all opened documents having
  590. // a configuration have their "$c elementReference"
  591. // system property set.
  592. menuItems[2].enabled = false;
  593. }
  594. // Simplification: showContentModel always enabled.
  595. // Should be disabled when opened document is not
  596. // contrained by a grammar.
  597. } else {
  598. menuItems[2].enabled = false; // elementReference
  599. menuItems[3].enabled = false; // contentModel
  600. menuItems[4].enabled = false; // bindings
  601. }
  602. this.showButtonMenu(menuItems, this._menuButton, "comboboxmenu");
  603. }
  604. showButtonMenu(menuItems, button, position="menu") {
  605. const menu = XUI.Menu.create(menuItems);
  606. menu.addEventListener("menuitemselected",
  607. this._onButtonMenuItemSelected);
  608. menu.open(position, button);
  609. }
  610. onButtonMenuItemSelected(event) {
  611. switch (event.xuiMenuItem.name) {
  612. case "newDocument":
  613. XMLEditorApp.newDocument(this._xmlEditor);
  614. break;
  615. case "newRemoteFile":
  616. XMLEditorApp.newRemoteFile(this._xmlEditor);
  617. break;
  618. case "openDocument":
  619. XMLEditorApp.openDocument(this._xmlEditor);
  620. break;
  621. case "openRemoteFile":
  622. XMLEditorApp.openRemoteFile(this._xmlEditor);
  623. break;
  624. case "autoSaveToggle":
  625. this.toggleAutoSave();
  626. break;
  627. case "help":
  628. this.showHelp();
  629. break;
  630. case "elementReference":
  631. this.showElementReference();
  632. break;
  633. case "contentModel":
  634. this.showContentModel();
  635. break;
  636. case "bindings":
  637. XUI.Alert.showInfo(this.getBindingsText(), this);
  638. break;
  639. case "about":
  640. XUI.Alert.showInfo(XMLEditorApp.ABOUT, this);
  641. break;
  642. }
  643. }
  644. toggleAutoSave() {
  645. let autoSaving = this.autoSave;
  646. if (autoSaving !== null) {
  647. let toggled = false;
  648. if (autoSaving.endsWith("on")) {
  649. autoSaving =
  650. autoSaving.substring(0, autoSaving.length-2) + "off";
  651. toggled = true;
  652. } else if (autoSaving.endsWith("off")) {
  653. autoSaving =
  654. autoSaving.substring(0, autoSaving.length-3) + "on";
  655. toggled = true;
  656. }
  657. if (toggled) {
  658. this.autoSave = autoSaving;
  659. if (this._xmlEditor.documentIsOpened) {
  660. this.showAutoSaving(autoSaving.endsWith("on"));
  661. }
  662. }
  663. }
  664. }
  665. showHelp() {
  666. const helpURL =
  667. "https://www.xmlmind.com/xmleditor/_web/doc/manual/wh/basics.html";
  668. // Direct user action: no problem with the popup blocker of the browser.
  669. window.open(helpURL, "xxewOnlineHelp");
  670. }
  671. showElementReference() {
  672. // Doing it this way prevents window.open from being blocked by the
  673. // popup blocker of the browser (Firefox only?).
  674. const helpWin = window.open("", "xxewElementReference");
  675. if (!helpWin) {
  676. docView.showStatus(
  677. "Could not open window containing element reference.",
  678. /*autoErase*/ true);
  679. return;
  680. }
  681. helpWin.focus(); // If "xxewElementReference" already opened.
  682. const docView = this._xmlEditor.documentView;
  683. docView.executeCommand(EXECUTE_NORMAL, "showElementReference", null)
  684. .then((result) => {
  685. if (CommandResult.isDone(result) && result.value !== null) {
  686. helpWin.location = result.value;
  687. } else {
  688. docView.showStatus("Element reference not available.",
  689. /*autoErase*/ true);
  690. helpWin.close();
  691. }
  692. });
  693. // Catch not useful. DocumentView.executeCommand handles errors
  694. // by returning a null Promise.
  695. }
  696. showContentModel() {
  697. const docView = this._xmlEditor.documentView;
  698. docView.executeCommand(EXECUTE_NORMAL, "showContentModel", null)
  699. .then((result) => {
  700. if (result === null ||
  701. result.status === COMMAND_RESULT_FAILED) {
  702. docView.showStatus(
  703. "Cannot show the content model of selected element.",
  704. /*autoErase*/ true);
  705. }
  706. });
  707. }
  708. getBindingsText() {
  709. const bindings = this._xmlEditor.documentView.bindings;
  710. if (bindings === null) {
  711. // Should not happen if a document is opened.
  712. return "???";
  713. }
  714. let rows = [];
  715. let rows2 = [];
  716. for (let binding of bindings) {
  717. let row = [ binding.getUserInputLabel(),
  718. binding.commandName, binding.commandParams ];
  719. if (binding.userInput instanceof AppEvent) {
  720. rows2.push(row);
  721. } else {
  722. rows.push(row);
  723. }
  724. }
  725. rows.sort((r1, r2) => { return r1[0].localeCompare(r2[0], "en"); });
  726. if (rows2.length > 0) {
  727. rows2.sort((r1, r2) => {return r1[0].localeCompare(r2[0], "en");});
  728. rows.push(...rows2);
  729. }
  730. // ---
  731. let html = XMLEditorApp.BINDINGS;
  732. let pos = html.indexOf("</tbody>");
  733. if (pos > 0) {
  734. const tdStartTag = `<td ${XMLEditorApp.BINDINGS_TD_STYLE}>`;
  735. let tr = "";
  736. let trCount = 0;
  737. for (let row of rows) {
  738. tr += "<tr";
  739. if (trCount % 2 === 1) {
  740. tr += " style=\"background-color:#FFFFE0;\""; //Light yellow
  741. }
  742. tr += ">\n";
  743. tr += tdStartTag;
  744. tr += XUI.Util.escapeHTML(row[0]);
  745. tr += "</td>";
  746. tr += tdStartTag;
  747. tr += XUI.Util.escapeHTML(row[1]);
  748. tr += "</td>";
  749. tr += tdStartTag;
  750. if (row[2] === null) {
  751. tr += "\u00A0"; // nbsp
  752. } else {
  753. tr += XUI.Util.escapeHTML(row[2]);
  754. }
  755. tr += "</td>";
  756. tr += "</tr>\n";
  757. ++trCount;
  758. }
  759. html = html.substring(0, pos) + tr + html.substring(pos);
  760. }
  761. return html;
  762. }
  763. // -------------------------------
  764. // New button
  765. // -------------------------------
  766. onNewButtonClick(event) {
  767. switch (this.documentStorage) {
  768. case "local":
  769. XMLEditorApp.newDocument(this._xmlEditor);
  770. break;
  771. case "remote":
  772. XMLEditorApp.newRemoteFile(this._xmlEditor);
  773. break;
  774. default:
  775. {
  776. const menuItems = [
  777. { text: "New Local Document\u2026", name: "newDocument" },
  778. { text: "New Remote Document\u2026", name: "newRemoteFile" }
  779. ];
  780. this.showButtonMenu(menuItems, this._newButton);
  781. }
  782. break;
  783. }
  784. }
  785. // -------------------------------
  786. // Open button
  787. // -------------------------------
  788. onOpenButtonClick(event) {
  789. switch (this.documentStorage) {
  790. case "local":
  791. XMLEditorApp.openDocument(this._xmlEditor);
  792. break;
  793. case "remote":
  794. XMLEditorApp.openRemoteFile(this._xmlEditor);
  795. break;
  796. default:
  797. {
  798. const menuItems = [
  799. { text: "Open Local Document\u2026", name: "openDocument" },
  800. { text: "Open Remote Document\u2026", name: "openRemoteFile" }
  801. ];
  802. this.showButtonMenu(menuItems, this._openButton);
  803. }
  804. break;
  805. }
  806. }
  807. // -------------------------------
  808. // Save button
  809. // -------------------------------
  810. onSaveButtonClick(event) {
  811. XMLEditorApp.saveDocument(this._xmlEditor)
  812. .then((saved) => {
  813. if (saved) {
  814. this._xmlEditor.showStatus(
  815. `Document saved to "${this._xmlEditor.documentURI}".`);
  816. }
  817. });
  818. }
  819. // -------------------------------
  820. // Save As button
  821. // -------------------------------
  822. onSaveAsButtonClick(event) {
  823. XMLEditorApp.saveDocumentAs(this._xmlEditor)
  824. .then((savedAs) => {
  825. if (savedAs) {
  826. this._xmlEditor.showStatus(
  827. `Document saved to "${this._xmlEditor.documentURI}".`);
  828. }
  829. });
  830. }
  831. // -------------------------------
  832. // Close button
  833. // -------------------------------
  834. onCloseButtonClick(event) {
  835. XMLEditorApp.closeDocument(this._xmlEditor);
  836. }
  837. // -------------------------------
  838. // XMLEditor event handlers
  839. // -------------------------------
  840. onConnected(event) {
  841. this._indicator.classList.add("xxe-app-connected");
  842. this._indicator.setAttribute("title", `Connected to
  843. ${this._xmlEditor.serverURL}
  844. (${(PLATFORM_IS_MAC_OS? "Command" : "Ctrl")}-click to toggle logging \
  845. requests, responses and events.)`);
  846. }
  847. onDisconnected(event) {
  848. this._indicator.classList.remove("xxe-app-connected");
  849. this._indicator.setAttribute("title", `Disconnected from
  850. ${this._xmlEditor.serverURL}
  851. (${(PLATFORM_IS_MAC_OS? "Command" : "Ctrl")}-click to toggle logging \
  852. requests, responses and events.)`);
  853. this.enableButtons();
  854. }
  855. onDocumentOpened(event) {
  856. // On document opened or created or recovered or shared.
  857. this.showAutoSaving(true);
  858. this.removeSaveHint();
  859. this.addSaveHint();
  860. this.updateTitle();
  861. this.enableButtons();
  862. this.setLeaveAppChecker();
  863. }
  864. showAutoSaving(show) {
  865. let saveIcon = this._saveButton.firstElementChild;
  866. if (show && this._autoSave !== null && this._autoSave.activable) {
  867. saveIcon.classList.replace("xui-saveDocument-16",
  868. "xui-autoSaveDocument-16");
  869. saveIcon.setAttribute("title", "Autosave enabled.");
  870. } else {
  871. saveIcon.classList.replace("xui-autoSaveDocument-16",
  872. "xui-saveDocument-16");
  873. saveIcon.removeAttribute("title");
  874. }
  875. }
  876. addSaveHint() {
  877. if (!this._xmlEditor.isRemoteFile) {
  878. let tooltip;
  879. let addClass = null;
  880. if (FSAccess.isAvailable()) {
  881. tooltip = `Please note that \
  882. the first time you'll use this "Save" button,\n\
  883. you may be asked to grant your permission to save this file to disk.`
  884. addClass = "xxe-app-save-info";
  885. } else {
  886. tooltip = `Please note that \
  887. DIRECTLY SAVING A FILE TO DISK IS NOT SUPPORTED\n\
  888. by this browser. Therefore "Save" is here equivalent to "Save As".`
  889. addClass = "xxe-app-save-warn";
  890. }
  891. let saveHint = XMLEditorApp.SAVE_HINT_TEMPLATE.content
  892. .cloneNode(true).firstElementChild;
  893. saveHint.textContent = XUI.StockIcon["comment"];
  894. saveHint.classList.add(addClass);
  895. this._saveButton.appendChild(saveHint);
  896. this._saveButton.setAttribute("title", tooltip);
  897. }
  898. }
  899. removeSaveHint() {
  900. let saveHint = this._saveButton.querySelector(".xxe-app-save-hint");
  901. if (saveHint !== null) {
  902. this._saveButton.removeChild(saveHint);
  903. this._saveButton.removeAttribute("title");
  904. }
  905. }
  906. onDocumentSavedAs(event) {
  907. this.updateTitle();
  908. this.enableButtons();
  909. }
  910. onDocumentClosed(event) {
  911. this.updateTitle();
  912. this.enableButtons();
  913. this.setLeaveAppChecker();
  914. this.showAutoSaving(false);
  915. this.removeSaveHint();
  916. }
  917. onSaveStateChanged(event) {
  918. this.updateTitle();
  919. this.enableButtons();
  920. this.setLeaveAppChecker();
  921. }
  922. onReadOnlyStateChanged(event) {
  923. this.updateTitle();
  924. }
  925. updateTitle() {
  926. let title = XMLEditorApp.TITLE;
  927. let style = "bold";
  928. if (this._xmlEditor.documentIsOpened) {
  929. title = this._xmlEditor.documentURI;
  930. style = "normal";
  931. if (this._xmlEditor.saveNeeded) {
  932. title += " (modified)";
  933. }
  934. if (this._xmlEditor.readOnlyDocument) {
  935. title += " (read-only)";
  936. }
  937. }
  938. if (title !== this._title.textContent) {
  939. this._title.textContent = title;
  940. this._title.style.fontWeight = style;
  941. }
  942. }
  943. enableButtons() {
  944. const connected = this._xmlEditor.connected;
  945. const docOpened = this._xmlEditor.documentIsOpened;
  946. XMLEditorApp.enableButton(this._saveButton,
  947. connected && docOpened &&
  948. this._xmlEditor.saveNeeded);
  949. XMLEditorApp.enableButton(this._saveAsButton, connected && docOpened);
  950. XMLEditorApp.enableButton(this._closeButton, connected && docOpened);
  951. }
  952. static enableButton(button, enabled) {
  953. if (enabled) {
  954. if (button.hasAttribute("disabled")) {
  955. button.removeAttribute("disabled");
  956. button.classList.remove("xui-control-disabled");
  957. }
  958. } else {
  959. if (!button.hasAttribute("disabled")) {
  960. button.setAttribute("disabled", "disabled");
  961. button.classList.add("xui-control-disabled");
  962. }
  963. }
  964. }
  965. // =======================================================================
  966. // Interactive actions (may be used independently from XMLEditorApp)
  967. // =======================================================================
  968. // ------------------------------------
  969. // newDocument, newRemoteFile
  970. // ------------------------------------
  971. /**
  972. * Open a newly created <em>local</em> document in specified XML editor.
  973. * <p>This static method in invoked by
  974. * <b>New</b>|<b>New Local Document</b>
  975. * but may be used independently from <code>XMLEditorApp</code>.
  976. *
  977. * @param {XMLEditor} xmlEditor - the XML editor.
  978. */
  979. static newDocument(xmlEditor) {
  980. return XMLEditorApp.doNewDocument(xmlEditor, /*remote*/ false);
  981. }
  982. /**
  983. * Open a newly created <em>remote</em> document in specified XML editor.
  984. * <p>This static method in invoked by
  985. * <b>New</b>|<b>New Remote Document</b>
  986. * but may be used independently from <code>XMLEditorApp</code>.
  987. *
  988. * @param {XMLEditor} xmlEditor - the XML editor.
  989. */
  990. static newRemoteFile(xmlEditor) {
  991. return XMLEditorApp.doNewDocument(xmlEditor, /*remote*/ true);
  992. }
  993. static doNewDocument(xmlEditor, remote) {
  994. let selectedTemplate = [];
  995. return XMLEditorApp.confirmDiscardChanges(xmlEditor)
  996. .then((confirmed) => {
  997. if (confirmed) {
  998. return NewDocumentDialog.showDialog(xmlEditor);
  999. } else {
  1000. return null; // Template not selected.
  1001. }
  1002. })
  1003. .then((tmpl) => {
  1004. if (tmpl === null) {
  1005. // Canceled by user during any of the 2 previous steps.
  1006. return false; // Document not closed.
  1007. } else {
  1008. selectedTemplate.push(...tmpl);
  1009. return XMLEditorApp.doCloseDocument(xmlEditor);
  1010. }
  1011. })
  1012. .then((closed) => {
  1013. if (closed) {
  1014. let [category, template] = selectedTemplate;
  1015. if (remote) {
  1016. return xmlEditor.newRemoteFile(category, template);
  1017. } else {
  1018. return xmlEditor.newDocument(category, template);
  1019. }
  1020. } else {
  1021. return false;
  1022. }
  1023. })
  1024. .catch((error) => {
  1025. XUI.Alert.showError(`Cannot create document:\n${error}`,
  1026. xmlEditor);
  1027. return false;
  1028. });
  1029. }
  1030. static confirmDiscardChanges(xmlEditor) {
  1031. if (!xmlEditor.documentIsOpened || !xmlEditor.saveNeeded) {
  1032. // No changes.
  1033. return Promise.resolve(true);
  1034. }
  1035. return XUI.Confirm.showConfirm(
  1036. `"${xmlEditor.documentURI}" has been modified\nDiscard changes?`,
  1037. /*reference*/ xmlEditor);
  1038. }
  1039. // ------------------------------------
  1040. // openDocument, openRemoteFile
  1041. // ------------------------------------
  1042. /**
  1043. * Open an existing <em>local</em> document in specified XML editor.
  1044. * <p>This static method in invoked by
  1045. * <b>Open</b>|<b>Open Local Document</b>
  1046. * but may be used independently from <code>XMLEditorApp</code>.
  1047. *
  1048. * @param {XMLEditor} xmlEditor - the XML editor.
  1049. */
  1050. static openDocument(xmlEditor) {
  1051. return XMLEditorApp.doOpenDocument(xmlEditor, /*remote*/ false);
  1052. }
  1053. /**
  1054. * Open an existing <em>remote</em> document in specified XML editor.
  1055. * <p>This static method in invoked by
  1056. * <b>Open</b>|<b>Open Remote Document</b>
  1057. * but may be used independently from <code>XMLEditorApp</code>.
  1058. *
  1059. * @param {XMLEditor} xmlEditor - the XML editor.
  1060. */
  1061. static openRemoteFile(xmlEditor) {
  1062. return XMLEditorApp.doOpenDocument(xmlEditor, /*remote*/ true);
  1063. }
  1064. static doOpenDocument(xmlEditor, remote) {
  1065. const options = {
  1066. title: "Open Document",
  1067. extensions: XMLEditorApp.ACCEPTED_FILE_EXTENSIONS,
  1068. option: [ "readOnly", false,
  1069. "Open corresponding document in read-only mode" ]
  1070. };
  1071. let chosenFile = {};
  1072. return XMLEditorApp.confirmDiscardChanges(xmlEditor)
  1073. .then((confirmed) => {
  1074. if (confirmed) {
  1075. if (remote) {
  1076. return RemoteFileDialog.showDialog(xmlEditor, options);
  1077. } else {
  1078. return LocalFileDialog.showDialog(xmlEditor, options);
  1079. }
  1080. } else {
  1081. return null; // File not chosen.
  1082. }
  1083. })
  1084. .then((choice) => {
  1085. if (choice === null) {
  1086. // Canceled by user during any of the 2 previous steps.
  1087. return false; // Document not closed.
  1088. } else {
  1089. Object.assign(chosenFile, choice);
  1090. return XMLEditorApp.doCloseDocument(xmlEditor);
  1091. }
  1092. })
  1093. .then((closed) => {
  1094. if (closed) {
  1095. let readOnly =
  1096. !chosenFile.readOnly? false : chosenFile.readOnly;
  1097. if (remote) {
  1098. return xmlEditor.openRemoteFile(chosenFile.uri,
  1099. readOnly);
  1100. } else {
  1101. return xmlEditor.openDocument(chosenFile.file,
  1102. chosenFile.uri, readOnly);
  1103. }
  1104. } else {
  1105. return false; // Old doc not closed => new doc not opened.
  1106. }
  1107. })
  1108. .then((opened) => {
  1109. if (opened) {
  1110. if (!remote && chosenFile.file.handle) {
  1111. // chosenFile.file.handle is needed to save a local
  1112. // file without prompting the user.
  1113. // (This handle is lost when recovering a
  1114. // local document. This just means that the user
  1115. // will be prompted at the first save.)
  1116. // This "set handle" works because
  1117. // DocumentOpenedEvents (initalizing the state of
  1118. // newly opened document state) are received *before*
  1119. // the result of request openDocument.
  1120. xmlEditor.documentFileHandle = chosenFile.file.handle;
  1121. } else {
  1122. xmlEditor.documentFileHandle = null;
  1123. }
  1124. }
  1125. return opened;
  1126. })
  1127. .catch((error) => {
  1128. XUI.Alert.showError(`Cannot open document:\n${error}`,
  1129. xmlEditor);
  1130. return false;
  1131. });
  1132. }
  1133. // ------------------------------------
  1134. // saveDocument
  1135. // ------------------------------------
  1136. /**
  1137. * Save the document being edited in specified XML editor.
  1138. * <p>This static method in invoked by button <b>Save</b>
  1139. * but may be used independently from <code>XMLEditorApp</code>.
  1140. *
  1141. * @param {XMLEditor} xmlEditor - the XML editor.
  1142. */
  1143. static saveDocument(xmlEditor) {
  1144. if (!xmlEditor.documentIsOpened || !xmlEditor.saveNeeded) {
  1145. // Nothing to do.
  1146. return Promise.resolve(false);
  1147. }
  1148. const remote = xmlEditor.isRemoteFile;
  1149. if (xmlEditor.saveAsNeeded ||
  1150. (!remote && xmlEditor.documentFileHandle === null)) {
  1151. return XMLEditorApp.saveDocumentAs(xmlEditor);
  1152. }
  1153. return XMLEditorApp.doSaveDocument(xmlEditor, remote)
  1154. .catch((error) => {
  1155. XUI.Alert.showError(`Could not save document:\n${error}`,
  1156. xmlEditor);
  1157. return false;
  1158. });
  1159. }
  1160. static doSaveDocument(xmlEditor, remote) {
  1161. return XMLEditorApp.getDocumentContent(xmlEditor, remote)
  1162. .then((docContent) => {
  1163. if (remote) {
  1164. // N/A.
  1165. return null;
  1166. } else {
  1167. // Non interactive.
  1168. return FSAccess.fileSave(docContent, /*options*/ {},
  1169. xmlEditor.documentFileHandle,
  1170. /*throwIfUnusableHandle*/ true);
  1171. }
  1172. })
  1173. .then((savedFileHandle) => {
  1174. if (!remote &&
  1175. savedFileHandle !== xmlEditor.documentFileHandle) {
  1176. throw new Error(`INTERNAL ERROR: expected \
  1177. document file handle=${xmlEditor.documentFileHandle}, \
  1178. got handle=${savedFileHandle}`);
  1179. }
  1180. return xmlEditor.saveDocument();
  1181. })
  1182. }
  1183. static getDocumentContent(xmlEditor, remote) {
  1184. if (remote) {
  1185. // N/A.
  1186. return Promise.resolve(null);
  1187. }
  1188. return xmlEditor.getDocument() // formattingOptions are found in config.
  1189. .then((xmlSource) => {
  1190. if (xmlSource) {
  1191. // We only support "UTF-8" here.
  1192. xmlSource = xmlSource.replace(
  1193. /encoding=(('[^']*')|("[^"]*"))\s*\?>/,
  1194. "encoding=\"UTF-8\"?>");
  1195. return new Blob([ xmlSource ]);
  1196. } else {
  1197. // Should not happen.
  1198. throw new Error("no document content");
  1199. }
  1200. });
  1201. }
  1202. // ------------------------------------
  1203. // saveDocumentAs
  1204. // ------------------------------------
  1205. /**
  1206. * Save the document being edited in specified XML editor
  1207. * to a different location, the user being prompted to specify
  1208. * this location.
  1209. * <p>This static method in invoked by button <b>Save As</b>
  1210. * but may be used independently from <code>XMLEditorApp</code>.
  1211. *
  1212. * @param {XMLEditor} xmlEditor - the XML editor.
  1213. */
  1214. static saveDocumentAs(xmlEditor) {
  1215. const remote = xmlEditor.isRemoteFile;
  1216. const options = {
  1217. title: "Save Document",
  1218. extensions: XMLEditorApp.ACCEPTED_FILE_EXTENSIONS,
  1219. templateURI: xmlEditor.documentURI
  1220. };
  1221. let chosenFile = {};
  1222. return XMLEditorApp.getDocumentContent(xmlEditor, remote)
  1223. .then((docContent) => {
  1224. if (remote) {
  1225. return RemoteFileDialog.showDialog(xmlEditor, options,
  1226. /*saveMode*/ true);
  1227. } else {
  1228. return LocalFileDialog.showDialog(xmlEditor, options,
  1229. /*savedData*/ docContent);
  1230. }
  1231. })
  1232. .then((choice) => {
  1233. if (choice === null) {
  1234. // Canceled by user.
  1235. return false; // Document not saved as.
  1236. } else {
  1237. Object.assign(chosenFile, choice);
  1238. return xmlEditor.saveDocumentAs(chosenFile.uri);
  1239. }
  1240. })
  1241. .then((savedAs) => {
  1242. if (savedAs) {
  1243. if (!remote && chosenFile.fileHandle) {
  1244. xmlEditor.documentFileHandle = chosenFile.fileHandle;
  1245. } else {
  1246. xmlEditor.documentFileHandle = null;
  1247. }
  1248. }
  1249. return savedAs;
  1250. })
  1251. .catch((error) => {
  1252. let where = !chosenFile.uri? "" : ` "${chosenFile.uri}"`;
  1253. XUI.Alert.showError(`Cannot save document as${where}:\n${error}`,
  1254. xmlEditor);
  1255. return false;
  1256. });
  1257. }
  1258. // ------------------------------------
  1259. // closeDocument
  1260. // ------------------------------------
  1261. /**
  1262. * Close the document being edited in specified XML editor.
  1263. * <p>If this document has unsaved changes, the user will have to confirm
  1264. * whether she/he really wants to discard these changes.
  1265. * <p>This static method in invoked by button <b>Close</b>
  1266. * but may be used independently from <code>XMLEditorApp</code>.
  1267. *
  1268. * @param {XMLEditor} xmlEditor - the XML editor.
  1269. */
  1270. static closeDocument(xmlEditor) {
  1271. return XMLEditorApp.confirmDiscardChanges(xmlEditor)
  1272. .then((confirmed) => {
  1273. if (confirmed) {
  1274. return XMLEditorApp.doCloseDocument(xmlEditor);
  1275. } else {
  1276. return false; // Document not closed.
  1277. }
  1278. })
  1279. .catch((error) => {
  1280. XUI.Alert.showError(`Cannot close document:\n${error}`,
  1281. xmlEditor);
  1282. return false;
  1283. });
  1284. }
  1285. static doCloseDocument(xmlEditor) {
  1286. if (!xmlEditor.documentIsOpened) {
  1287. return Promise.resolve(true);
  1288. }
  1289. return xmlEditor.closeDocument(/*discardChanges*/ true);
  1290. }
  1291. }
  1292. XMLEditorApp.NAME = "XMLmind XML Editor";
  1293. XMLEditorApp.CLIENT_VERSION = "1.5.0";
  1294. XMLEditorApp.TITLE =
  1295. `${XMLEditorApp.NAME} Web Edition ${XMLEditorApp.CLIENT_VERSION}`;
  1296. XMLEditorApp.SERVER_VERSION = "10.10.0";
  1297. XMLEditorApp.ABOUT = `<html><h3 style="margin-top:0;">${XMLEditorApp.NAME}
  1298. <span style="font-size:smaller;">client ${XMLEditorApp.CLIENT_VERSION} / \
  1299. server ${XMLEditorApp.SERVER_VERSION}</span></h3>
  1300. <p>Copyright (c) 2017-${(new Date()).getFullYear()} XMLmind Software,
  1301. all rights reserved.</p>
  1302. <p>For more information, please visit<br />
  1303. www.xmlmind.com/xmleditor/</p>
  1304. `;
  1305. XMLEditorApp.BINDINGS_TD_STYLE =
  1306. "style=\"border:1px solid #C0C0C0;padding:0.25em 0.5em;\"";
  1307. XMLEditorApp.BINDINGS = `<html><h3 style="margin-top:0;">Mouse and keyboard \
  1308. bindings</h3>
  1309. <table style="border:1px solid #C0C0C0;border-collapse:collapse;">
  1310. <thead style="background-color:#F0F0F0;">
  1311. <tr>
  1312. <th ${XMLEditorApp.BINDINGS_TD_STYLE}>User input</th>
  1313. <th ${XMLEditorApp.BINDINGS_TD_STYLE}>Command</th>
  1314. <th ${XMLEditorApp.BINDINGS_TD_STYLE}>Parameter</th>
  1315. </tr>
  1316. </thead>
  1317. <tbody></tbody>
  1318. </table>
  1319. `;
  1320. XMLEditorApp.TEMPLATE = document.createElement("template");
  1321. XMLEditorApp.TEMPLATE.innerHTML = `
  1322. <div class="xxe-app-title-bar">
  1323. <span class="xui-control xxe-app-indicator"></span>
  1324. <span class="xxe-app-title">XMLmind XML Editor</span>
  1325. <span class="xxe-tool-button xxe-app-menu"></span>
  1326. </div>
  1327. <div class="xxe-app-button-bar">
  1328. <button type="button" class="xui-control xxe-app-button"><span
  1329. class="xui-edit-icon-16
  1330. xui-newDocument-16"></span><span>New</span><span>\u2026</span></button>
  1331. <button type="button" class="xui-control xxe-app-button"><span
  1332. class="xui-edit-icon-16
  1333. xui-openDocument-16"></span><span>Open</span><span>\u2026</span></button>
  1334. <button type="button" class="xui-control xxe-app-button"><span
  1335. class="xui-edit-icon-16
  1336. xui-saveDocument-16"></span><span>Save</span></button>
  1337. <button type="button" class="xui-control xxe-app-button"><span
  1338. class="xui-edit-icon-16
  1339. xui-saveDocumentAs-16"></span><span>Save As\u2026</span></button>
  1340. <button type="button" class="xui-control xxe-app-button"><span
  1341. class="xui-edit-icon-16
  1342. xui-closeDocument-16"></span><span>Close</span></button>
  1343. </div>
  1344. <xxe-client></xxe-client>
  1345. `;
  1346. XMLEditorApp.SAVE_HINT_TEMPLATE = document.createElement("template");
  1347. XMLEditorApp.SAVE_HINT_TEMPLATE.innerHTML = `
  1348. <span class="xui-small-icon xxe-app-save-hint"></span>
  1349. `;
  1350. XMLEditorApp.ACCEPTED_FILE_EXTENSIONS = [
  1351. ["XML files",
  1352. "application/xml",
  1353. "xml"],
  1354. ["DocBook files",
  1355. "application/docbook+xml",
  1356. "xml", "dbk", "docb"],
  1357. ["XHTML files",
  1358. "application/xhtml+xml",
  1359. "xhtml", "xht",
  1360. "html", "shtml", "htm"],
  1361. ["DITA files",
  1362. "application/dita+xml",
  1363. "dita", "ditamap",
  1364. "bookmap", "ditaval"],
  1365. ["MathML files",
  1366. "application/mathml+xml",
  1367. "mml"]
  1368. ];
  1369. window.customElements.define("xxe-app", XMLEditorApp);