base/base.js

  1. /**
  2. * Cauldron Base
  3. * The core IDE of Cauldron
  4. *
  5. * Copyright 2020, 2021 Rolf Bagge, Janus B. Kristensen, CAVI,
  6. * Center for Advanced Visualization and Interaction, Aarhus University
  7. *
  8. * Licensed under the Apache License, Version 2.0 (the "License");
  9. * you may not use this file except in compliance with the License.
  10. * You may obtain a copy of the License at
  11. *
  12. * http://www.apache.org/licenses/LICENSE-2.0
  13. * Unless required by applicable law or agreed to in writing, software
  14. * distributed under the License is distributed on an "AS IS" BASIS,
  15. * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  16. * See the License for the specific language governing permissions and
  17. * limitations under the License.
  18. **/
  19. /* global GoldenLayout */
  20. /**
  21. * Triggered when a Cauldron is opened.
  22. * @event Cauldron.Cauldron#EventSystem:"Cauldron.OnOpen"
  23. * @type {CustomEvent}
  24. * @property {Cauldron.Cauldron} cauldron - The Cauldron that was opened
  25. */
  26. /**
  27. * Triggered when a Cauldron is closed.
  28. * @event Cauldron.Cauldron#EventSystem:"Cauldron.OnClose"
  29. * @type {Event}
  30. * @property {Cauldron.Cauldron} cauldron - The Cauldron that was closed
  31. */
  32. /**
  33. * Triggered when a Cauldron is initialized.
  34. * @event Cauldron.Cauldron#EventSystem:"Cauldron.OnInit"
  35. * @type {Event}
  36. * @property {Cauldron.Cauldron} cauldron - The Cauldron that was initialized
  37. */
  38. /**
  39. * Tirgger to open a FragmentEditor
  40. * @event Cauldron.Cauldron#EventSystem:"Cauldron.Open.FragmentEditor"
  41. * @type {Event}
  42. * @property {Fragment} fragment - The fragment to open in a FragmentEditor
  43. */
  44. /**
  45. * The Cauldron editor
  46. * @memberOf Cauldron
  47. * @alias Cauldron
  48. */
  49. class CauldronBase {
  50. /**
  51. * Create a new Cauldron editor
  52. */
  53. constructor(config={}) {
  54. let defaultConfig = {
  55. edgeDockerMode: EdgeDocker.MODE.MINIMIZED,
  56. edgeDockerLoadMode: true,
  57. console: true,
  58. inspector: true,
  59. actionMenu: true,
  60. tabContextMenu: true,
  61. mainMenu: true,
  62. dragAndDrop: true,
  63. goldenLayoutSaveState: true,
  64. };
  65. this.config = Object.assign({}, defaultConfig, config);
  66. this.setupGoldenLayoutPromise = null;
  67. //Setup EdgeDocker
  68. this.docker = new EdgeDocker({
  69. mode: this.config.edgeDockerMode,
  70. shadowRoot: Cauldron.CauldronSettings.getShadowRoot(),
  71. shadowCompatibility: Cauldron.CauldronSettings.getShadowRoot()
  72. });
  73. this.docker.getComponentArea().classList.add("cauldron-themeable");
  74. this.docker.getComponentArea().setAttribute("cauldron-theme", Cauldron.CauldronSettings.getTheme());
  75. //Setup container divs
  76. this.editorContentArea = document.createElement("div");
  77. this.editorContentArea.classList.add("cauldron-base-content");
  78. this.docker.getComponentArea().appendChild(this.editorContentArea);
  79. //Setup main menu
  80. if(this.config.mainMenu) {
  81. this.topBar = document.createElement("div");
  82. this.topBar.classList.add("cauldron-base-top");
  83. this.mainMenu = new CauldronMainMenu(this);
  84. this.docker.setupDragHandle(this.mainMenu.html);
  85. }
  86. // Action menu
  87. if(this.config.actionMenu) {
  88. this.actionMenu = new CauldronActionMenu();
  89. this.topBar.appendChild(this.actionMenu.html);
  90. this.topBar.appendChild(this.mainMenu.html);
  91. this.editorContentArea.appendChild(this.topBar);
  92. }
  93. // Inspector
  94. if(this.config.inspector) {
  95. this.inspector = new Cauldron.CauldronInspector();
  96. }
  97. //Console
  98. if(this.config.console) {
  99. this.console = new Cauldron.CauldronConsole();
  100. }
  101. this.goldenLayoutArea = document.createElement("div");
  102. this.goldenLayoutArea.classList.add("cauldron-layout");
  103. this.editorContentArea.appendChild(this.goldenLayoutArea);
  104. this.goldenLayoutInitDone = false;
  105. //Added components
  106. this.registeredComponentNames = new Set();
  107. if(this.config.mainMenu) {
  108. this.setupMenuItems();
  109. }
  110. if(this.config.dragAndDrop) {
  111. this.setupDragAndDrop();
  112. }
  113. this.setupEvents();
  114. }
  115. /**
  116. * Opens Cauldron IDE
  117. * Optionally inside another element
  118. */
  119. async open(optionalParentElement=false) {
  120. await this.setupGoldenLayout(this.goldenLayoutArea);
  121. this.docker.dockInto(optionalParentElement);
  122. if (optionalParentElement){
  123. this.docker.setMode(EdgeDocker.MODE.EMBEDDED);
  124. } else {
  125. if(this.config.edgeDockerLoadMode) {
  126. this.docker.loadMode(EdgeDocker.MODE.RIGHT);
  127. } else {
  128. this.docker.setMode(EdgeDocker.MODE.RIGHT, false);
  129. }
  130. }
  131. await EventSystem.triggerEventAsync("Cauldron.OnOpen", {
  132. cauldron: this
  133. });
  134. if(!this.goldenLayoutInitDone) {
  135. let initialisedPromise = new Promise((resolve, reject)=>{
  136. this.goldenLayout.on("initialised", ()=>{
  137. resolve();
  138. });
  139. });
  140. this.goldenLayout.init();
  141. await initialisedPromise;
  142. this.goldenLayoutInitDone = true;
  143. EventSystem.triggerEvent("Cauldron.OnInit", {
  144. cauldron: this
  145. });
  146. }
  147. }
  148. /**
  149. * Closes Cauldron IDE
  150. */
  151. close() {
  152. this.docker.setMode(EdgeDocker.MODE.MINIMIZED);
  153. EventSystem.triggerEvent("Cauldron.OnClose", {
  154. cauldron: this
  155. });
  156. }
  157. /**
  158. * Check wether this Cauldron editor is open
  159. * @returns {boolean} true/false depending on if Cauldron is open or not
  160. */
  161. isOpen() {
  162. return this.docker.currentMode !== EdgeDocker.MODE.MINIMIZED;
  163. }
  164. /**
  165. * Sets the bounds of this Cauldron
  166. * @param {Number} x
  167. * @param {Number} y
  168. * @param {Number} width
  169. * @param {Number} height
  170. */
  171. setBounds(x, y, width, height) {
  172. this.docker.setBounds(x, y, width, height);
  173. }
  174. /**
  175. * The parent element to insert popups and overlays into when opening menus etc
  176. * @returns element
  177. */
  178. getPopupParent(){
  179. return this.docker.getComponentArea();
  180. }
  181. /**
  182. * @private
  183. */
  184. setupEvents() {
  185. let self = this;
  186. EventSystem.registerEventCallback("Cauldron.ResetLayout", ()=>{
  187. if(confirm("This will reset Cauldron layout, and reload the page, continue?")) {
  188. let key = "Cauldron-Saved-State-" + location.pathname.replace(/\//g, "");
  189. localStorage.setItem(key, null);
  190. location.reload();
  191. }
  192. });
  193. EventSystem.registerEventCallback("Cauldron.Minimize", ()=>{
  194. self.close();
  195. });
  196. EventSystem.registerEventCallback("Cauldron.Dock", ({detail:{pos: pos}})=>{
  197. self.docker.setMode(pos);
  198. });
  199. EventSystem.registerEventCallback("Cauldron.Theme", ({detail:{theme: theme}})=>{
  200. if (theme){
  201. self.docker.getComponentArea().setAttribute("cauldron-theme", theme);
  202. }
  203. });
  204. EventSystem.registerEventCallback("TreeBrowser.TreeNode.Action", ({detail:{node: node, treeBrowser: treeBrowser}}) => {
  205. if (node.type === "DomTreeNode" && node.context != null){
  206. if (node.context.matches("code-fragment")){
  207. let fragment = cQuery(node.context).data("Fragment");
  208. EventSystem.triggerEvent("Cauldron.Open.FragmentEditor", {
  209. fragment: fragment
  210. });
  211. return true; //Prevent default event
  212. } else if (node.context.matches("script, style")){
  213. EventSystem.triggerEvent("Cauldron.Open.InnerHTMLEditor", {
  214. element: node.context
  215. });
  216. }
  217. }
  218. });
  219. EventSystem.registerEventCallback("Cauldron.Open.FragmentEditor", async ({detail: {fragment: fragment, line: line, column:column, editorClass: editorClass, titleWrapper: titleWrapper}})=>{
  220. if(editorClass == null) {
  221. editorClass = MonacoEditor;
  222. }
  223. if(titleWrapper == null) {
  224. titleWrapper = (t) => {
  225. return t;
  226. }
  227. }
  228. //Make sure cauldron is open?
  229. if(!this.goldenLayoutInitDone) {
  230. await new Promise((resolve)=>{
  231. EventSystem.registerEventCallback("Cauldron.OnInit", ()=>{
  232. //Since goldenLayout has just opened, lets step back and wait a tick
  233. setTimeout(()=>{
  234. resolve();
  235. }, 0);
  236. });
  237. })
  238. }
  239. self.createComponent("FragmentEditor", {
  240. fragment: fragment,
  241. line: line,
  242. column: column,
  243. editorClass: editorClass,
  244. titleWrapper: titleWrapper
  245. }, false);
  246. });
  247. EventSystem.registerEventCallback("Cauldron.Open.Preview", ({detail: {fragment: fragment}})=>{
  248. self.createComponent("FragmentEditor", {
  249. fragment: fragment,
  250. editorClass: PreviewEditor
  251. });
  252. });
  253. EventSystem.registerEventCallback("Cauldron.Open.InnerHTMLEditor", ({detail: {element: element}}) => {
  254. self.createComponent("DomElementEditor", {
  255. element: element
  256. });
  257. });
  258. }
  259. /**
  260. * Selects a Golden Layout ContentItem, making it the active item in the Stack it lives inside.
  261. * @param item - The Golden Layout ContentItem to select
  262. * @private
  263. */
  264. selectItem(item) {
  265. //Check for stack parent
  266. if(item.parent != null && item.parent.type === "stack") {
  267. item.parent.setActiveContentItem(item);
  268. }
  269. }
  270. /**
  271. * @private
  272. */
  273. setupMenuItems() {
  274. let self = this;
  275. MenuSystem.MenuManager.registerMenuItem("Cauldron.View", {
  276. label: "Console",
  277. icon: IconRegistry.createIcon("mdc:laptop"),
  278. order: 100,
  279. onAction: ()=>{
  280. self.createComponent("Console", {}, false);
  281. }
  282. });
  283. MenuSystem.MenuManager.registerMenuItem("Cauldron.View", {
  284. label: "Inspector",
  285. icon: IconRegistry.createIcon("mdc:image_search"),
  286. order: 101,
  287. onAction: ()=>{
  288. self.createComponent("Inspector", {}, false);
  289. }
  290. });
  291. }
  292. /**
  293. * Setup golden layout
  294. * @param {Element} container - The DOM element to use as a container for golden layout
  295. * @private
  296. */
  297. async setupGoldenLayout(container) {
  298. let self = this;
  299. if(this.setupGoldenLayoutPromise != null) {
  300. await this.setupGoldenLayoutPromise;
  301. return;
  302. }
  303. this.setupGoldenLayoutPromise = new Promise(async (resolve)=>{
  304. await loadGoldenLayout(self.goldenLayoutArea);
  305. let config = {
  306. settings: {
  307. showPopoutIcon: false,
  308. constrainDragToContainer: true
  309. },
  310. content: [
  311. {
  312. type: "row",
  313. content: [
  314. {
  315. type: "column",
  316. width: 25,
  317. content: [
  318. {
  319. type: 'component',
  320. componentName: 'TreeBrowser',
  321. componentState: {},
  322. isClosable: false
  323. },
  324. {
  325. type: 'component',
  326. height: 25,
  327. componentName: 'Inspector',
  328. componentState: {},
  329. isClosable: true
  330. }
  331. ]
  332. },
  333. {
  334. type: "column",
  335. width: 75,
  336. content: [
  337. {
  338. type: "stack",
  339. id: "editors",
  340. isClosable: false,
  341. content: []
  342. },
  343. {
  344. type: "component",
  345. componentName: "Console",
  346. componentState: {},
  347. height: 25
  348. }
  349. ]
  350. }
  351. ]
  352. }
  353. ]
  354. };
  355. if(self.config.goldenLayoutConfig) {
  356. config = self.config.goldenLayoutConfig;
  357. }
  358. if(self.config.goldenLayoutSaveState) {
  359. let savedState = null;
  360. try {
  361. let key = "Cauldron-Saved-State-" + location.pathname.replace(/\//g, "");
  362. savedState = JSON.parse(localStorage.getItem(key), (key, value) => {
  363. if (key === "content" && value instanceof Array) {
  364. value = value.filter((arrayValue) => {
  365. return arrayValue !== null;
  366. });
  367. //Fix any content with a missing content array?
  368. value.forEach((child) => {
  369. if (child.content == null) {
  370. child.content = [];
  371. }
  372. let activeItem = null;
  373. if (child.activeItemIndex != null) {
  374. activeItem = child.content[child.activeItemIndex];
  375. }
  376. //Remove any components that did not deserialize correctly
  377. value = value.filter((child) => {
  378. if (child.componentState != null && child.componentState.deserializeSuccess != null && child.componentState.deserializeSuccess !== true) {
  379. return false;
  380. }
  381. return true;
  382. });
  383. if (child.activeItemIndex != null) {
  384. child.activeItemIndex = Math.max(0, child.content.indexOf(activeItem));
  385. }
  386. });
  387. }
  388. if (key === "componentState" && value.serializer != null) {
  389. //Use serializer if present
  390. value.serializer.serialize = eval(value.serializer.serialize);
  391. value.serializer.deserialize = eval(value.serializer.deserialize);
  392. value.deserializeSuccess = value.serializer.deserialize(value);
  393. }
  394. return value;
  395. });
  396. } catch (e) {
  397. console.error("Error loading saved state:", e);
  398. }
  399. if (savedState != null) {
  400. self.goldenLayout = new GoldenLayout(savedState, container);
  401. } else {
  402. self.goldenLayout = new GoldenLayout(config, container);
  403. }
  404. let stateChangedTimeoutId = null;
  405. self.goldenLayout.on('stateChanged', function () {
  406. if (stateChangedTimeoutId != null) {
  407. clearTimeout(stateChangedTimeoutId);
  408. stateChangedTimeoutId = null;
  409. }
  410. stateChangedTimeoutId = setTimeout(() => {
  411. stateChangedTimeoutId = null;
  412. let config = self.goldenLayout.toConfig();
  413. let cache = [];
  414. let key = "Cauldron-Saved-State-" + location.pathname.replace(/\//g, "");
  415. localStorage.setItem(key, JSON.stringify(config, (key, value) => {
  416. if (key === "componentState" && value.serializer != null) {
  417. //Take copy, overriding serializer
  418. let clone = Object.assign({}, value, {serializer: {}});
  419. delete clone.deserializeSuccess;
  420. //Use serializer if present
  421. value.serializer.serialize(clone);
  422. clone.serializer.serialize = value.serializer.serialize.toString();
  423. clone.serializer.deserialize = value.serializer.deserialize.toString();
  424. return clone;
  425. }
  426. return value;
  427. }));
  428. }, 250);
  429. });
  430. } else {
  431. self.goldenLayout = new GoldenLayout(config, container);
  432. }
  433. // Register TreeBrowser
  434. await self.registerComponent("TreeBrowser", (state)=>{
  435. let rootNode = new TreeNode({
  436. context: null,
  437. type: "",
  438. hideSelf: true,
  439. alwaysOpen: true
  440. });
  441. let bodyNode = new DomTreeGenerator().generateTree(document.querySelector("html > body"));
  442. bodyNode.unfold();
  443. rootNode.addNode(bodyNode);
  444. if (typeof webstrate !== "undefined"){
  445. // If we are in a webstrate, also show its assets
  446. let assetNode = new AssetTreeGenerator().generateTree();
  447. assetNode.unfold();
  448. rootNode.addNode(assetNode);
  449. }
  450. EventSystem.triggerEvent("Cauldron.TreeBrowserSpawned", {
  451. root: rootNode
  452. });
  453. let tree = new TreeBrowser(rootNode);
  454. let treeContainer = document.createElement("div");
  455. treeContainer.classList.add("cauldron-navigator");
  456. treeContainer.appendChild(tree.html);
  457. return treeContainer;
  458. });
  459. //Register FragmentEditor
  460. await self.registerComponent("FragmentEditor", (state)=>{
  461. const options = {
  462. };
  463. if(state.editorClass) {
  464. options.editorClass = state.editorClass;
  465. }
  466. if(state.titleWrapper) {
  467. options.titleWrapper = state.titleWrapper;
  468. }
  469. let editorComponent = new Cauldron.CauldronEditor(state.fragment, options);
  470. return {
  471. dom: editorComponent.html,
  472. serializer: {
  473. serialize: (state)=>{
  474. //Serialized needed state into string
  475. if(state.fragment != null && typeof state.fragment !== "string") {
  476. state.fragment = state.fragment.element.__wid;
  477. }
  478. if(state.editorClass != null && typeof state.editorClass !== "string") {
  479. state.editorClass = state.editorClass.prototype.constructor.name;
  480. }
  481. if(state.titleWrapper != null && typeof state.titleWrapper === "function") {
  482. state.titleWrapper = state.titleWrapper.toString();
  483. }
  484. if(state.line) {
  485. delete state.line;
  486. }
  487. },
  488. deserialize: (state)=>{
  489. //Deserialize state, and return true/false if success
  490. state.fragment = Fragment.find("code-fragment").find((frag)=>{
  491. return frag.element.__wid === state.fragment;
  492. });
  493. if(state.editorClass != null) {
  494. state.editorClass = window[state.editorClass];
  495. }
  496. if(state.titleWrapper != null) {
  497. state.titleWrapper = eval(state.titleWrapper);
  498. }
  499. return state.fragment != null;
  500. }
  501. },
  502. onResize: ()=>{
  503. editorComponent.onSizeChanged();
  504. },
  505. onShow: ()=>{
  506. //On show is called right before the container is actually shown?
  507. setTimeout(()=>{
  508. editorComponent.onSizeChanged();
  509. editorComponent.focus();
  510. if(state.line != null) {
  511. if (state.column!=null){
  512. editorComponent.setLine(state.line, state.column);
  513. } else {
  514. editorComponent.setLine(state.line);
  515. }
  516. //Only do this once
  517. delete state.line;
  518. delete state.column;
  519. }
  520. }, 0);
  521. },
  522. onTab: (tab)=>{
  523. let lastTitle = null;
  524. let lastTooltop = null;
  525. function updateTab() {
  526. if(lastTooltop !== editorComponent.tooltip || lastTitle !== editorComponent.title) {
  527. tab.element[0].title = editorComponent.tooltip;
  528. tab.titleElement[0].innerText = editorComponent.title;
  529. tab.titleElement.find(".cauldron-editor-tab-icon").remove();
  530. let icon = IconRegistry.createIcon(["code-fragment:" + state.fragment.type, "mdc:insert_drive_file"]);
  531. icon.classList.add("cauldron-editor-tab-icon");
  532. if (icon) {
  533. tab.titleElement.prepend(icon);
  534. }
  535. // Setup context menu for tab
  536. tab.element[0].addEventListener("contextmenu", (e)=>{
  537. e.preventDefault();
  538. });
  539. tab.element[0].addEventListener("mouseup", (e)=>{
  540. if(e.button !== 2) {
  541. return;
  542. }
  543. if(!self.config.tabContextMenu) {
  544. return;
  545. }
  546. let contextMenu = MenuSystem.MenuManager.createMenu("Cauldron.Tab.ContextMenu", {
  547. context: {tab:tab, editor:editorComponent},
  548. groupDividers: true
  549. });
  550. contextMenu.registerOnCloseCallback(()=>{
  551. if(contextMenu.html.parentNode != null) {
  552. contextMenu.html.parentNode.removeChild(contextMenu.html);
  553. }
  554. });
  555. //Find top component after html
  556. let parent = tab.element[0];
  557. while(parent.parentNode != null && !parent.parentNode.matches("html")) {
  558. parent = parent.parentNode;
  559. }
  560. parent.appendChild(contextMenu.html);
  561. contextMenu.open({
  562. x: e.pageX,
  563. y: e.pageY
  564. });
  565. e.stopPropagation();
  566. e.preventDefault();
  567. });
  568. lastTooltop = editorComponent.tooltip;
  569. lastTitle = editorComponent.title;
  570. }
  571. }
  572. state.fragment.registerOnFragmentChangedHandler(()=>{
  573. updateTab();
  574. });
  575. updateTab();
  576. },
  577. onDestroy: ()=>{
  578. editorComponent.destroy();
  579. }
  580. };
  581. });
  582. //Register innerHTML editor
  583. await self.registerComponent("DomElementEditor", (state)=>{
  584. let element = state.element;
  585. let fragmentType = "text/html";
  586. let tabTitle = "Dom HTML";
  587. if(element.matches("style")) {
  588. fragmentType = "text/css";
  589. tabTitle = "Dom CSS";
  590. } else if(element.matches("script[type='text/javascript'], script:not([type])")) {
  591. fragmentType = "text/javascript";
  592. tabTitle = "Dom JS";
  593. }
  594. let fakeFragment = Fragment.create(fragmentType);
  595. fakeFragment.raw = element.innerHTML;
  596. fakeFragment.supportsAuto = ()=>{
  597. return false;
  598. };
  599. fakeFragment.supportsRun = ()=>{
  600. return false;
  601. };
  602. if(fragmentType === "text/css" || fragmentType === "text/javascript") {
  603. //Setup direct editing of style / script
  604. } else {
  605. fakeFragment.isInnerHtmlEditor = true;
  606. //Indirect editing with save button for the rest
  607. fakeFragment.save = ()=>{
  608. let test = document.createElement(element.tagName.toLowerCase());
  609. test.innerHTML = fakeFragment.raw;
  610. if(test.innerHTML != fakeFragment.raw) {
  611. if(!confirm("Your HTML does not parse correctly, the browser did some change, sure you want to save?")) {
  612. return false;
  613. }
  614. }
  615. element.innerHTML = fakeFragment.raw;
  616. editorComponent.southArea.classList.remove("unsaved-changes");
  617. };
  618. }
  619. let observer = null;
  620. let removed = false;
  621. const options = {
  622. editorClass: MonacoEditor
  623. };
  624. if(state.editorClass) {
  625. options.editorClass = state.editorClass;
  626. }
  627. if(state.titleWrapper) {
  628. options.titleWrapper = state.titleWrapper;
  629. }
  630. let editorComponent = new Cauldron.CauldronEditor(fakeFragment, options);
  631. if(fragmentType === "text/css" || fragmentType === "text/javascript") {
  632. //Read back changes into dom
  633. fakeFragment.registerOnFragmentChangedHandler(()=>{
  634. if(!removed && element.parentNode != null) {
  635. observer.disconnect();
  636. if (element.firstChild instanceof Text) {
  637. element.firstChild.nodeValue = fakeFragment.raw;
  638. } else {
  639. element.textContent = fakeFragment.raw;
  640. }
  641. setTimeout(() => {
  642. startObserver();
  643. }, 0);
  644. }
  645. });
  646. } else {
  647. //Setup direct editing of style / script
  648. let oldHandleModelChanged = editorComponent.editor.handleModelChanged;
  649. editorComponent.editor.handleModelChanged = function() {
  650. oldHandleModelChanged.bind(editorComponent.editor)();
  651. //Model changed, warn user
  652. editorComponent.southArea.classList.add("unsaved-changes");
  653. };
  654. editorComponent.html.addEventListener("keyup", (evt)=>{
  655. if(evt.key === "s" && evt.ctrlKey) {
  656. fakeFragment.save();
  657. }
  658. });
  659. }
  660. observer = new MutationObserver((mutations)=>{
  661. mutations.forEach((mutation)=>{
  662. Array.from(mutation.removedNodes).forEach((removedNode)=>{
  663. if(removedNode === element) {
  664. fakeFragment.unload();
  665. observer.disconnect();
  666. removed = true;
  667. }
  668. });
  669. if(!removed) {
  670. if (fragmentType === "text/css" || fragmentType === "text/javascript") {
  671. if (element.firstChild instanceof Text) {
  672. fakeFragment.raw = element.innerHTML;
  673. } else {
  674. fakeFragment.raw = element.textContent;
  675. }
  676. }
  677. }
  678. });
  679. });
  680. function startObserver() {
  681. observer.observe(element.parentNode, {
  682. childList: true,
  683. characterData: true,
  684. subtree: true
  685. });
  686. }
  687. startObserver();
  688. return {
  689. dom: editorComponent.html,
  690. serializer: {
  691. serialize: (state)=>{
  692. //Serialized needed state into string
  693. if(state.element != null && typeof state.element !== "string") {
  694. state.element = state.element.tagName+":"+state.element.__wid;
  695. }
  696. },
  697. deserialize: (state)=>{
  698. //Deserialize state, and return true/false if success
  699. let split = state.element.split(":");
  700. state.element = Array.from(document.querySelectorAll(split[0])).find((elm)=>{
  701. return elm.__wid === split[1];
  702. });
  703. return state.element != null;
  704. }
  705. },
  706. onTab: (tab)=>{
  707. tab.titleElement[0].innerText = tabTitle+": "+element.tagName.toLowerCase();
  708. },
  709. onShow: ()=>{
  710. //On show is called right before the container is actually shown?
  711. setTimeout(()=>{
  712. editorComponent.onSizeChanged();
  713. }, 0);
  714. },
  715. onDestroy: (container)=>{
  716. if(fragmentType === "text/css" || fragmentType === "text/javascript") {
  717. } else {
  718. if (editorComponent.southArea.classList.contains("unsaved-changes")) {
  719. if (confirm("You have unsaved changes, save them now?")) {
  720. fakeFragment.save();
  721. }
  722. }
  723. }
  724. }
  725. };
  726. });
  727. //Register Inspector
  728. await self.registerComponent("Inspector", (state)=>{
  729. return self.inspector.html;
  730. });
  731. //Register Console
  732. await self.registerComponent("Console", (state)=>{
  733. return self.console.html;
  734. });
  735. function resizeGoldenLayout(){
  736. let bounds = {width: self.editorContentArea.offsetWidth, height:self.editorContentArea.offsetHeight};
  737. let topBarHeight = 0;
  738. if(self.topBar != null) {
  739. topBarHeight = self.topBar.offsetHeight;
  740. }
  741. self.goldenLayout.updateSize(bounds.width, bounds.height - topBarHeight);
  742. }
  743. window.addEventListener("resize", ()=>{
  744. resizeGoldenLayout();
  745. });
  746. let resizeObserver = new ResizeObserver((entries) => {
  747. resizeGoldenLayout();
  748. });
  749. resizeObserver.observe(self.docker.getComponentArea());
  750. resolve();
  751. });
  752. await this.setupGoldenLayoutPromise;
  753. }
  754. hasComponent(componentName) {
  755. return this.registeredComponentNames.has(componentName);
  756. }
  757. /**
  758. * This callback is used to create components
  759. * @callback Cauldron.Cauldron~creatorCallback
  760. * @param {object} state - The state of the component
  761. * @returns {Cauldron.Cauldron~creatorCallbackResult|Element}
  762. */
  763. /**
  764. * This object is used to describe the serialize / deserialize of component state that cannot serialize correctly
  765. * using only JSON stringify/parse.
  766. * @typedef {object} Cauldron.Cauldron~serializer
  767. * @property {Function} serialize
  768. * @property {Function} deserialize
  769. */
  770. /**
  771. * Represents the result of a component creator function
  772. * @typedef {object} Cauldron.Cauldron~creatorCallbackResult
  773. * @property {Element} dom - The dom element of the component
  774. * @property {Cauldron.Cauldron~serializer} [serializer] - Serializer to use when state cannot serialize correctly using JSON stringify/parse
  775. * @property {Cauldron.Cauldron~componentResizedCallback} [onResize] - Callback that is called when component is resized
  776. * @property {Cauldron.Cauldron~tabCreatedCallback} [onTab] - Callback that is called when component has a tab created
  777. * @property {Cauldron.Cauldron~componentDestroyCallback} [onDestroy] - Callback that is called when component is destroyed
  778. * @property {Cauldron.Cauldron~componentShowCallback} [onShow] - Callback that is called when component is shown
  779. */
  780. /**
  781. * @callback Cauldron.Cauldron~componentShowCallback
  782. * @param {object} container - The Golden Layout container
  783. */
  784. /**
  785. * @callback Cauldron.Cauldron~componentResizedCallback
  786. * @param {object} container - The Golden Layout container
  787. */
  788. /**
  789. * @callback Cauldron.Cauldron~componentDestroyCallback
  790. * @param {object} container - The Golden Layout container
  791. */
  792. /**
  793. * @callback Cauldron.Cauldron~tabCreatedCallback
  794. * @param {object} tab - The tab that was created
  795. * @param {object} container - The Golden Layout container
  796. */
  797. /**
  798. * Register a component with Cauldron
  799. *
  800. * @example
  801. * registerComponent("MyComponent", (state)=>{
  802. * let myComponentDom = document.createElement("div");
  803. * myComponentDom.textContent = state.someState;
  804. *
  805. * return myComponentDom;
  806. * });
  807. *
  808. * @example
  809. * registerComponent("MyComponent", (state)=>{
  810. * let myComponentDom = document.createElement("div");
  811. * myComponentDom.textContent = state.someState;
  812. *
  813. * return {
  814. * dom: myComponentDom,
  815. * onResize: ()=>{
  816. * //The component has been resized, do something
  817. * },
  818. * onTab: (tab)=>{
  819. * //The component has created a tab, do something to it
  820. * },
  821. * onShow: ()=>{
  822. * //Called when the component is made visible, ie. its tab is switched to
  823. * },
  824. * onDestroy: ()=>{
  825. * //Called when the component is destroyed
  826. * }
  827. * };
  828. * });
  829. *
  830. * @example
  831. * registerComponent("MyComponent", (state)=>{
  832. * let myComponentDom = document.createElement("div");
  833. * myComponentDom.textContent = state.someState;
  834. *
  835. * return {
  836. * dom: myComponentDom,
  837. *
  838. * //Setup serializer to handle state that cannot JSON stringify/parse correctly
  839. * serializer: {
  840. * serialize: (state)=>{
  841. * //Serialize all state that cannot JSON stringify/parse correctly
  842. * },
  843. * deserialize: (state)=>{
  844. * //Deserialize all state that cannot JSON stringify/parse correctly
  845. * }
  846. * }
  847. * };
  848. * });
  849. *
  850. * @param {String} componentName - The name of the component
  851. * @param {Cauldron.Cauldron~creatorCallback} creator
  852. */
  853. async registerComponent(componentName, creator) {
  854. if(this.hasComponent(componentName)) {
  855. //Already registered
  856. return;
  857. }
  858. if(this.goldenLayout == null) {
  859. await this.setupGoldenLayout(this.goldenLayoutArea);
  860. }
  861. this.registeredComponentNames.add(componentName);
  862. await this.goldenLayout.registerComponent(componentName, function(container, state) {
  863. try {
  864. let componentConfig = creator(state, container);
  865. if(componentConfig.serializer != null) {
  866. state.serializer = componentConfig.serializer;
  867. container.setState(state);
  868. }
  869. if(componentConfig instanceof Element) {
  870. container.getElement()[0].appendChild(componentConfig);
  871. componentConfig.glContainer = container;
  872. } else {
  873. container.getElement()[0].appendChild(componentConfig.dom);
  874. componentConfig.dom.glContainer = container;
  875. if(componentConfig.onResize != null) {
  876. container.on("resize", () => {
  877. componentConfig.onResize(container);
  878. });
  879. }
  880. if(componentConfig.onShow != null) {
  881. container.on("show", () => {
  882. componentConfig.onShow(container);
  883. });
  884. }
  885. if(componentConfig.onTab != null) {
  886. container.on("tab", (tab) => {
  887. componentConfig.onTab(tab, container);
  888. });
  889. }
  890. if(componentConfig.onDestroy != null) {
  891. container.on("destroy", () => {
  892. componentConfig.onDestroy(container);
  893. });
  894. }
  895. }
  896. } catch(e) {
  897. console.error("Error creating component:", e);
  898. let errorDiv = document.createElement("div");
  899. errorDiv.innerHTML = "Something broke!";
  900. container.getElement()[0].appendChild(errorDiv);
  901. errorDiv.glContainer = container;
  902. }
  903. });
  904. }
  905. /**
  906. * Create a component with the given name and state
  907. *
  908. * @example
  909. * createComponent("MyComponent", {
  910. * someState: "ImportantStateData"
  911. * });
  912. *
  913. * @param {String} componentName
  914. * @param {object} [state]
  915. * @param {boolean} [allowMultipleInstances=false] - Determines if multiple components with the same state are allowed, if set to true a new component will always be created. If false and a component with the same state already exists, then that component will be selected instead.
  916. */
  917. async createComponent(componentName, state = {}, allowMultipleInstances = false) {
  918. if(!allowMultipleInstances) {
  919. function compare(obj1, obj2) {
  920. //Check if these are equal
  921. if (Object.is(obj1, obj2)) {
  922. return true;
  923. }
  924. //Check if both are same type
  925. if (typeof obj1 !== typeof obj2) {
  926. return false;
  927. }
  928. //Since both were not equal, if one is null or undefined the other by definition is not
  929. if (obj1 == null || obj2 == null) {
  930. return false;
  931. }
  932. //Handle object
  933. if (typeof obj1 === "object") {
  934. //Only deep compare objects that are of constructor Object or Array
  935. if(obj1.constructor.name !== obj2.constructor.name) {
  936. return false;
  937. }
  938. if(obj1.constructor.name !== "Array" && obj1.constructor.name !== "Object") {
  939. //We already tested that constructor names are equal, and only want Array or Object
  940. return false;
  941. }
  942. for (let key in obj1) {
  943. if(obj1.hasOwnProperty(key)) {
  944. let obj1Value = obj1[key];
  945. let obj2Value = obj2[key];
  946. if (!compare(obj1Value, obj2Value)) {
  947. return false;
  948. }
  949. }
  950. }
  951. for (let key in obj2) {
  952. if(obj2.hasOwnProperty(key)) {
  953. //Property existed in obj2 but not in obj1, everything else has already been tested
  954. if (typeof obj1[key] === "undefined") {
  955. return false;
  956. }
  957. }
  958. }
  959. return true;
  960. }
  961. if(typeof obj1 === "function") {
  962. let equals = obj1.toString() === obj2.toString();
  963. return equals;
  964. }
  965. //Nothing else failed, equal i guess?
  966. return true;
  967. }
  968. //Check for already present editor
  969. let foundComponents = this.goldenLayout.root.getItemsByFilter((item) => {
  970. if (item.componentName === componentName) {
  971. let componentState = item.container.getState();
  972. //Remove all our serializer stuff from state before comparing
  973. let compareClone1 = Object.assign({}, componentState, {
  974. componentName: null,
  975. deserializeSuccess: null,
  976. serializer: {},
  977. line: null,
  978. column: null
  979. });
  980. let compareClone2 = Object.assign({}, state, {
  981. componentName: null,
  982. deserializeSuccess: null,
  983. serializer: {},
  984. line: null,
  985. column: null
  986. });
  987. let equal = compare(compareClone1, compareClone2);
  988. return equal;
  989. }
  990. });
  991. if (foundComponents.length > 0) {
  992. //Attempt to update state
  993. foundComponents[0].config.componentState = Object.assign(foundComponents[0].config.componentState, state);
  994. //Select the already found component
  995. this.selectItem(foundComponents[0]);
  996. return;
  997. }
  998. }
  999. this.goldenLayout.root.getItemsById("editors")[0].addChild({
  1000. type: "component",
  1001. componentName: componentName,
  1002. componentState: state
  1003. });
  1004. }
  1005. /**
  1006. * @private
  1007. */
  1008. setupDragAndDrop() {
  1009. function addAssetToDescriptor(descFrag, assetFileName) {
  1010. if(descFrag != null) {
  1011. descFrag.require().then((descJson)=>{
  1012. if(!descJson.assets.includes(assetFileName)) {
  1013. descJson.assets.push(assetFileName);
  1014. descFrag.raw = JSON.stringify(descJson, null, 2);
  1015. }
  1016. });
  1017. }
  1018. }
  1019. async function uploadFileAsset(file){
  1020. if (webstrate?.addAssetFromFile){
  1021. await webstrate.addAssetFromFile(file);
  1022. } else {
  1023. // Attempt a POST for servers that do not support upload through API
  1024. await Uploader.upload(location.href, file, file.name);
  1025. }
  1026. }
  1027. EventSystem.registerEventCallback("TreeBrowser.TreeNode.Dropped", ({detail: { draggedNode: draggedNode, droppedNode: droppedNode, dropEffect: dropEffect, dragEvent: dragEvent}})=>{
  1028. if(draggedNode.type === "DomTreeNode" && droppedNode.type === "DomTreeNode") {
  1029. if(dragEvent.altKey && dropEffect === "move") {
  1030. //Move to before target
  1031. droppedNode.context.parentNode.insertBefore(draggedNode.context, droppedNode.context);
  1032. } else if(!droppedNode.context.matches("code-fragment")) {
  1033. try {
  1034. if(dropEffect === "move") {
  1035. //Move inside target
  1036. droppedNode.context.appendChild(draggedNode.context);
  1037. } else if(dropEffect === "copy") {
  1038. let clone = draggedNode.context.cloneNode(true);
  1039. WPMv2.stripProtection(clone);
  1040. droppedNode.context.appendChild(clone);
  1041. }
  1042. droppedNode.unfold();
  1043. } catch(e) {
  1044. //Hide errors
  1045. console.error(e);
  1046. }
  1047. }
  1048. }
  1049. if(draggedNode.type === "AssetNode" && droppedNode.type === "DomTreeNode") {
  1050. let descFrag = cQuery(droppedNode.context.querySelector("code-fragment[data-type='wpm/descriptor']")).data("Fragment");
  1051. addAssetToDescriptor(descFrag, draggedNode.context.fileName);
  1052. }
  1053. if(draggedNode.type === "AssetNode" && droppedNode.type === "AssetRootNode") {
  1054. let parentNode = droppedNode.parentNode;
  1055. if(parentNode != null && parentNode.type === "DomTreeNode" && parentNode.context.matches("wpm-package")) {
  1056. let descFrag = cQuery(parentNode.context.querySelector("code-fragment[data-type='wpm/descriptor']")).data("Fragment");
  1057. addAssetToDescriptor(descFrag, draggedNode.context.fileName);
  1058. }
  1059. }
  1060. });
  1061. EventSystem.registerEventCallback("TreeBrowser.DomFragment.Dropped", ({detail: { fragment: fragment, droppedNode: droppedNode, otherWebstrate: otherWebstrate}})=>{
  1062. if(droppedNode.type === "DomTreeNode") {
  1063. let firstChild = fragment.firstChild;
  1064. let descriptors = fragment.querySelectorAll("code-fragment[data-type='wpm/descriptor']");
  1065. droppedNode.context.appendChild(fragment);
  1066. if(otherWebstrate != null && otherWebstrate !== location.href) {
  1067. //Let fragment stuff complete
  1068. setTimeout(() => {
  1069. descriptors.forEach((desc) => {
  1070. let frag = Fragment.one(desc);
  1071. frag.require().then((descJson) => {
  1072. descJson.assets.forEach((asset) => {
  1073. fetch(otherWebstrate + asset).then((response) => {
  1074. response.blob().then((blob) => {
  1075. Uploader.upload(location.href, blob, asset).then(() => {
  1076. frag.triggerFragmentChanged(frag);
  1077. });
  1078. });
  1079. });
  1080. });
  1081. });
  1082. });
  1083. }, 0);
  1084. }
  1085. setTimeout(()=>{
  1086. //unfold the node we dropped into
  1087. TreeBrowser.findAllTreeBrowsers().forEach((tb)=>{
  1088. tb.findTreeNodeForContext(firstChild.parentNode).forEach((treeNode)=>{
  1089. treeNode.unfold();
  1090. });
  1091. });
  1092. }, 0);
  1093. }
  1094. });
  1095. EventSystem.registerEventCallback("TreeBrowser.Asset.Dropped", async ({detail: { assetUrl: assetUrl, droppedNode: droppedNode}})=>{
  1096. let assetName = assetUrl.substring(assetUrl.lastIndexOf("/")+1);
  1097. if(droppedNode.type === "AssetNode" || droppedNode.type === "AssetRootNode" || droppedNode) {
  1098. let parentNode = droppedNode.parentNode;
  1099. fetch(assetUrl).then((response)=>{
  1100. response.blob().then((blob)=>{
  1101. Uploader.upload(location.href, blob, assetName).then(()=>{
  1102. if(parentNode != null && parentNode.type === "DomTreeNode" && parentNode.context.matches("wpm-package")) {
  1103. let descFrag = cQuery(parentNode.context.querySelector("code-fragment[data-type='wpm/descriptor']")).data("Fragment");
  1104. addAssetToDescriptor(descFrag, assetName);
  1105. }
  1106. });
  1107. });
  1108. });
  1109. }
  1110. if(droppedNode.type === "DomTreeNode" && droppedNode.context.matches("wpm-package")) {
  1111. let descFrag = cQuery(droppedNode.context.querySelector("code-fragment[data-type='wpm/descriptor']")).data("Fragment");
  1112. if(descFrag != null) {
  1113. fetch(assetUrl).then((response)=> {
  1114. response.blob().then((blob) => {
  1115. Uploader.upload(location.href, blob, assetName).then(() => {
  1116. addAssetToDescriptor(descFrag, assetName);
  1117. });
  1118. });
  1119. });
  1120. }
  1121. }
  1122. });
  1123. EventSystem.registerEventCallback("TreeBrowser.Files.Dropped", async ({detail: { files: files, droppedNode: droppedNode}})=>{
  1124. if(droppedNode.type === "AssetNode" || droppedNode.type === "AssetRootNode") {
  1125. let parentNode = droppedNode.parentNode;
  1126. for(let file of Array.from(files)) {
  1127. await uploadFileAsset(file);
  1128. // Drop on an asset in a WPMv2 package
  1129. if(parentNode != null && parentNode.type === "DomTreeNode" && parentNode.context.matches("wpm-package")) {
  1130. let descFrag = cQuery(parentNode.context.querySelector("code-fragment[data-type='wpm/descriptor']")).data("Fragment");
  1131. addAssetToDescriptor(descFrag, file.name);
  1132. }
  1133. }
  1134. } else if(droppedNode.type === "DomTreeNode" && droppedNode.context.matches("wpm-package")) {
  1135. // Drop into a WPMv2 package
  1136. let descFrag = cQuery(droppedNode.context.querySelector("code-fragment[data-type='wpm/descriptor']")).data("Fragment");
  1137. if(descFrag != null) {
  1138. for(let file of Array.from(files)) {
  1139. await uploadFileAsset(file);
  1140. addAssetToDescriptor(descFrag, file.name);
  1141. }
  1142. }
  1143. }
  1144. });
  1145. EventSystem.registerEventCallback("TreeBrowser.TreeNode.DragOver", ({detail: {node: node, dragEvent: evt}})=>{
  1146. let defaultDropEffect = false;
  1147. let handled = false;
  1148. if(node.type === "DomTreeNode") {
  1149. if(evt.dataTransfer.types.includes("Files")) {
  1150. if(node.context.matches("wpm-package")) {
  1151. let descFrag = cQuery(node.context.querySelector("code-fragment[data-type='wpm/descriptor']")).data("Fragment");
  1152. if(descFrag != null) {
  1153. evt.dataTransfer.dropEffect = "copy";
  1154. handled = true;
  1155. }
  1156. }
  1157. } else if(evt.dataTransfer.types.includes("treenode/uuid")){
  1158. let dragUUID = null;
  1159. evt.dataTransfer.types.forEach((type)=>{
  1160. if(type.indexOf("treenodedata/uuid") !== -1) {
  1161. dragUUID = type.split("|")[1];
  1162. }
  1163. });
  1164. let dragged = document.querySelector("[transient-drag-id='" + dragUUID + "']");
  1165. if (dragged != null && dragged.treeNode != null) {
  1166. handled = true;
  1167. if(dragged.treeNode.type === "DomTreeNode" ) {
  1168. if(evt.altKey) {
  1169. //We are insertingBefore, not appending, only non allowed action is wpm-package inside wpm-package?
  1170. let draggedIsWpmPackage = dragged.treeNode.context.matches("wpm-package") || dragged.treeNode.context.querySelector("wpm-package") != null;
  1171. let droppedIsInsideWpmPackage = !node.context.matches("wpm-package") && node.context.closest("wpm-package") != null;
  1172. let droppedIsBody = node.context.matches("body");
  1173. if(!droppedIsBody && (!droppedIsInsideWpmPackage || !draggedIsWpmPackage)) {
  1174. defaultDropEffect = true;
  1175. }
  1176. } else {
  1177. // Normal dragging
  1178. if (node.context.matches("script, style, code-fragment")){
  1179. // Certain targets themselves don't accept any DOM node being dragged onto them, so ignore them
  1180. } else if ((node.context.matches("wpm-package") || node.context.closest("wpm-package")!=null) && (dragged.treeNode.context.matches("wpm-package")||dragged.treeNode.context.querySelector("wpm-package")!=null)){
  1181. // Also we cannot drop something containing WPM packages into a WPM package, so it is ignored
  1182. } else if(dragged.treeNode.context.contains(node.context)) {
  1183. // You cannot drag something into part of itself, ignore it
  1184. } else {
  1185. // All other moves are fair game
  1186. defaultDropEffect = true;
  1187. }
  1188. }
  1189. } else if(dragged.treeNode.type === "AssetNode") {
  1190. if(node.context.matches("wpm-package")) {
  1191. let descFrag = cQuery(node.context.querySelector("code-fragment[data-type='wpm/descriptor']")).data("Fragment");
  1192. if(descFrag != null) {
  1193. evt.dataTransfer.dropEffect = "copy";
  1194. }
  1195. }
  1196. }
  1197. }
  1198. }
  1199. if(!handled && evt.dataTransfer.types.includes("text/plain")) {
  1200. if(!node.context.matches("code-fragment")) {
  1201. defaultDropEffect = true;
  1202. }
  1203. }
  1204. } else if(node.type === "AssetRootNode") {
  1205. if(evt.dataTransfer.types.includes("Files") || evt.dataTransfer.types.includes("treenode/asset")) {
  1206. evt.dataTransfer.dropEffect = "copy";
  1207. }
  1208. }
  1209. if(defaultDropEffect) {
  1210. if(evt.ctrlKey) {
  1211. evt.dataTransfer.dropEffect = "copy";
  1212. } else {
  1213. evt.dataTransfer.dropEffect = "move";
  1214. }
  1215. }
  1216. });
  1217. }
  1218. }
  1219. window.Cauldron.Cauldron = CauldronBase;