{"version":3,"file":"product-0509b1de.min.js","sources":["../src/js/product/ProductViewModelFactories.js","../src/js/product/ProductEditor.js","../src/js/product/ProductInteraction.js","../src/js/product/DoorFrontInteraction.js","../src/js/product/Components.js","../src/js/product/ProductDrawingViewModel.js","../src/js/product/MultiStepProductEditor.js","../src/js/product/MultiStepDoorFrontEditor.js","../src/js/product/DoorFrontEditor.js","../src/js/product/InteriorInteraction.js","../src/js/product/InteriorEditor.js","../src/js/product/VariantProductEditor.js","../src/js/product/Components-Flexi.js","../src/js/product/ProductViewModelSpecificFactories.js","../src/js/product/DrawingEngine.js","../src/js/product/ImageLoader.js","../src/js/product/ProductMaterialLoader.js","../src/js/product/DrawingEngine2020.js","../src/js/product/DrawingService2020.js","../src/js/product/DrawingService.js","../src/js/product/Iterator.js","../src/js/product/ProductVisitors.js","../src/js/product/UpdateMaterialImageVisitor.js","../src/js/product/HtmlDrawing/HtmlRenderVisitor.js","../src/js/product/HtmlDrawing/HtmlDrawingService.js","../src/js/product/HtmlDrawing/HtmlAspectRatioSizer.js","../src/js/product/HtmlDrawing/HtmlDrawingEngine.js","../src/js/product/Babylon/FaceUVHelper.js","../src/js/product/Babylon/QuadriLateralFrustumBuilder.js","../src/js/product/Babylon/BabylonBasketBuilders.js","../src/js/product/Babylon/BabylonRenderVisitor.js","../src/js/product/Babylon/BabylonDrawingService.js","../src/js/product/Babylon/BabylonRoom.js","../src/js/product/Babylon/BabylonDrawingEngine.js","../src/js/product/ProductMaterialsMap.js","../src/js/product/ProductDrawing.js","../src/js/product/DesignerService.js","../src/js/product/ProductZoomer.js","../src/js/product/zoomer.js","../src/js/product/ProductPreviewer.js","../src/js/product/ProductPageViewModel.js","../src/js/product.js"],"sourcesContent":["export class ProductViewModelFactory {\r\n constructor(productType) {\r\n this.productType = productType;\r\n }\r\n\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n }\r\n\r\n /**\r\n * The materialIds object will be populated with properties matching the values in the finishes\r\n * array. Each property's value will be set to true.\r\n * @param {any} materialIds An object which will given additional properties by this method.\r\n * @param {any} prefix Prefix for the property names\r\n * @param {any} finishes An array of finish id's which will become property names on the materialIds parameter.\r\n */\r\n addMaterials(materialIds, prefix, finishes) {\r\n finishes.forEach(finish => materialIds[prefix + '-' + finish] = true);\r\n };\r\n\r\n getAllKnownProductMaterialIds(apiProduct) {\r\n return {};\r\n }\r\n\r\n createProduct(drawingService, apiProduct) {\r\n }\r\n}\r\n\r\nclass ProductViewModelFactoryList {\r\n constructor() {\r\n this.factories = {};\r\n this.knownFactories = [];\r\n }\r\n\r\n get(productType, factoryClass, productClass) {\r\n let factory = this.factories[productType];\r\n if (!factory) {\r\n factory = this.factories[productType] = new factoryClass(productType, productClass);\r\n }\r\n return factory;\r\n }\r\n\r\n getFactory(productType) {\r\n let map = this.knownFactories[productType];\r\n if (!map) {\r\n map = this.knownFactories['FixedDesignerProduct'];\r\n }\r\n return this.get(productType, map.factoryClass, map.productClass);\r\n }\r\n\r\n createProduct(drawingService, apiProduct, config) {\r\n const factory = this.getFactory(apiProduct.type);\r\n return factory.createProduct(drawingService, apiProduct, config);\r\n }\r\n\r\n /**\r\n * Registers a map from product type to product view model factory (and optional product class).\r\n * @param {any} productType Must match the types specified in API products (product.type) returned\r\n * by the Langlo Store API on the LangloWeb (link.langlo.no) server.\r\n * @param {ProductViewModelFactory} factoryClass A subclass of ProductViewModelFactory.\r\n * @param {Component} productClass A subclass of Component.\r\n */\r\n register(productType, factoryClass, productClass) {\r\n this.knownFactories[productType] = { factoryClass, productClass };\r\n }\r\n}\r\n\r\nexport const ProductViewModelFactories = new ProductViewModelFactoryList();\r\n","import { ObjectUtils, Utils, MinDuration, PromiseFlag } from '../main/ObjectUtils.js';\r\nimport { GlobalErrorHandler } from '../main/GlobalErrorHandler.js';\r\n\r\n/**\r\n * The ProductEditor is a ViewModel for the part of the product's user interface which is responsible\r\n * for accepting edits by the user.\r\n */\r\nexport class ProductEditor {\r\n /**\r\n * This constructor is async because--if session storage contains a product--it will communicate\r\n * with the remote designerService to restore the product. This happens on the last line of the\r\n * constructor.\r\n */\r\n constructor(config, designerService, productService) {\r\n this.config = config;\r\n /** An object containing child objects with configuration for each edit field */\r\n this.fieldsCfg = config.fields || {};\r\n this.designerService = designerService;\r\n this.productService = productService;\r\n this.componentType = null; // Must be assigned by subclass\r\n this.designerUpdateFlag = new PromiseFlag(); // Used by addToCart click event handler\r\n\r\n // Debug:\r\n //const abortController = new AbortController();\r\n //this.designerService.getProductDetails(99, abortController.signal);\r\n\r\n const byId = id => document.getElementById(id);\r\n\r\n const elementIds = config.UI.El;\r\n this.elements = {\r\n productData: byId(elementIds.productData),\r\n designerSessionId: byId(elementIds.designerSessionId),\r\n productTitle: byId(elementIds.productTitle),\r\n shortDescription: byId(elementIds.shortDescription),\r\n sku: byId(elementIds.sku),\r\n grossPrice: byId(elementIds.grossPrice),\r\n netPrice: byId(elementIds.netPrice),\r\n discountPercent: byId(elementIds.discountPercent),\r\n resetBtn: byId(elementIds.resetBtn),\r\n productSpinner: byId(elementIds.productSpinner),\r\n errorContainer: byId(elementIds.errorContainer),\r\n errorMessage: byId(elementIds.errorMessage),\r\n addToCartBtn: byId(elementIds.addToCartBtn),\r\n productForm: byId(elementIds.productForm),\r\n };\r\n this.assignEditFieldElements(elementIds);\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.quantity, false)) {\r\n this.elements.quantity = byId(elementIds.quantity);\r\n this.hasQuantity = true;\r\n this.addNumberInputEventHandlers(this.elements.quantity, (changedElement, changedValue) => {\r\n this.quantityChanged(changedValue);\r\n });\r\n }\r\n\r\n\r\n\r\n //this.popupEditorConfig = config.UI.popupEditor; // Must be JIT-assigned\r\n this.validValuesMap = config.validValuesMap;\r\n this.allFinishesMap = config.allFinishesMap;\r\n\r\n // Child element of addToCartBtn - separate element to avoid overwriting icons, etc. on the btn\r\n this.elements.addToCartBtnText = this.elements.addToCartBtn.querySelector('.text');\r\n\r\n this.elements.productForm.addEventListener('focusin', event => {\r\n // Removes the error message whenever the user focuses on an element, except when the currently\r\n // focused element is the one with an error.\r\n if (!event.target.validationMessage) {\r\n this.toggleErrorMessage(false);\r\n }\r\n });\r\n this.addPopupEditorBtnHandlers();\r\n //this.addPopupEditorHandlers(); // This is done JIT\r\n\r\n this.elements.productData.value = null;\r\n if (this.elements.designerSessionId) {\r\n this.elements.designerSessionId.value = null;\r\n }\r\n /* The product we're viewing and editing. Will have all the changes since we started or last\r\n * reset it. */\r\n this.product = {};\r\n /* True if the current product (this.product) is equal to the default product (this.config.defaultProduct). */\r\n this.isDefaultProduct = true;\r\n /* True if the current product (this.product) is equal to the saved product from the cart, if present\r\n * (this.config.savedProduct). If no cart, then saved and default products are the same: */\r\n this.isSavedProduct = true;\r\n /* Assigns the saved product from the cart (if present). If no cart, then saved and default\r\n * products are the same. This call should update the isDefault- and isSavedProduct properties. */\r\n this.assignProduct(this.config.savedProduct, false);\r\n /* Initialize origProduct as a clone of the product. origProduct is the state of the\r\n * product before the property changed timer starts. We compare the changed product property to\r\n * the origProduct's value to determine if we have a need to call the server with the changes. */\r\n this.resetOrigProduct();\r\n /* changedProduct contains the accumulated changes since the property changed timer started. */\r\n this.changedProduct = {};\r\n this.quantity = this.config.quantity;\r\n this.propertyChangedTimerId = null;\r\n // The number of ms. to wait from a property is changed until we call the Store API update method:\r\n this.propertyChangedUpdateDelay = 500;\r\n // Used for detecting committable input events on the number input edit boxes:\r\n this.isKeyDown = false;\r\n\r\n const resetBtn = this.elements.resetBtn;\r\n this.hasResetBtn = resetBtn !== null && resetBtn !== undefined;\r\n if (this.hasResetBtn) {\r\n resetBtn.onclick = () => {\r\n $(resetBtn).tooltip('hide'); // Because it seems to get stuck on screen after the click\r\n const content = this.config.resetBtnPopup;\r\n window.yesNoPopup.display(content.title, content.body,\r\n {\r\n yesBtnLabel: content.yes,\r\n noBtnLabel: content.no,\r\n onYes: (event) => {\r\n if (this.isPropertyChangedTimerActive()) {\r\n this.clearPropertyChangedTimer();\r\n }\r\n /*await*/ this.resetProduct(true, resetBtn);\r\n },\r\n });\r\n };\r\n }\r\n\r\n this.elements.addToCartBtn.onclick = async () => {\r\n this.disableAddToCartBtn(); // Prevent re-entrancy (double clicks, etc.)\r\n try {\r\n try {\r\n /* We must await because we want the updated product back before stringifying it below.\r\n * Also, we want to validate the latest change(s) to avoid passing invalid data to the\r\n * server. 12/27/2019. */\r\n await this.commitPropertyChangesIfPending(true, false);\r\n } catch (ex) {\r\n if (this.isValidationError(ex)) {\r\n /* We rely on the commitPropertyChanges method to having already displayed info about the\r\n * error to the user, and will swallow the error here; no need to report the error to the\r\n * server. But, we do need to skip the submit call below so just return now: */\r\n return;\r\n } else {\r\n throw ex; // Re-throw since this is an unknown exception\r\n }\r\n }\r\n // For passing to server and storing with order, etc.:\r\n this.elements.productData.value = JSON.stringify(this.product);\r\n if (this.elements.designerSessionId) {\r\n this.elements.designerSessionId.value = this.designerService.sessionId;\r\n }\r\n this.elements.productForm.submit();\r\n } finally {\r\n this.enableAddToCartBtn();\r\n }\r\n };\r\n\r\n /* If we are viewing a product from an order line, then use the query string (order id, order\r\n * line id, and transaction no.) as the id for the session storage object. Otherwise, use the\r\n * product id. */\r\n this.sessionStorageId = this.config.isOrderLine\r\n ? 'productEditor.product.' + window.location.search\r\n : 'productEditor.product.' + this.config.productId;\r\n this.NO_SESSION = 'NoSession';\r\n\r\n /* We have 3 event handlers to deal with different event life cycles on desktop and mobile\r\n * browsers. See https://www.igvita.com/2015/11/20/dont-lose-user-and-app-state-use-page-visibility/\r\n * for more. There will be a minor overhead on modern browsers which handle all 3 events, but we'll\r\n * accept that. If we want to optimize we would need to introduce a product \"dirty\" flag. */\r\n window.addEventListener('beforeunload', () => {\r\n this.saveProductToSessionStorage();\r\n });\r\n window.addEventListener('pagehide', () => {\r\n this.saveProductToSessionStorage();\r\n });\r\n document.addEventListener('visibilitychange', () => {\r\n // fires when user switches tabs, apps, goes to homescreen, etc.\r\n if (document.visibilityState == 'hidden') {\r\n this.saveProductToSessionStorage();\r\n }\r\n });\r\n this.isPreviewDrawingLabelActive = false;\r\n\r\n this.isProductRestorePending = false; // Will be set to true when/if we see there's a product in the session storage\r\n /*await*/ this.restoreProductFromSessionStorage();\r\n }\r\n\r\n togglePreviewDrawingFinishLabels(on) {\r\n this.isPreviewDrawingLabelActive = on;\r\n if (this.onPreviewDrawingFinishLabelsToggled) {\r\n this.onPreviewDrawingFinishLabelsToggled(on);\r\n }\r\n }\r\n\r\n assignEditFieldElements(elementIds) {\r\n // To be overridden by subclasses\r\n }\r\n\r\n /**\r\n * Factory method used by the owner ProductPageViewModel.\r\n */\r\n createPopupEditor(editDrawing) {\r\n //return new MultiStepDoorFrontEditor(editDrawing, this.config.UI.popupEditor);\r\n // Must be overridden by subclasses!\r\n }\r\n\r\n /**\r\n * Click handler for the buttons which trigger the modal popup editors. We need the code in these\r\n * handlers to run before the popup event handlers (see the addPopupEditorHandlers() method) so\r\n * that we can prevent the popups from starting their display process in case of validation errors.\r\n */\r\n async handlePopupEditorBtnClick(event) {\r\n if (this.onNeedPopupEditor) {\r\n this.onNeedPopupEditor();\r\n }\r\n if (this.popupEditorDisplayed) {\r\n try {\r\n /* Commit any pending property changes and wait for updated product information to be returned\r\n * from the server. We must wait because 1) we want to display the updated product in the popup,\r\n * and 2) if there's an error (e.g. server-side validation error), then we don't want to display\r\n * the popup at all. 3/10/2021. */\r\n await this.commitPropertyChangesIfPending(true, false);\r\n\r\n // Ok, the update succeeded. Let's continue and display the popup editor:\r\n const btn = event.target;\r\n const popupId = btn.dataset.target;\r\n const popup = jQuery(popupId);\r\n // Pass needed data to the popup (is accessed in the popup's event handlers):\r\n popup.data('compType', btn.dataset.compType);\r\n popup.data('lastPopupElement', btn);\r\n popup.modal(); // Display the popup\r\n } catch (ex) {\r\n if (this.isValidationError(ex)) {\r\n /* The commitPropertyChanges method should already have displayed info about the error to\r\n * the user. We'll just swallow the exception; no need to report the error to the server. */\r\n } else {\r\n throw ex; // Re-throw since this is an unknown exception\r\n }\r\n }\r\n }\r\n }\r\n\r\n /** Adds button html elements to the buttons array parameter. */\r\n registerPopupEditorButtons(buttons) {\r\n // To be overridden by subclasses\r\n }\r\n\r\n /**\r\n * Assigns click handlers for the buttons which trigger modal popup editors. We need the code in\r\n * these handlers to run before the popup event handlers (see the addPopupEditorHandlers() method)\r\n * so that we can prevent the popups from starting their display process in case of validation errors.\r\n */\r\n addPopupEditorBtnHandlers() {\r\n let buttons = [];\r\n this.registerPopupEditorButtons(buttons);\r\n buttons.forEach(btn => {\r\n /* We are going to manually trigger the popup display in code in the handlePopupEditorBtnClick\r\n * event handler. Let's remove any data-toggle attribute on the button (that attribute causes\r\n * BootStrap to attach event handlers which will automatically display the popup). */\r\n delete btn.dataset.toggle;\r\n btn.onclick = async (event) => await this.handlePopupEditorBtnClick(event);\r\n });\r\n }\r\n\r\n /** Assigns BootStrap modal popup event handlers. */\r\n addPopupEditorHandlers() {\r\n // Can be overridden by subclasses!\r\n const popup = jQuery(this.popupEditorConfig.elements.modalPopup);\r\n\r\n popup.on('show.bs.modal', async (event) => {\r\n if (this.popupEditorDisplayed) {\r\n const typeId = popup.data('compType');\r\n this.editedComponentType = this.componentType[typeId];\r\n this.rebuildPopupEditor(this.editedComponentType);\r\n }\r\n });\r\n\r\n popup.on('shown.bs.modal', event => this.doOnPopupEditorDisplayed(event));\r\n\r\n popup.on('click', 'button[data-reason]', event => {\r\n this.lastPopupCloseReason = event.target.dataset.reason;\r\n //alert('click');\r\n //console.log(`Hiding popup, element was clicked: \"${event.target}\", reason is: \"${this.lastPopupCloseReason}\"`);\r\n });\r\n\r\n popup.on('hide.bs.modal', (event) => {\r\n //alert('hiding');\r\n /* Since Safari (at least on ios) doesn't update document.activeElement on button clicks, we can't rely on that.\r\n * Instead we handle the click event and update lastPopupReason there (see above). */\r\n //this.lastPopupCloseReason = null;\r\n //if (document.activeElement) {\r\n // this.lastPopupCloseReason = document.activeElement.dataset.reason;\r\n // console.log(`Hiding popup, document.activeElement is: \"${document.activeElement}\", reason is: \"${this.lastPopupCloseReason}\"`);\r\n //} else {\r\n // console.log('Hiding popup, document.activeElement is undefined!');\r\n //}\r\n });\r\n\r\n popup.on('hidden.bs.modal', (event) => {\r\n //alert('hidden');\r\n //console.log(`Popup closed, reason: \"${this.lastPopupCloseReason}\"`);\r\n if (this.popupEditorClosed) {\r\n const lastElement = popup.data('lastPopupElement');\r\n this.popupEditorClosed(this, this.editedComponentType, this.lastPopupCloseReason === 'Ok', lastElement);\r\n }\r\n });\r\n }\r\n\r\n rebuildValidValuesMaps(validators) {\r\n // Must be overridden by subclasses!\r\n }\r\n\r\n /**\r\n * Helper method for rebuildPopupEditor. Updates the element's caption. If caption is null or empty,\r\n * then element's display will be set to none.\r\n * @param {any} mode If mode = 0, then the 'd-none' css class will be set if caption is unassigned.\r\n * If mode = 1, then the 'invisible' class will be set instead. If mode = 2, then no class will be set.\r\n */\r\n assignText(element, caption, clearWhenCaptionIsNull, mode = 0) {\r\n if (element) {\r\n if (caption) {\r\n element.textContent = caption;\r\n } else if (clearWhenCaptionIsNull) {\r\n element.textContent = null;\r\n }\r\n if (mode !== 2) {\r\n element.classList.remove('d-none', 'invisible');\r\n if (ObjectUtils.isNullOrEmpty(caption)) {\r\n if (mode === 0) {\r\n element.classList.add('d-none');\r\n } else if (mode === 1) {\r\n element.classList.add('invisible');\r\n }\r\n }\r\n }\r\n }\r\n }\r\n\r\n createSortedGalleryItems(componentType) {\r\n // Must be implemented by subclass!\r\n }\r\n\r\n createGalleryItemFragment(item, clickTarget, hideZoomIcon, zoomIconTooltip) {\r\n const elem = document.createElement('div');\r\n elem.classList.add('col', 'col-6', 'col-lg-4');\r\n const zoomIcon = hideZoomIcon ? '' : ``;\r\n elem.innerHTML = `
\r\n ${item.caption}\r\n \r\n \"${item.caption}\"\r\n ${zoomIcon}\r\n \r\n
`;\r\n return elem;\r\n }\r\n\r\n rebuildPopupEditor(componentType) {\r\n const config = this.popupEditorConfig;\r\n const popup = config.elements.popup;\r\n const compType = config.content[componentType.id];\r\n\r\n popup.title.innerHTML = compType.title;\r\n\r\n this.assignText(popup.largeScreen.drawingTitle, compType.drawingTitle.front, false, 2);\r\n // Initially \"hide\" the drawing title (use invisible instead of d-none to ensure drawing canvas doesn't jump around:\r\n popup.largeScreen.drawingTitle.classList.add('invisible');\r\n\r\n this.assignText(popup.smallScreen.drawingTitle, compType.drawingTitle.front, false, 2);\r\n // Initially \"hide\" the drawing title (use invisible instead of d-none to ensure drawing canvas doesn't jump around:\r\n popup.smallScreen.drawingTitle.classList.add('invisible');\r\n\r\n const rebuildEditScopeContainer = (screen) => {\r\n screen.editScopeContainer.classList.toggle('d-none', !componentType.useEditScope);\r\n this.assignText(screen.editScopeTitle, compType.editScopeTitle);\r\n this.assignText(screen.galleryTitle, compType.galleryTitle);\r\n\r\n if (screen.editScopeButtons && compType.editScopeButtons) {\r\n this.assignText(screen.editScopeButtons.btn1, compType.editScopeButtons.btn1);\r\n this.assignText(screen.editScopeButtons.btn2, compType.editScopeButtons.btn2);\r\n this.assignText(screen.editScopeButtons.btn3, compType.editScopeButtons.btn3);\r\n }\r\n };\r\n\r\n //popup.largeScreen.editScopeContainer.classList.toggle('d-none', !componentType.useEditScope);\r\n //this.assignText(popup.largeScreen.editScopeTitle, compType.editScopeTitle);\r\n //this.assignText(popup.largeScreen.galleryTitle, compType.galleryTitle);\r\n //this.assignText(popup.largeScreen.editScopeButtons.btn1, compType.editScopeButtons.btn1);\r\n //this.assignText(popup.largeScreen.editScopeButtons.btn2, compType.editScopeButtons.btn2);\r\n //this.assignText(popup.largeScreen.editScopeButtons.btn3, compType.editScopeButtons.btn3);\r\n\r\n //popup.smallScreen.editScopeContainer.classList.toggle('d-none', !componentType.useEditScope);\r\n //this.assignText(popup.smallScreen.editScopeTitle, compType.editScopeTitle);\r\n //this.assignText(popup.smallScreen.galleryTitle, compType.galleryTitle);\r\n //this.assignText(popup.smallScreen.editScopeButtons.btn1, compType.editScopeButtons.btn1);\r\n //this.assignText(popup.smallScreen.editScopeButtons.btn2, compType.editScopeButtons.btn2);\r\n //this.assignText(popup.smallScreen.editScopeButtons.btn3, compType.editScopeButtons.btn3);\r\n if (config.showEditScopeStep) {\r\n rebuildEditScopeContainer(popup.largeScreen);\r\n rebuildEditScopeContainer(popup.smallScreen);\r\n }\r\n\r\n const clickTarget = 'data-target=\".vp-editor .carousel\" data-slide=\"next\"';\r\n const largeScreenClickTarget = popup.largeScreen.slideOnFinishClick ? clickTarget : '';\r\n const smallScreenClickTarget = popup.smallScreen.slideOnFinishClick ? clickTarget : '';\r\n const zoomIconTooltip = config.content.zoomIconTooltip;\r\n\r\n const largeScreenMenu = popup.largeScreen.$galleryFilterMenu[0];\r\n const smallScreenMenu = popup.smallScreen.$galleryFilterMenu[0];\r\n const hide = !componentType.showGalleryFilterButton;\r\n largeScreenMenu.classList.toggle('d-none', hide);\r\n if (smallScreenMenu) {\r\n smallScreenMenu.classList.toggle('d-none', hide);\r\n }\r\n\r\n const sortedValues = this.createSortedGalleryItems(componentType);\r\n ObjectUtils.clearChildren(popup.largeScreen.gallery);\r\n ObjectUtils.clearChildren(popup.smallScreen.gallery);\r\n const largeScreenDom = document.createDocumentFragment();\r\n const smallScreenDom = document.createDocumentFragment();\r\n sortedValues.forEach(item => {\r\n if (item) {\r\n largeScreenDom.appendChild(this.createGalleryItemFragment(item, largeScreenClickTarget,\r\n compType.hideZoomIcon, zoomIconTooltip));\r\n smallScreenDom.appendChild(this.createGalleryItemFragment(item, smallScreenClickTarget,\r\n compType.hideZoomIcon, zoomIconTooltip));\r\n }\r\n });\r\n popup.largeScreen.gallery.appendChild(largeScreenDom);\r\n popup.smallScreen.gallery.appendChild(smallScreenDom);\r\n }\r\n\r\n createSortedValues(validValues, allValuesMap) {\r\n const sortedValues = Array(validValues.length);\r\n let index = 0;\r\n validValues.forEach(id => {\r\n sortedValues[index] = allValuesMap[id];\r\n if (sortedValues[index]) {\r\n sortedValues[index].id = id;\r\n index++;\r\n } else {\r\n console.warn(`${id} in the validValues array was not found in the allValuesMap`);\r\n }\r\n });\r\n // TODO: Add current web site's culture to the localeCompare function\r\n sortedValues.sort((a, b) => a.caption.localeCompare(b.caption));\r\n return sortedValues;\r\n }\r\n\r\n doOnPopupEditorDisplayed() {\r\n this.lastPopupCloseReason = null;\r\n if (this.popupEditorDisplayed) {\r\n this.popupEditorDisplayed(this, this.popupEditorConfig, this.editedComponentType);\r\n }\r\n this.popupEditorChangeType = {\r\n isAtomic: false,\r\n }\r\n }\r\n\r\n /**\r\n * When the popup editors are committed, the event handling is delegated to the owner ProductPageViewModel\r\n * which will first update the page, then call us back (this method).\r\n */\r\n async updateProductFromPopupEditor(modifiedProduct, componentType, changedElement) {\r\n //console.log(`Updating product from popup editor. Modified product: \"${JSON.stringify(modifiedProduct)}\"`);\r\n if (modifiedProduct) {\r\n if (this.popupEditorChangeType.isAtomic) {\r\n /* This means we should not send all changes (on the product's components) to the server.\r\n * Instead we'll just send the atomic change on the root product. */\r\n const apiPropertyName = this.popupEditorChangeType.propertyName;\r\n const changedValue = modifiedProduct[apiPropertyName];\r\n // Update the editor with the atomic change to the root, this will cause a smaller change to be sent to the server:\r\n this.propertyChanged(apiPropertyName, changedValue, changedElement);\r\n } else {\r\n // Assign all the changes on the modified product (including on components); all changes will be sent to the server:\r\n this.changedProduct = modifiedProduct;\r\n /* Note, we're not handling any possible validation errors inside the call.\r\n * At this point we assume validation has been done inside the popup editor.\r\n * If we later find that validation cannot be done by the popup editor, then\r\n * we must wrap the call below in a try/catch phrase, and decide which errors\r\n * to handle, and which ones to pass on (to the global error handler). 3/9/2021. */\r\n await this.commitPropertyChanges(false, false, changedElement);\r\n }\r\n }\r\n }\r\n\r\n /**\r\n * This method is async because--if session storage contains a product--it will communicate\r\n * with the remote designerService.\r\n */\r\n async restoreProductFromSessionStorage() {\r\n const dataStr = sessionStorage.getItem(this.sessionStorageId);\r\n if (dataStr && dataStr !== '') {\r\n /* If we have just switched region by choosing a different \"flag\", then the product in the\r\n * session storage contains the market code from the old region while we actually want to\r\n * use the market code from the current region (which is what's in the product right now).\r\n * Hence, replace the product (with the one from session storage), but don't replace the\r\n * market code. 3/11/2021. */\r\n const data = JSON.parse(dataStr);\r\n const product = data.p || data; // \"|| data\" is for backwards compatibility. Can be removed later.\r\n const quantity = data.q || 1; // \"|| 1\" is for backwards compatibility. Can be removed later.\r\n this.replaceProduct(product, /*replaceMktCode:*/ false);\r\n this.quantity = quantity;\r\n this.resetOrigProduct();\r\n this.changedProduct = {};\r\n this.isProductRestorePending = true;\r\n try {\r\n console.log('(await) ProductEditor: Restoring product from session storage...');\r\n // Must use await to enable exception handling.\r\n await this.commitPropertyChanges(false, true, null);\r\n } catch (ex) {\r\n this.toggleErrorMessage(false);\r\n // Swallow the exception, but report it:\r\n GlobalErrorHandler.HandleException(ex);\r\n /* If an error happens on processing the data from the session storage, then (most likely)\r\n * the only way to continue is to reset to the default product: */\r\n /*await*/ this.resetProduct(false); // Note, no catch handler for aborts here\r\n } finally {\r\n this.isProductRestorePending = false;\r\n console.log('ProductEditor: isProductRestorePending = false');\r\n }\r\n }\r\n }\r\n\r\n saveProductToSessionStorage() {\r\n if (this.isSavedProduct && !this.isQuantityChanged()) {\r\n sessionStorage.removeItem(this.sessionStorageId);\r\n } else {\r\n const obj = { p: this.product, q: this.quantity };\r\n const data = JSON.stringify(obj);\r\n sessionStorage.setItem(this.sessionStorageId, data);\r\n }\r\n }\r\n\r\n addNumberInputEventHandlers(element, onChanged) {\r\n /* The purpose of these event handlers is to trigger a change event not only when the user\r\n * leaves the field, but also when he clicks the up/down arrows. Normally, clicks on the up/down\r\n * arrows wouldn't trigger the change event. */\r\n element.addEventListener('keydown', () => {\r\n this.isKeyDown = true;\r\n });\r\n element.addEventListener('keyup', () => {\r\n this.isKeyDown = false;\r\n });\r\n element.addEventListener('input', (event) => {\r\n if (this.isKeyDown) {\r\n this.isKeyDown = false;\r\n if (this.config.canEditOrderLine) {\r\n /* The user just started editing the value, but has not committed anything yet. At this\r\n * point we want to update the cart button to let the user know that clicking it will save\r\n * the not yet committed changes in the input field. 12/27/2019 */\r\n this.elements.addToCartBtnText.textContent = this.config.saveAndReturnToCartLabel;\r\n }\r\n } else {\r\n //console.log(event.target.id + ' changed (input event)...');\r\n onChanged(event.target, parseFloat(event.target.value));\r\n }\r\n });\r\n element.addEventListener('change', (event) => {\r\n //console.log(event.target.id + ' changed (change event)...');\r\n onChanged(event.target, parseFloat(event.target.value));\r\n });\r\n }\r\n\r\n addStringRadioListEventHandlers(parentElement, onChanged) {\r\n // We'll add the listener to the parent element since the radio items will be updated at runtime\r\n parentElement.addEventListener('change', (event) => {\r\n //console.log(event.target.id + ' changed (change event)...');\r\n onChanged(parentElement, event.target.value);\r\n });\r\n }\r\n\r\n addNumberRadioListEventHandlers(parentElement, onChanged) {\r\n // We'll add the listener to the parent element since the radio items will be updated at runtime\r\n parentElement.addEventListener('change', (event) => {\r\n //console.log(event.target.id + ' changed (change event)...');\r\n onChanged(parentElement, parseFloat(event.target.value));\r\n });\r\n }\r\n\r\n /**\r\n * We assume this is a Bootstrap style dropdown with a clickable button or anchor tag, followed\r\n * by a sibling div with one or more child elements representing the items of the dropdown.\r\n */\r\n addDropdownListEventHandlers(buttonElements, onChanged) {\r\n if (buttonElements instanceof HTMLElement) {\r\n buttonElements = [buttonElements]; // Make it an array\r\n }\r\n for (const buttonElement of buttonElements) {\r\n const menu = buttonElement.parentElement.querySelector('.dropdown-menu');\r\n // We'll simplify by adding the listener to the parent element:\r\n menu.addEventListener('click', (event) => {\r\n if (event.target.name) {\r\n onChanged(buttonElement, event.target.name);\r\n } else {\r\n // Assume the click was on the border of the parent div or something similar\r\n }\r\n });\r\n }\r\n }\r\n\r\n //#region Handling changed product properties....................\r\n\r\n formatCurrency(value, language, currency, maxDecimals) {\r\n language = language ? language : this.config.language;\r\n currency = currency ? currency : this.config.currency;\r\n const options = { style: 'currency', currency: currency };\r\n options.minimumFractionDigits = 0;\r\n if (value == Math.trunc(value)) {\r\n options.maximumFractionDigits = 0;\r\n } else if (typeof maxDecimals !== typeof undefined) {\r\n options.maximumFractionDigits = maxDecimals;\r\n }\r\n return value.toLocaleString(language, options);\r\n }\r\n\r\n getGrossPrice(product, includeVat) {\r\n let withVat = product.price * (1 + this.config.vatRate);\r\n if (withVat >= 100) {\r\n // This matches the same code in the backend c#\r\n withVat = ObjectUtils.round(withVat);\r\n }\r\n if (includeVat) {\r\n return withVat;\r\n } else {\r\n return withVat / (1 + this.config.vatRate);\r\n }\r\n }\r\n\r\n getNetPriceRate() {\r\n return (100 - this.config.discountPercent) / 100;\r\n }\r\n\r\n /**\r\n * Returns the text of the first label element associated with the input element, or defaultValue\r\n * if none found.\r\n */\r\n getInputLabel(input, defaultValue) {\r\n let label = defaultValue;\r\n if (input.labels && input.labels.length > 0) {\r\n label = input.labels[0].firstChild.wholeText;\r\n if (!label && input.labels.length > 1) {\r\n label = input.labels[1].firstChild.wholeText;\r\n }\r\n }\r\n return label ? label.trim() : null;\r\n }\r\n\r\n /**\r\n * Helper function for the displayNumberInput and assignValidValue methods.\r\n * @param {any} log A text string containing all changes. Is updated inside this function.\r\n * @param {any} label A label in front of the change.\r\n */\r\n addToLog(log, label, oldValue, newValue) {\r\n log.text += `
  • ${label}: ${oldValue} --> ${newValue}
  • `;\r\n }\r\n\r\n /**\r\n * Helper method for the input fields setup. Returns true if the field's isDisplayed property is\r\n * true, or if the field is undefined, or if the isDisplayed is undefined.\r\n * @param {any} field A product editor field configuration.\r\n */\r\n isFieldVisible(field, defaultValue = true) {\r\n // Return true by default if the field or the isDisplayed property has not been defined\r\n if (!field || (field.isDisplayed === undefined)) {\r\n return defaultValue;\r\n }\r\n return field.isDisplayed;\r\n }\r\n\r\n displayNumberInput(input, value, validator, storeValidator, changeLog, defaultLogLabel, changedElement, readOnly) {\r\n // Validator from Langlo Designer:\r\n validator = validator || {};\r\n // If validator is undefined then keep the original values (3/9/2021):\r\n let min = validator.min || input.min; //0;\r\n let max = validator.max || input.max; //999999;\r\n\r\n // Validator from our CMS:\r\n storeValidator = storeValidator || {};\r\n const storeMin = storeValidator.min || 0;\r\n const storeMax = storeValidator.max || 999999;\r\n\r\n /* Use the maximum min value of the 2 validators, and the mimimum max value.\r\n * Although the validator might allow decimals, the current UI design (the input html element)\r\n * does not support it. We'll make the assumption that the nearest (ceil/floor) number is\r\n * acceptable. 12/10/2020. */\r\n min = Math.max(Math.ceil(min), Math.ceil(storeMin));\r\n max = Math.min(Math.floor(max), Math.floor(storeMax));\r\n\r\n if (min !== input.min || max !== input.max) {\r\n input.min = min;\r\n input.max = max;\r\n // Update the text below the input with validity information:\r\n const units = input.dataset.units || 'mm';\r\n const range = `${input.min} ${units} - ${input.max} ${units}`;\r\n const element = input.parentElement.querySelector('label.validity-info');\r\n if (element) {\r\n element.textContent = range;\r\n }\r\n // Update the Info popup with validity information:\r\n const infoSpan = input.parentElement.querySelector('span.info');\r\n if (infoSpan) {\r\n let content = infoSpan.dataset.content;\r\n const eolPos = content.indexOf('\\n');\r\n if (eolPos > 0) {\r\n infoSpan.dataset.content = range + content.substr(eolPos);\r\n }\r\n }\r\n }\r\n input.readOnly = readOnly;\r\n if (value != input.value) {\r\n if (changeLog && input != changedElement) {\r\n // Update the change log:\r\n const logLabel = this.getInputLabel(input, defaultLogLabel);\r\n this.addToLog(changeLog, logLabel, input.value, value);\r\n }\r\n input.value = value;\r\n }\r\n }\r\n\r\n displayRadioListInput(input, value, validator, storeValidator, changeLog, defaultLogLabel,\r\n changedElement, displayValues) {\r\n // Save the current value:\r\n const selectedItem = input.querySelector('input[type=\"radio\"]:checked');\r\n const oldValue = selectedItem ? selectedItem.value : null;\r\n\r\n const validValues = Utils.getArrayIntersect(\r\n validator ? validator.values : null,\r\n storeValidator ? storeValidator.values : null);\r\n\r\n if (validValues) {\r\n // Rebuild the list of radio items based on the validator's values:\r\n\r\n // First, remove all existing items:\r\n const radioItemDivs = input.querySelectorAll('.custom-radio');\r\n radioItemDivs.forEach(item => input.removeChild(item));\r\n\r\n // Get the display values:\r\n let actualDisplayValues;\r\n if (displayValues) {\r\n actualDisplayValues = [];\r\n validValues.forEach(item => {\r\n actualDisplayValues.push(displayValues[item] || item);\r\n });\r\n } else {\r\n actualDisplayValues = validValues;\r\n }\r\n\r\n // Then add new items:\r\n validValues.forEach((item, index) => {\r\n const isChecked = item == value;\r\n const radioId = input.id + '_' + index;\r\n const checked = isChecked ? 'checked' : null;\r\n const div = document.createElement('div');\r\n div.classList.add('custom-control', 'custom-radio');\r\n div.innerHTML =\r\n `\r\n `;\r\n input.appendChild(div);\r\n });\r\n } else {\r\n // We don't have a validator. Let's try to find the radio item matching the new value, and\r\n // set its checked attribute:\r\n const radioItems = input.querySelectorAll('.custom-radio input');\r\n radioItems.forEach(item => {\r\n if (item.value == value) {\r\n item.checked = true;\r\n }\r\n });\r\n }\r\n\r\n // \"!=\" on the next line; we want to be able to compare strings to numbers, e.g. 500 != \"500\"\r\n if (value != oldValue) {\r\n if (changeLog && input !== changedElement) {\r\n // Update the change log:\r\n const label = input.querySelector('label');\r\n const logLabel = label ? label.innerText.trim() : defaultLogLabel;\r\n this.addToLog(changeLog, logLabel, oldValue, value);\r\n }\r\n //input.value = value; Done above!\r\n }\r\n }\r\n\r\n /**\r\n * Update the dropdown list's element with new content and update which item is the currently\r\n * active one. We assume this is a Bootstrap style dropdown, and we assume the \"active\" class\r\n * name is associated with the selected/active item. We also assume the product property value\r\n * associated with each item is stored as the item's name attribute.\r\n * @param {any} buttonElement The button or anchor element which is clicked to drop down the list\r\n * @param {any} value The new value (product value).\r\n * @param {any} changeLog For tracking side effects when changing values\r\n * @param {any} defaultLogLabel\r\n * @param {any} changedElement The element the user originally changed (could be different than this one)\r\n * @param {any} displayValues We need to update the button content with one of these values\r\n */\r\n displayDropdownList(buttonElement, value, changeLog, defaultLogLabel, changedElement, displayValues) {\r\n const menu = buttonElement.parentElement.querySelector('.dropdown-menu');\r\n // Save the current value:\r\n let activeItem = menu.querySelector('.dropdown-item.active');\r\n const oldValue = activeItem ? activeItem.name : null;\r\n\r\n // \"!=\" on the next line; we want to be able to compare strings to numbers, e.g. 1 != \"1\"\r\n if (value != oldValue) {\r\n if (activeItem) {\r\n activeItem.classList.remove('active');\r\n }\r\n activeItem = menu.querySelector(`a[name='${value}']`);\r\n if (activeItem) {\r\n activeItem.classList.add('active');\r\n }\r\n let content = null;\r\n if (displayValues) {\r\n /* displayValues is an object whose property names correspond to the product property's valid\r\n * values and the object property values contain the display values. */\r\n content = displayValues[value];\r\n } else if (activeItem) {\r\n content = activeItem.text;\r\n }\r\n\r\n if (changeLog && buttonElement !== changedElement) {\r\n // Update the change log:\r\n const logLabel = this.getInputLabel(buttonElement, defaultLogLabel);\r\n this.addToLog(changeLog, logLabel, buttonElement.textContent, content);\r\n }\r\n buttonElement.textContent = content;\r\n }\r\n }\r\n\r\n /**\r\n * Finds the human readable text associated with the value parameter and updates the element's\r\n * text content. If content has changed, then also update the change log.\r\n */\r\n assignValidValue(element, map, value, changeLog, defaultLogLabel, changedElement) {\r\n if (element) {\r\n const content = map[value] ? map[value].caption.trim() : null;\r\n if (content !== element.textContent.trim()) {\r\n if (changeLog && element != changedElement) {\r\n const logLabel = this.getInputLabel(element, defaultLogLabel);\r\n this.addToLog(changeLog, logLabel, element.textContent, content);\r\n }\r\n element.textContent = content;\r\n }\r\n }\r\n }\r\n\r\n showMessagePopup(title, html, options) {\r\n if (this.config.onDisplayPopup) {\r\n this.config.onDisplayPopup(title, html, options);\r\n } else if (window.okPopup) {\r\n window.okPopup.display(title, html, options);\r\n } else {\r\n alert(`${title}\\n\\n${html}`);\r\n }\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n if (this.isFieldVisible(this.fieldsCfg.quantity, false)) {\r\n const validator = validators ? validators.quantity : null;\r\n this.displayNumberInput(this.elements.quantity, this.quantity, validator,\r\n this.fieldsCfg.quantity, changeLog, 'Quantity', changedElement);\r\n }\r\n }\r\n\r\n refreshResetBtn() {\r\n if (this.isSavedProduct && !this.isQuantityChanged()) {\r\n this.disableResetBtn();\r\n if (this.config.canEditOrderLine) {\r\n this.elements.addToCartBtnText.textContent = this.config.returnToCartLabel;\r\n }\r\n } else {\r\n this.enableResetBtn();\r\n if (this.config.canEditOrderLine) {\r\n this.elements.addToCartBtnText.textContent = this.config.saveAndReturnToCartLabel;\r\n }\r\n }\r\n }\r\n\r\n displayProduct(product, validators, changedElement) {\r\n const isUserDriven = changedElement && changedElement != null;\r\n const changeLog = isUserDriven ? { text: '' } : null;\r\n\r\n this.refreshResetBtn();\r\n this.doDisplayProduct(product, validators, changedElement, changeLog);\r\n\r\n if (isUserDriven && changeLog.text) {\r\n const suppressChangeMsg = changedElement && changedElement.dataset.suppressChgMsg;\r\n if (!suppressChangeMsg) {\r\n const prompt = `${this.config.changeLogSubTitle}:

    `;\r\n const list = ``;\r\n this.showMessagePopup(this.config.changeLogTitle, prompt + list);\r\n }\r\n }\r\n }\r\n\r\n displayPrice(product) {\r\n const grossPriceWithVat = this.getGrossPrice(product, true);\r\n if (this.elements.grossPrice) {\r\n this.elements.grossPrice.textContent = this.formatCurrency(grossPriceWithVat);\r\n }\r\n if (this.elements.netPrice) {\r\n const netPriceWithVat = grossPriceWithVat * this.getNetPriceRate();\r\n // The last param says \"round to 0 decimals\"\r\n this.elements.netPrice.textContent = this.formatCurrency(netPriceWithVat, undefined, undefined, 0);\r\n }\r\n }\r\n\r\n displayProductDetails(details, changedElement) {\r\n this.displayPrice(details.product);\r\n this.displayProduct(details.product, details.validators, changedElement);\r\n }\r\n\r\n equalProducts(a, b) {\r\n if (a === undefined && b === undefined) {\r\n return true;\r\n }\r\n // The codeVer property should not be considered when comparing the products.\r\n const savedCodeVer = b.codeVer;\r\n b.codeVer = a.codeVer;\r\n try {\r\n return ObjectUtils.equalContents(a, b);\r\n } finally {\r\n b.codeVer = savedCodeVer;\r\n }\r\n }\r\n productChanged(isUserDriven) {\r\n this.isDefaultProduct = this.equalProducts(this.product, this.config.defaultProduct);\r\n // The saved product from the cart (if present). If no cart, then saved and default products are the same:\r\n this.isSavedProduct = this.equalProducts(this.product, this.config.savedProduct);\r\n if (this.onProductChanged) {\r\n this.onProductChanged(this, isUserDriven);\r\n }\r\n }\r\n replaceProduct(newProduct, replaceMktCode = true) {\r\n if (newProduct !== this.product) {\r\n const oldMktCode = this.product.mktCode;\r\n this.product = newProduct;\r\n if (!replaceMktCode) {\r\n this.product.mktCode = oldMktCode;\r\n }\r\n this.productChanged();\r\n }\r\n }\r\n assignProduct(source, isUserDrivenChange) {\r\n this.product = ObjectUtils.clone(source, true);\r\n this.productChanged(isUserDrivenChange);\r\n }\r\n resetOrigProduct() {\r\n this.origProduct = ObjectUtils.clone(this.product, true);\r\n }\r\n\r\n /* Updates technical specification in the UI with the latest live values. The formattedSpec\r\n * parameter is a techspec object whose values are formatted string values. */\r\n updateTechSpec(formattedSpec) {\r\n /* We assume techSpecValues is a NodeList with id and textContent. Each id should match one of\r\n * the properties of the formattedSpec object. */\r\n const elements = this.config.UI.techSpecValues;\r\n for (let i = 0; i < elements.length; i++) {\r\n const element = elements[i];\r\n const value = formattedSpec[element.id];\r\n element.textContent = value;\r\n // Toggle display:none on the parent if the value is undefined\r\n element.parentElement.classList.toggle('d-none', !value);\r\n }\r\n }\r\n\r\n /* Is called from commitPropertyChanges() and resetProduct() */\r\n productDetailsChanged(details, changedElement, isReset) {\r\n const isUserDriven = isReset || (changedElement && changedElement != null);\r\n this.assignProduct(details.product, isUserDriven);\r\n //this.lastProductValidators = details.validators;\r\n this.rebuildValidValuesMaps(details.validators);\r\n // Update the UI (DOM):\r\n if (this.config.isDesignerProduct) {\r\n this.elements.productTitle.innerHTML = this.isDefaultProduct || this.config.keepOriginalTexts\r\n ? this.config.productTitle\r\n : this.config.overriddenTitle;\r\n this.elements.shortDescription.innerHTML = this.isDefaultProduct || this.config.keepOriginalTexts\r\n ? this.config.shortDescription\r\n : this.config.overriddenShortDescription;\r\n } else if (details.uiData) {\r\n this.elements.productTitle.innerHTML = details.uiData.productTitle;\r\n this.elements.shortDescription.innerHTML = details.uiData.shortDescription;\r\n this.elements.sku.innerHTML = details.uiData.sku;\r\n }\r\n this.displayProductDetails(details, changedElement);\r\n this.changedProduct = {};\r\n this.resetOrigProduct();\r\n\r\n if (this.config.isDesignerProduct) {\r\n this.productService.getFormattedTechSpec(this.config.langReg, details.techSpec, this.abortController.signal)\r\n .then(formattedTechSpec => {\r\n this.updateTechSpec(formattedTechSpec);\r\n })\r\n .catch(ex => {\r\n if (ex.name === 'AbortError') {\r\n /* A promise (i.e. fetch call) was aborted (see AbortController.abort() method). At this\r\n * point the only use case is when the user makes another change before we've received a\r\n * response from the server for the previous change. 3/9/2021. */\r\n console.log('Getting formatted tech. spec. was aborted due to user making more changes!');\r\n } else {\r\n console.error('Unknown error during call to productService.getFormattedTechSpec: ', ex);\r\n // Swallow the exception, but report it:\r\n GlobalErrorHandler.HandleException(ex);\r\n }\r\n });\r\n }\r\n }\r\n\r\n findSpinnerTarget(origParent) {\r\n let parent = origParent;\r\n let target = null;\r\n while (parent && !target) {\r\n target = parent.querySelector('label[data-is-spinner-target=\"1\"]');\r\n parent = parent.parentElement;\r\n }\r\n return target ? target.parentElement : origParent;\r\n }\r\n\r\n toggleProductSpinner(on, changedElement) {\r\n if (on) {\r\n // Move the spinner to a position relative to the changed element:\r\n const element = changedElement || this.elements.productSpinner;\r\n const newParent = this.findSpinnerTarget(element.parentElement);\r\n if (newParent !== this.elements.productSpinner.parentElement) {\r\n newParent.appendChild(this.elements.productSpinner);\r\n }\r\n // Ensure it's visible:\r\n this.elements.productSpinner.classList.remove('invisible');\r\n // Use helper class to ensure the spinner is visible for at least 1 second (avoid \"blink-of-the-eye\" spinner)\r\n this.spinnerMinDuration = new MinDuration(300, () => this.elements.productSpinner.classList.add('invisible'));\r\n } else if (this.spinnerMinDuration) {\r\n // This will hide the spinner by calling the callback added to MinDuration above, but not until x ms have elapsed:\r\n this.spinnerMinDuration.complete();\r\n }\r\n }\r\n\r\n toggleErrorMessage(on, message) {\r\n this.elements.errorMessage.textContent = message ? message : null;\r\n if (on) {\r\n this.elements.errorContainer.classList.remove('d-none');\r\n } else {\r\n this.elements.errorContainer.classList.add('d-done');\r\n }\r\n }\r\n\r\n /** This method is async because it communicates with the remote designerService. */\r\n async commitPropertyChanges(validate, submitFullProduct, changedElement, spinnerElement) {\r\n //console.log('Timer expired...');\r\n if (validate && !this.elements.productForm.reportValidity()) {\r\n // We have a client side validation error!!!\r\n const errorMsg = (changedElement ? changedElement.validationMessage : null) || this.config.invalidValueMessage;\r\n this.toggleErrorMessage(true, errorMsg);\r\n // Restore product and ensure restored values are displayed\r\n this.assignProduct(this.origProduct, false);\r\n this.displayProduct(this.product);\r\n this.changedProduct = {};\r\n /* Note, the error thrown here must either be handled by the caller, or allow it to be sent\r\n * to the global error handler (i.e. reported to the server). 3/9/2021. */\r\n throw new ValidationException(errorMsg);\r\n }\r\n let details = null;\r\n this.toggleProductSpinner(true, spinnerElement || changedElement);\r\n this.designerUpdateFlag.clear(); // Allows us to wait for update completion before adding to cart\r\n try {\r\n this.abortController = new AbortController();\r\n const signal = this.abortController.signal;\r\n if (!this.changedProduct.type) {\r\n this.changedProduct.type = this.product.type;\r\n }\r\n if (!this.config.isDesignerProduct) {\r\n details = await this.productService.getVariantProductDetails(this.config.productId, this.product.variantId, signal);\r\n } else if (submitFullProduct) {\r\n /* Note, as of 9/17/2020, the only time submitFullProduct is true is when restoring the\r\n * product from session storage. */\r\n details = await this.designerService.updateProduct(this.product, signal);\r\n } else {\r\n details = await this.designerService.updateProductValues(this.changedProduct, signal);\r\n /* I'm not sure if the capitalized \"Message\" was a bug before, or if the serialization on the\r\n * server has changed recently. To avoid issues, I'm testing for both (lower case \"message\")\r\n * seems to be correct from now on, at least in my local env. 8/4/2022. */\r\n const noSession = (details.Message && details.Message === this.NO_SESSION) || (details.message && details.message === this.NO_SESSION);\r\n if (noSession) {\r\n /* We need to give the server both the original product, and the change(s) made by the user: */\r\n details = await this.designerService.updateProductPlusDelta(this.origProduct, this.changedProduct, signal);\r\n }\r\n }\r\n //console.log('Received updated product details:');\r\n //console.log(details);\r\n this.productDetailsChanged(details, changedElement);\r\n } catch (ex) {\r\n if (ex.name === 'AbortError') {\r\n /* A promise (i.e. fetch call) was aborted (see AbortController.abort() method). At this\r\n * point the only use case is when the user makes another change before we've received a\r\n * response from the server for the previous change. 3/9/2021. */\r\n console.log('Designer Service call was aborted due to user making more changes!');\r\n } else {\r\n if (this.isValidationError(ex)) {\r\n this.toggleErrorMessage(true, this.config.invalidValueMessage); //'Invalid value!'\r\n } else if (this.containsError(ex.errorInfo, true,\r\n error => error.ExceptionType && error.ExceptionType.includes('UnableToMoveComponent'))) {\r\n // TODO: Localize\r\n this.toggleErrorMessage(true, `Vi var dessverre ikke i stand til å endre produktet som ønsket.`);\r\n } else {\r\n this.toggleErrorMessage(true, this.config.genericErrorMessage); //'Sorry! Something unexpected happened in the app.'\r\n }\r\n // Recover from the exception - ensure displayed product values are restored\r\n this.assignProduct(this.origProduct, false);\r\n const validator = details ? details.validators : null;\r\n this.displayProduct(this.product, validator);\r\n this.changedProduct = {};\r\n throw ex; // Since this is an async method, the caller must use await and catch the exception to avoid it being unhandled\r\n }\r\n } finally {\r\n this.designerUpdateFlag.set();\r\n this.toggleProductSpinner(false, spinnerElement || changedElement);\r\n }\r\n }\r\n\r\n containsError(errorInfo, recursive, predicate) {\r\n if (errorInfo) {\r\n if (predicate(errorInfo)) {\r\n return true;\r\n } else if (recursive) {\r\n return this.containsError(errorInfo.InnerException, recursive, predicate);\r\n }\r\n }\r\n return false;\r\n }\r\n\r\n isValidationError(ex) {\r\n return ex instanceof ValidationException ||\r\n this.containsError(ex.errorInfo, true,\r\n error => error.ExceptionType && error.ExceptionType.includes('Validation'));\r\n }\r\n\r\n /**\r\n * This method is used in cases where we need to commit any pending changes before\r\n * continuing, e.g. if we need to get updated product validators back from the server.\r\n * It's the caller's responsibility to handle exceptions thrown inside the call, e.g.\r\n * validation errors.\r\n */\r\n async commitPropertyChangesIfPending(validate, submitFullProduct) {\r\n if (this.isPropertyChangedTimerActive()) {\r\n this.clearPropertyChangedTimer();\r\n await this.commitPropertyChanges(validate, submitFullProduct, this.propertyChangedElement,\r\n this.lastSpinnerElement);\r\n }\r\n // Wait for any updates to the remote Designer service to complete before returning:\r\n await this.designerUpdateFlag.hasBeenSet();\r\n }\r\n\r\n isPropertyChangedTimerActive() {\r\n return this.propertyChangedTimerId != null;\r\n }\r\n\r\n clearPropertyChangedTimer() {\r\n clearTimeout(this.propertyChangedTimerId);\r\n this.propertyChangedTimerId = null;\r\n }\r\n\r\n disableButton(button) {\r\n button.setAttribute('disabled', ''); // Yes, this disables it\r\n }\r\n\r\n enableButton(button) {\r\n button.removeAttribute('disabled');\r\n }\r\n\r\n disableAddToCartBtn() {\r\n this.disableButton(this.elements.addToCartBtn);\r\n }\r\n\r\n enableAddToCartBtn() {\r\n this.enableButton(this.elements.addToCartBtn);\r\n }\r\n\r\n disableResetBtn() {\r\n if (this.hasResetBtn) {\r\n this.disableButton(this.elements.resetBtn);\r\n }\r\n }\r\n\r\n enableResetBtn() {\r\n if (this.hasResetBtn) {\r\n this.enableButton(this.elements.resetBtn);\r\n }\r\n }\r\n\r\n invalidatePropertyChangedTimer(changedElement, spinnerElement) {\r\n if (this.isPropertyChangedTimerActive()) {\r\n //console.log('Clearing timer...');\r\n this.clearPropertyChangedTimer();\r\n }\r\n if (ObjectUtils.hasProperties(this.changedProduct)) {\r\n //console.log('Setting timer...');\r\n this.propertyChangedElement = changedElement;\r\n this.lastSpinnerElement = spinnerElement;\r\n this.disableAddToCartBtn(); // Don't allow adding to cart until the changes are committed\r\n this.propertyChangedTimerId = setTimeout(async () => {\r\n // We use the timer to allow the user to make multiple changes before they are submitted to the server\r\n this.clearPropertyChangedTimer();\r\n this.propertyChangedElement = null;\r\n this.lastSpinnerElement = null;\r\n try {\r\n await this.commitPropertyChanges(true, false, changedElement, spinnerElement);\r\n } catch (ex) {\r\n if (this.isValidationError(ex)) {\r\n /* We rely on the commitPropertyChanges method to having already displayed info\r\n * about the error to the user, and will swallow the error here;\r\n * no need to report the error to the server. */\r\n } else {\r\n throw ex; // Re-throw since this is an unknown exception\r\n }\r\n } finally {\r\n this.enableAddToCartBtn();\r\n }\r\n }, this.propertyChangedUpdateDelay);\r\n } else {\r\n //console.log('changedProduct has no properties...');\r\n }\r\n }\r\n\r\n isQuantityChanged() {\r\n return this.quantity !== this.config.quantity;\r\n }\r\n\r\n quantityChanged(value) {\r\n if (value !== this.quantity) {\r\n this.quantity = value;\r\n this.refreshResetBtn();\r\n }\r\n }\r\n\r\n propertyChanged(propertyName, value, changedElement, spinnerElement) {\r\n this.product[propertyName] = value;\r\n if ((!this.changedProduct[propertyName]) || value !== this.changedProduct[propertyName]) {\r\n //console.log('Property changed...');\r\n if (value !== this.origProduct[propertyName]) {\r\n //console.log(`Assigning ${propertyName}=${value}...`);\r\n this.changedProduct[propertyName] = value;\r\n } else {\r\n //console.log(`Removing ${propertyName}...`);\r\n delete this.changedProduct[propertyName];\r\n }\r\n // DONE: Clear any pending server updates here...\r\n if (this.abortController) {\r\n this.abortController.abort();\r\n }\r\n this.invalidatePropertyChangedTimer(changedElement, spinnerElement);\r\n } else {\r\n //console.log('Property unchanged...');\r\n }\r\n }\r\n\r\n async resetProduct(isUserDriven, changedElement) {\r\n this.disableResetBtn(); // Prevent re-entrancy (multiple clicks)\r\n this.designerUpdateFlag.clear(); // Allows us to wait for update completion before adding to cart\r\n this.toggleProductSpinner(true, changedElement);\r\n try {\r\n this.abortController = new AbortController();\r\n const signal = this.abortController.signal;\r\n try {\r\n this.quantity = this.config.quantity;\r\n let details;\r\n if (this.config.isDesignerProduct) {\r\n // The saved product from the cart (if present). If no cart, then saved and default products are the same:\r\n details = await this.designerService.updateProduct(this.config.savedProduct, signal, /*resetSession:*/ true);\r\n } else {\r\n details = await this.productService.getVariantProductDetails(this.config.productId, this.config.savedProduct.variantId, signal);\r\n }\r\n /* 1/24/20: We have a case where the savedProduct.DataVer and details.product.DataVer are\r\n * different. Let's try a simple fix: */\r\n this.config.savedProduct.dataVer = details.product.dataVer;\r\n this.config.defaultProduct.dataVer = details.product.dataVer;\r\n //console.log('Received updated product details:');\r\n //console.log(details);\r\n this.productDetailsChanged(details, null, true);\r\n } catch (ex) {\r\n if (ex.name === 'AbortError') {\r\n /* A promise (i.e. fetch call) was aborted (see AbortController.abort() method). At this\r\n * point the only use case is when the user makes another change before we've received a\r\n * response from the server for the previous change. 3/9/2021. */\r\n console.log('Designer Service call to reset the product was aborted due to user making more changes!');\r\n } else {\r\n console.error('Unknown error during call to designerService.updateProduct: ', ex);\r\n // Swallow the exception, but report it:\r\n GlobalErrorHandler.HandleException(ex);\r\n }\r\n this.enableResetBtn(); // We disabled it at the top of the method (only enable on exception though)\r\n }\r\n /*\r\n if (!this.isSavedProduct) {\r\n // Should never happen!!!\r\n const savedProductStr = JSON.stringify(this.config.savedProduct, null, ' ');\r\n const productStr = JSON.stringify(this.product, null, ' ');\r\n if (savedProductStr != productStr) {\r\n // Should never happen!!!\r\n console.log(savedProductStr);\r\n console.log(productStr);\r\n }\r\n }\r\n */\r\n } finally {\r\n this.designerUpdateFlag.set();\r\n this.toggleProductSpinner(false, changedElement);\r\n }\r\n }\r\n\r\n //#endregion Handling changed product properties....................\r\n\r\n // This method is called from the main view file (cshtml)\r\n async display() {\r\n // Intentionally left empty. Subclasses may override and add functionality here\r\n }\r\n}\r\n\r\nexport class ValidationException extends Error {\r\n constructor(message) {\r\n super(message);\r\n }\r\n}\r\n","class InteractionBehavior {\r\n constructor() {\r\n this.onInteraction = null;\r\n this.isInteractive = false;\r\n /**\r\n * This event/callback property should be assigned by the user to a method which understands the\r\n * UI and which UI events to listen to. toggleInteractive is called from within the activateInteraction\r\n * method in subclasses.\r\n */\r\n this.toggleInteractive = this.toggleInteractiveNull; // Must be replaced by user\r\n }\r\n\r\n /**\r\n * Turns interaction on or off for this object. This is the main \"public\" method for toggling\r\n * the interactivity. It is called from the application when the app's interactivity is\r\n * toggled, but also called internally in this class when we update the edit scope.\r\n * @param {bool} on Whether to turn interaction on or off.\r\n */\r\n setIsInteractive(on) {\r\n if (on !== this.isInteractive) {\r\n this.activateInteraction(on);\r\n this.isInteractive = on;\r\n }\r\n }\r\n\r\n /**\r\n * This method should be overridden by subclasses to turn the interaction on/off on the\r\n * target display objects. This method is used when we need to temporarily turn off\r\n * interaction while making internal changes. Internally the method might use the toggleInteractive\r\n * callback to delegate the event add/removal to a class which understands the UI better (e.g.\r\n * the DrawingEngine subclasses).\r\n * @param {any} on Activate? or deactivate?\r\n */\r\n activateInteraction(on) {\r\n }\r\n\r\n toggleInteractiveNull(displayObject, on, clickHandler) {\r\n throw Error('The toggleInteractive callback must be assigned by the owner');\r\n }\r\n\r\n /**\r\n * Protected method called from the method which received the UI event. Raises the onInteraction event.\r\n */\r\n doOnInteraction(event) {\r\n if (this.onInteraction) {\r\n this.onInteraction(this, event);\r\n }\r\n }\r\n}\r\n\r\nexport class ProductInteraction extends InteractionBehavior {\r\n constructor() {\r\n super();\r\n this._product = null;\r\n this.selectedValue = null;\r\n this._editScope = null; // Should be assigned by subclass\r\n this._componentType = null; // Should be assigned by subclass\r\n }\r\n\r\n get product() {\r\n return this._product;\r\n }\r\n set product(value) {\r\n if (value !== this._product) {\r\n if (this.isInteractive) {\r\n this.activateInteraction(false);\r\n this._product = value;\r\n this.activateInteraction(true);\r\n } else {\r\n this._product = value;\r\n }\r\n }\r\n }\r\n\r\n /**\r\n * The edit scope determines whether you're only updating a single component of the product, or\r\n * multiple components at a certain level. For instance, in a door front if the edit scope is\r\n * 'door' and the component type is 'panel', then you're updating all panels on the clicked door.\r\n * Similarly, in an organizer, if the scope is 'module' and the component type is 'side', then all\r\n * flexi sides in the clicked module are updated.\r\n */\r\n get editScope() {\r\n return this._editScope;\r\n }\r\n set editScope(value) {\r\n if (value !== this._editScope) {\r\n if (this.isInteractive) {\r\n this.activateInteraction(false);\r\n this._editScope = value;\r\n this.activateInteraction(true);\r\n } else {\r\n this._editScope = value;\r\n }\r\n }\r\n }\r\n\r\n/**\r\n * The component type determines which parts of the product you are updating. For instance, in a\r\n * door front if the edit scope is 'door' and the component type is 'panel', then you're updating\r\n * all panels on the clicked door. Similarly, in an organizer, if the scope is 'module' and the\r\n * component type is 'side', then all flexi sides in the clicked module are updated.\r\n */\r\n get componentType() {\r\n return this._componentType;\r\n }\r\n set componentType(value) {\r\n if (value !== this._componentType) {\r\n if (this.isInteractive) {\r\n this.activateInteraction(false);\r\n this._componentType = value;\r\n this.activateInteraction(true);\r\n } else {\r\n this._componentType = value;\r\n }\r\n }\r\n }\r\n\r\n /**\r\n * Removes the clickHandler from the old display object, and adds it to the new display object,\r\n * but only if interaction is enabled on the old, and the new display object is different from\r\n * the old.\r\n */\r\n refreshInteractive(oldDisplayObject, newDisplayObject, clickHandler) {\r\n if (oldDisplayObject.interactive && newDisplayObject !== oldDisplayObject) {\r\n // The displayObject was recreated, we must make it interactive again:\r\n this.toggleInteractive(newDisplayObject, true, clickHandler);\r\n // Clean up\r\n this.toggleInteractive(oldDisplayObject, false);\r\n }\r\n }\r\n\r\n doOnProductChanged(changedComponent) {\r\n if (this.onProductChanged) {\r\n this.onProductChanged(this, this.componentType, changedComponent);\r\n }\r\n }\r\n\r\n unsupportedTypeAndScope() {\r\n const message = `Unsupported component type (${this.componentType.id}) and edit scope (${this.editScope}) combination`;\r\n // In the prototype app we can't throw exceptions due to how the UI works\r\n //throw new Error(message);\r\n console.warn(message);\r\n }\r\n\r\n triggerDrawingClick() {\r\n const event = {\r\n target: { dataComponent: this.product }\r\n };\r\n if (this.componentType) {\r\n this.componentType.handleDrawingClick(this, event);\r\n } else {\r\n this.unsupportedTypeAndScope();\r\n }\r\n }\r\n}\r\n\r\nexport class AnyProductInteraction extends ProductInteraction {\r\n constructor() {\r\n super();\r\n /* We need to create a wrapper object for the removeEventListener call to actually remove the\r\n * listener. This happens inside the drawing engine's toggleDisplayObjectInteractive method. */\r\n this.productClickHandler = { handler: event => this.handleProductClick(event) };\r\n }\r\n\r\n activateInteraction(on) {\r\n super.activateInteraction(on);\r\n if (this.product) {\r\n /* Passing an arrow function to the method may prevent the toggleInteractive method from\r\n * successfully unregistering the event. Instead we use a wrapper object. */\r\n //this.toggleInteractive(this.product.displayObject, on, (event) => this.handleProductClick(event));\r\n this.toggleInteractive(this.product.displayObject, on, this.productClickHandler.handler);\r\n }\r\n }\r\n\r\n handleProductClick(event) {\r\n //const productDisplayObject = event.currentTarget;\r\n this.doOnInteraction(event);\r\n }\r\n}\r\n","import { ProductInteraction } from './ProductInteraction.js';\r\n\r\nexport const EditScope = {\r\n front: 'front',\r\n door: 'door',\r\n panel: 'panel'\r\n};\r\n\r\nexport const ComponentType = {\r\n panel: {\r\n id: 'panel',\r\n useEditScope: true,\r\n getValue: (apiProduct) => apiProduct.f,\r\n getAllUsedValues: (product) => product.getAllPrimaryFinishes(),\r\n handleDrawingClick: (interaction, event) => interaction.handleFrontPanelsClick(event),\r\n showGalleryFilterButton: true,\r\n },\r\n frame: {\r\n id: 'frame',\r\n useEditScope: false,\r\n defaultEditScope: 'front',\r\n getValue: (apiProduct) => apiProduct.frameF,\r\n getAllUsedValues: (product) => product.getAllFrameFinishes(true),\r\n handleDrawingClick: (interaction, event) => interaction.handleFrontFrameClick(event),\r\n showGalleryFilterButton: false,\r\n },\r\n track: {\r\n id: 'track',\r\n useEditScope: false,\r\n defaultEditScope: 'front',\r\n getValue: (apiProduct) => apiProduct.topTrack.f,\r\n getAllUsedValues: (product) => product.getAllTrackFinishes(true),\r\n handleDrawingClick: (interaction, event) => interaction.handleTrackClick(event),\r\n showGalleryFilterButton: false,\r\n },\r\n layout: {\r\n id: 'layout',\r\n useEditScope: true,\r\n getValue: (apiProduct) => apiProduct.panelLayout,\r\n getAllUsedValues: (product) => product.getAllPanelLayouts(true),\r\n handleDrawingClick: (interaction, event) => interaction.handleFrontLayoutClick(event),\r\n showGalleryFilterButton: false,\r\n },\r\n};\r\n\r\nexport class DoorInteraction extends ProductInteraction {\r\n constructor() {\r\n super();\r\n this._editScope = EditScope.panel;\r\n this._componentType = ComponentType.panel;\r\n /* We need to create a wrapper object for the removeEventListener call to actually remove the\r\n * listener. This happens inside the drawing engine's toggleDisplayObjectInteractive method. */\r\n this.doorFrameClickHandler = { handler: event => this.handleDoorFrameClick(event) };\r\n this.panelClickHandler = { handler: event => this.handlePanelClick(event) };\r\n this.doorPanelsClickHandler = { handler: event => this.handleDoorPanelsClick(event) };\r\n this.doorLayoutClickHandler = { handler: event => this.handleDoorLayoutClick(event) };\r\n }\r\n\r\n toggleInteractiveOnEachDoorPanel(door, on, clickHandler) {\r\n door.core.panels.forEach(element => this.toggleInteractive(element.displayObject, on, clickHandler));\r\n }\r\n\r\n activateInteraction(on) {\r\n super.activateInteraction(on);\r\n if (!this.product) {\r\n return;\r\n }\r\n\r\n switch (this.componentType) {\r\n case ComponentType.frame:\r\n if (this.editScope === EditScope.door) {\r\n this.toggleInteractive(this.product.displayObject, on, this.doorFrameClickHandler.handler);\r\n } else {\r\n this.unsupportedTypeAndScope();\r\n }\r\n break;\r\n\r\n case ComponentType.panel:\r\n switch (this.editScope) {\r\n case EditScope.panel:\r\n this.toggleInteractiveOnEachDoorPanel(this.product, on, this.panelClickHandler.handler);\r\n break;\r\n case EditScope.door:\r\n this.toggleInteractive(this.product.displayObject, on, this.doorPanelsClickHandler.handler);\r\n break;\r\n default:\r\n this.unsupportedTypeAndScope();\r\n break;\r\n }\r\n break;\r\n\r\n case ComponentType.layout:\r\n if (this.editScope === EditScope.door) {\r\n this.toggleInteractive(this.product.displayObject, on, this.panelLayoutClickHandler.handler);\r\n } else {\r\n this.unsupportedTypeAndScope();\r\n }\r\n break;\r\n\r\n default:\r\n this.unsupportedTypeAndScope();\r\n break;\r\n }\r\n }\r\n\r\n /** Raises the onPanelFinishChanged event. */\r\n doOnPanelFinishChanged(panel, oldFinish) {\r\n if (this.onPanelFinishChanged) {\r\n this.onPanelFinishChanged(this, oldFinish, panel);\r\n }\r\n }\r\n\r\n /** Raises the onFrameFinishChanged event. */\r\n doOnDoorFrameFinishChanged(door, oldFinish) {\r\n if (this.onFrameFinishChanged) {\r\n this.onFrameFinishChanged(this, oldFinish, door.frame);\r\n }\r\n }\r\n\r\n doOnDoorLayoutChanged(door, oldLayout) {\r\n if (this.onDoorLayoutChanged) {\r\n this.onDoorLayoutChanged(this, oldLayout, door);\r\n }\r\n }\r\n\r\n /** Click on a single panel. */\r\n handlePanelClick(event) {\r\n if (this.selectedValue) {\r\n const panel = event.currentTarget.dataComponent;\r\n panel.replaceFinish(this.selectedValue, (sender, args) => {\r\n this.refreshInteractive(args.oldDisplayObject, panel.displayObject, this.panelClickHandler.handler);\r\n this.doOnProductChanged(panel);\r\n this.doOnPanelFinishChanged(panel, args.oldFinish);\r\n });\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n\r\n /** Click on a door, and we need to update all the panels. */\r\n handleDoorPanelsClick(event) {\r\n if (this.selectedValue) {\r\n const door = event.currentTarget.dataComponent;\r\n let wasChanged = false;\r\n door.replaceAllPanelsFinish(this.selectedValue, (dor, args) => {\r\n this.doOnPanelFinishChanged(args.panel, args.oldFinish);\r\n wasChanged = true;\r\n });\r\n if (wasChanged) {\r\n this.doOnProductChanged(door);\r\n }\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n\r\n/** Click on a single door, and we need to update the door's frame finish. */\r\n handleDoorFrameClick(event) {\r\n if (this.selectedValue) {\r\n const door = event.currentTarget.dataComponent;\r\n door.replaceFrameFinish(this.selectedValue, (dor, { oldFinish }) => {\r\n this.doOnProductChanged(dor.frame);\r\n this.doOnDoorFrameFinishChanged(dor, oldFinish);\r\n });\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n\r\n/** Click on a single door, and we need to update the door's layout (design). */\r\n handleDoorLayoutClick(event) {\r\n if (this.selectedValue !== null) {\r\n const door = event.currentTarget.dataComponent;\r\n door.replaceLayout(this.selectedValue, (dor, { oldLayout }) => {\r\n this.doOnProductChanged(dor);\r\n this.doOnDoorLayoutChanged(dor, oldLayout);\r\n });\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n}\r\n\r\nexport class DoorFrontInteraction extends DoorInteraction {\r\n constructor() {\r\n super();\r\n /* We need to create a wrapper object for the removeEventListener call to actually remove the\r\n * listener. This happens inside the drawing engine's toggleDisplayObjectInteractive method. */\r\n this.frontPanelsClickHandler = { handler: event => this.handleFrontPanelsClick(event) };\r\n this.frontFrameClickHandler = { handler: event => this.handleFrontFrameClick(event) };\r\n this.trackClickHandler = { handler: event => this.handleTrackClick(event) };\r\n this.frontLayoutClickHandler = { handler: event => this.handleFrontLayoutClick(event) };\r\n }\r\n\r\n toggleInteractiveOnEachDoor(on, clickHandler) {\r\n this.product.doors.forEach(door => this.toggleInteractive(door.displayObject, on, clickHandler));\r\n }\r\n\r\n toggleInteractiveOnEachDoorPanel(on, clickHandler) {\r\n this.product.doors.forEach(door => super.toggleInteractiveOnEachDoorPanel(door, on, clickHandler));\r\n }\r\n\r\n activateInteraction(on) {\r\n //super.activateInteraction(on); Don't call super here!\r\n if (!this.product) {\r\n return;\r\n }\r\n\r\n switch (this.componentType) {\r\n case ComponentType.panel:\r\n switch (this.editScope) {\r\n case EditScope.front:\r\n this.toggleInteractive(this.product.displayObject, on, this.frontPanelsClickHandler.handler);\r\n break;\r\n case EditScope.door:\r\n this.toggleInteractiveOnEachDoor(on, this.doorPanelsClickHandler.handler);\r\n break;\r\n case EditScope.panel:\r\n this.toggleInteractiveOnEachDoorPanel(on, this.panelClickHandler.handler);\r\n break;\r\n default:\r\n this.unsupportedTypeAndScope();\r\n break;\r\n }\r\n break;\r\n case ComponentType.frame:\r\n switch (this.editScope) {\r\n case EditScope.front:\r\n this.toggleInteractive(this.product.displayObject, on, this.frontFrameClickHandler.handler);\r\n break;\r\n case EditScope.door:\r\n this.toggleInteractiveOnEachDoor(on, this.doorFrameClickHandler.handler);\r\n break;\r\n default:\r\n this.unsupportedTypeAndScope();\r\n break;\r\n }\r\n break;\r\n case ComponentType.track:\r\n if (this.editScope === EditScope.front) {\r\n this.toggleInteractive(this.product.displayObject, on, this.trackClickHandler.handler);\r\n } else {\r\n this.unsupportedTypeAndScope();\r\n }\r\n break;\r\n case ComponentType.layout:\r\n switch (this.editScope) {\r\n case EditScope.front:\r\n this.toggleInteractive(this.product.displayObject, on, this.frontLayoutClickHandler.handler);\r\n break;\r\n case EditScope.door:\r\n this.toggleInteractiveOnEachDoor(on, this.doorLayoutClickHandler.handler);\r\n break;\r\n default:\r\n this.unsupportedTypeAndScope();\r\n break;\r\n }\r\n break;\r\n default:\r\n this.unsupportedTypeAndScope();\r\n break;\r\n }\r\n }\r\n\r\n doOnTrackFinishChanged(track, oldFinish) {\r\n if (this.onTrackFinishChanged) {\r\n this.onTrackFinishChanged(this, oldFinish, track);\r\n }\r\n }\r\n\r\n replaceTrackFinish(track) {\r\n return track.replaceFinish(this.selectedValue, (trck, args) => this.doOnTrackFinishChanged(trck, args.oldFinish));\r\n }\r\n\r\n //#region Click Handlers\r\n\r\n handleFrontPanelsClick(event) {\r\n if (this.selectedValue) {\r\n const front = event.currentTarget.dataComponent;\r\n let wasChanged = false;\r\n front.replaceAllPanelsFinish(this.selectedValue, (frnt, args) => {\r\n this.doOnPanelFinishChanged(args.panel, args.oldFinish);\r\n wasChanged = true;\r\n });\r\n if (wasChanged) {\r\n this.doOnProductChanged(front);\r\n }\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n\r\n handleFrontFrameClick(event) {\r\n if (this.selectedValue) {\r\n const front = event.currentTarget.dataComponent;\r\n let wasChanged = false;\r\n front.replaceFrameFinish(this.selectedValue, (door, { oldFinish }) => {\r\n this.doOnDoorFrameFinishChanged(door, oldFinish);\r\n wasChanged = true;\r\n });\r\n if (wasChanged) {\r\n //this.doOnProductChanged(door.frame);\r\n this.doOnProductChanged(front);\r\n }\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n\r\n handleTrackClick(event) {\r\n if (this.selectedValue) {\r\n const front = event.currentTarget.dataComponent;\r\n const topChanged = this.replaceTrackFinish(front.topTrack);\r\n const botChanged = this.replaceTrackFinish(front.bottomTrack);\r\n if (topChanged || botChanged) {\r\n this.doOnProductChanged(front);\r\n }\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n\r\n handleFrontLayoutClick(event) {\r\n if (this.selectedValue) {\r\n const front = event.currentTarget.dataComponent;\r\n let wasChanged = false;\r\n front.doors.forEach(door => {\r\n door.replaceLayout(this.selectedValue, (dor, { oldLayout }) => {\r\n this.doOnDoorLayoutChanged(dor, oldLayout);\r\n });\r\n });\r\n if (wasChanged) {\r\n this.doOnProductChanged(front);\r\n }\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n\r\n //#endregion Click Handlers\r\n}\r\n\r\n","import { ObjectUtils } from '../main/ObjectUtils.js';\r\nimport { ProductViewModelFactories } from './ProductViewModelFactories.js';\r\n\r\n// TODO: Rename Component to Product\r\n/**\r\n * The Component class is composition of a Langlo Designer API product and a display object.\r\n *\r\n * Properties:\r\n * - displayObject - a rendering-engine specific object, e.g. a element in an HTML DOM or a\r\n * Pixi Sprite, Graphics, or Container object (WebGL based 2D display engine). Each display\r\n * object will have a dataComponent property back-referencing this component object.\r\n * - apiProduct - a data-transfer object (DTO) from the Designer server containing the properties\r\n * needed for displaying and editing.\r\n * - drawingService - provides rendering-engine specific methods.\r\n * - rect - the size and position of the component in cm units using Designer's bottom-left based\r\n * coord system. The units are resolution independent since the entire drawing will be scaled to\r\n * fit within the parent html element.\r\n * - finish - a Langlo Designer compatible product finish Id.\r\n * - components - each component may have zero or more child components.\r\n */\r\nexport class Component {\r\n constructor(name, drawingService, apiProduct, config) {\r\n this.name = name;\r\n this.type = apiProduct.type;\r\n this.drawingService = drawingService;\r\n this._displayObject = null;\r\n this.components = [];\r\n /* Note, Component classes use a bottom/left/back oriented coordinate system. rect objects have\r\n * left, bottom, width, and height properties. There's a getTopLeftRect() method for converting\r\n * to a top/left oriented rectangle. */\r\n const p = this.apiProduct = apiProduct;\r\n p.l = p.l || 0; // Left\r\n p.b = p.b || 0; // Bottom\r\n p.z = p.z || 0; // Back\r\n p.w = p.w || 0; // Width\r\n p.h = p.h || 0; // Height\r\n p.d = p.d || 0; // Depth\r\n // Bottom-left oriented coordinates:\r\n this.rect = {\r\n left: p.l,\r\n bottom: p.b,\r\n back: p.z,\r\n width: p.w,\r\n height: p.h,\r\n depth: p.d,\r\n };\r\n\r\n // Assign rotation in the \"x,y,z\" format from the apiProduct\r\n if (p.r) {\r\n const xyz = p.r.split(',');\r\n this.rotation = {\r\n x: parseFloat(xyz[0]),\r\n y: parseFloat(xyz[1]),\r\n z: parseFloat(xyz[2]),\r\n }\r\n } else {\r\n this.rotation = { x: 0, y: 0, z: 0 };\r\n }\r\n\r\n this.preFactorySetup(config);\r\n this.factorySetup(config);\r\n }\r\n\r\n preFactorySetup(config) {\r\n // TODO: Rename to finishId\r\n this.finish = this.apiProduct.f;\r\n this.materialIdPrefix = null;\r\n }\r\n\r\n factorySetup(config) {\r\n this.updateMaterial();\r\n }\r\n\r\n updateMaterial(finishId) {\r\n finishId = finishId || this.finish;\r\n const material = this.materialIdPrefix\r\n ? this.drawingService.getMaterial(this.materialIdPrefix, finishId)\r\n : null;\r\n return this.material = material;\r\n }\r\n\r\n finishChanged() {\r\n // Note, the drawingService will know whether this component class actually needs a label\r\n // DONE: Enable once we have Visitor classes for updating finish labels\r\n this.drawingService.updateFinishLabel(this);\r\n }\r\n\r\n /**\r\n * Lightweight method updating this.finish and optionally this.material. No other side effects.\r\n * @param {any} value The new finish id\r\n * @param {any} preventNotification If the new finish is different and preventNotification is not true,\r\n * then finishChanged() method will be called.\r\n * @returns true if the finish was changed.\r\n */\r\n setFinish(value, preventNotification) {\r\n if (value !== this.finish) {\r\n this.finish = value;\r\n this.updateMaterial();\r\n if (!preventNotification) {\r\n this.finishChanged();\r\n }\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n /**\r\n * Updates this.finish and indirectly this.material. this.drawingService will be accessed for\r\n * updating the UI.\r\n * @param {any} newFinish The new finish Id\r\n * @param {any} onChanged A callback called if the finish was changed.\r\n * @returns true if the finish was changed.\r\n */\r\n replaceFinish(newFinish, onChanged) {\r\n if (newFinish !== this.finish) {\r\n const oldFinish = this.finish;\r\n const oldDisplayObject = this.displayObject;\r\n if (this.drawingService.replaceFinishInline(this, newFinish)) {\r\n this.setFinish(newFinish);\r\n } else {\r\n /* It was not possible to replace the finish on the existing display object. Instead,\r\n * we must create a new displayObject with the new finish. */\r\n this.setFinish(newFinish, /*preventNotification:*/ true); // <-- false because we're making the finishChanged call below\r\n const newDisplayObject = this.createMaterialObject();\r\n this.displayObject = newDisplayObject;\r\n this.drawingService.replaceDisplayObject(oldDisplayObject, newDisplayObject);\r\n this.finishChanged();\r\n }\r\n if (onChanged) {\r\n onChanged(this, { oldFinish, oldDisplayObject });\r\n }\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n /** Virtual method which can be overridden to be more specific in which components to recurse into. */\r\n doReplaceFinishesRecursively(newFinish, onChanged) {\r\n this.components.forEach(comp => comp.doReplaceFinishesRecursively(newFinish));\r\n this.replaceFinish(newFinish, onChanged);\r\n }\r\n\r\n replaceFinishesRecursively(newFinish, onChanged) {\r\n this.drawingService.disableDrawingUpdates();\r\n try {\r\n this.doReplaceFinishesRecursively(newFinish, onChanged);\r\n } finally {\r\n if (this.drawingService.enableDrawingUpdates()) {\r\n this.drawingService.updateAllFinishesInline(this);\r\n }\r\n }\r\n }\r\n\r\n getSecondaryFinish() {\r\n // We intentionally don't return anything in the base method. Undefined: SecondaryFinish is not used for this component\r\n }\r\n\r\n setSecondaryFinish(value) {\r\n }\r\n\r\n /**\r\n * Updates the secondary finish.\r\n * @param {any} newFinish The new finish Id\r\n * @param {any} onChanged A callback called if the finish was changed.\r\n * @returns true if the finish was changed.\r\n */\r\n replaceSecondaryFinish(newFinish, onChanged) {\r\n const oldFinish = this.getSecondaryFinish();\r\n if (typeof oldFinish !== 'undefined' && newFinish !== oldFinish) {\r\n const oldDisplayObject = this.displayObject;\r\n this.setSecondaryFinish(newFinish);\r\n if (onChanged) {\r\n onChanged(this, { oldFinish, oldDisplayObject });\r\n }\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n /** Virtual method which can be overridden to be more specific in which components to recurse into. */\r\n doReplaceSecondaryFinishesRecursively(newFinish, onChanged) {\r\n this.components.forEach(comp => comp.doReplaceSecondaryFinishesRecursively(newFinish));\r\n this.replaceSecondaryFinish(newFinish, onChanged);\r\n }\r\n\r\n replaceSecondaryFinishesRecursively(newFinish, onChanged) {\r\n this.drawingService.disableDrawingUpdates();\r\n try {\r\n this.doReplaceSecondaryFinishesRecursively(newFinish, onChanged);\r\n } finally {\r\n if (this.drawingService.enableDrawingUpdates()) {\r\n this.drawingService.performInlineUpdate(this);\r\n }\r\n }\r\n }\r\n\r\n // [Obsolete('Not used anymore')]\r\n replaceChildFinish(child, newFinish, onChanged) {\r\n child.replaceFinish(newFinish, (sender, { oldFinish, oldChildDisplayObject }) => {\r\n if (onChanged) {\r\n onChanged(this, { child, oldFinish, oldChildDisplayObject });\r\n }\r\n });\r\n }\r\n\r\n get displayObject() {\r\n return this._displayObject;\r\n }\r\n\r\n set displayObject(value) {\r\n if (value !== this._displayObject) {\r\n if (this._displayObject) {\r\n this._displayObject.dataComponent = null;\r\n }\r\n this._displayObject = value;\r\n if (this._displayObject) {\r\n this._displayObject.dataComponent = this;\r\n }\r\n }\r\n }\r\n\r\n /**\r\n * Creates a display object where the product's material is shown.\r\n */\r\n createMaterialObject() {\r\n return this.drawingService.createMaterialObject(this);\r\n }\r\n\r\n /**\r\n * Creates a light-weight display object whose only purpose is to contain child display objects.\r\n */\r\n createContainer() {\r\n return this.drawingService.createContainer(this);\r\n }\r\n\r\n /**\r\n * Semi-abstract method to be overridden by subclasses which have to decide whether to create\r\n * a material-based display object, or a light-weight container object.\r\n */\r\n createDisplayObject() {\r\n }\r\n\r\n /**\r\n * Factory method for creating a component instance.\r\n */\r\n createProduct(name, apiProduct, config) {\r\n const product = ProductViewModelFactories.createProduct(this.drawingService, apiProduct, config);\r\n product.name = name;\r\n return product;\r\n }\r\n\r\n /**\r\n * Recursively removes and destroys all display objects from this component and its descendants.\r\n * Note, in addition to being used internally in this class, this method is also called when the\r\n * drawing needs to replace one product with another (it first calls removeDisplayObject on the\r\n * old product).\r\n */\r\n removeDisplayObject() {\r\n this.components.forEach(child => child.removeDisplayObject());\r\n if (this.displayObject) {\r\n this.drawingService.removeChildDisplayObject(this.displayObject);\r\n this.displayObject = null;\r\n }\r\n }\r\n\r\n /**\r\n * Recursively creates and adds display objects for this component and its children.\r\n * this.displayObject property will be assigned in the process. Also adds the displayObject as a\r\n * child of the parent's displayObject. If this is the root component, then this call effectively\r\n * adds all the displayObjects to the drawing.\r\n */\r\n addDisplayObject() {\r\n if (!this.displayObject) {\r\n this.displayObject = this.createDisplayObject();\r\n this.components.forEach(child => child.addDisplayObject());\r\n this.drawingService.addChildDisplayObject(this);\r\n }\r\n return this.displayObject;\r\n }\r\n\r\n /**\r\n * Perform necessary clean up to help the browser's memory management and to avoid leaks.\r\n * This method is called by the DetachFromDomIterator. It's the iterator's responsibility to iterate\r\n * children, hence don't iterate into child components directly from this method.\r\n */\r\n detachFromUI() {\r\n this.displayObject = null;\r\n this.drawingService.detachFinishLabel(this);\r\n }\r\n\r\n addComponent(component) {\r\n this.components.push(component);\r\n component.parent = this;\r\n return component;\r\n }\r\n\r\n removeComponent(component) {\r\n const index = this.components.indexOf(component);\r\n if (index > -1) {\r\n component.parent = null;\r\n this.components.splice(index, 1);\r\n }\r\n return index;\r\n }\r\n\r\n /**\r\n * Helper method for adding components from the apiComponents array to ourselves. The new component\r\n * array will be the return value of the method.\r\n * @param {any} name Will be used as the prefix in the component's name\r\n * @param {any} apiComponents The array of components from an API product.\r\n */\r\n addApiComponents(name, apiComponents) {\r\n const components = [];\r\n if (apiComponents) {\r\n let i = 1;\r\n apiComponents.forEach(apiComponent => {\r\n const component = this.createProduct(`${name} ${i} (${apiComponent.type})`, apiComponent);\r\n this.addComponent(component);\r\n components.push(component);\r\n i++;\r\n });\r\n }\r\n return components;\r\n }\r\n\r\n toggleFinishLabels(on) {\r\n // Note, the drawingService will know whether this component class actually needs a label\r\n this.drawingService.toggleFinishLabels(this, on);\r\n }\r\n\r\n updateHeight(value) {\r\n if (value !== this.rect.height) {\r\n this.rect.height = value;\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n updateWidth(value) {\r\n if (value !== this.rect.width) {\r\n this.rect.width = value;\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n updateDepth(value) {\r\n if (value !== this.rect.depth) {\r\n this.rect.depth = value;\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n /** Compatible with the Iterator class. The purpose of this method is simply to recurse the\r\n * component graph. Subclasses should call iterator.iterate(child) for each component.\r\n */\r\n iterate(iterator) {\r\n }\r\n\r\n visitChildren(visitor) {\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitComponent(this);\r\n }\r\n\r\n static shrinkRect(rect, delta) {\r\n return {\r\n left: rect.left + delta.left,\r\n bottom: rect.bottom + delta.bottom,\r\n back: rect.back + delta.back,\r\n width: rect.width - delta.left - delta.right,\r\n height: rect.height - delta.top - delta.bottom,\r\n depth: rect.depth - delta.back - delta.front,\r\n };\r\n }\r\n\r\n static growRect(rect, delta) {\r\n return {\r\n left: rect.left - delta.left,\r\n bottom: rect.bottom - delta.bottom,\r\n back: rect.back - delta.back,\r\n width: rect.width + delta.left + delta.right,\r\n height: rect.height + delta.top + delta.bottom,\r\n depth: rect.depth + delta.back - delta.front,\r\n };\r\n }\r\n\r\n /** Returns the top-left based vertical position of a child component. */\r\n to2dTop(childBottom, childHeight) {\r\n return this.rect.height - childBottom - childHeight;\r\n }\r\n\r\n /**\r\n * Returns the component's rect in a top-left-based coordinate system. top/left are relative to\r\n * the parent component.\r\n */\r\n getTopLeftRect() {\r\n const top = this.parent ? this.parent.to2dTop(this.rect.bottom, this.rect.height) : 0;\r\n return {\r\n left: this.rect.left,\r\n top: top,\r\n back: this.rect.back,\r\n width: this.rect.width,\r\n height: this.rect.height,\r\n depth: this.rect.depth,\r\n };\r\n }\r\n\r\n /** Returns this component's relative top position when converted to a top-left based coordinate system. */\r\n getRelative2dTop() {\r\n if (this.parent) {\r\n const top = this.parent.to2dTop(this.rect.bottom, this.rect.height);\r\n return top / this.parent.rect.height;\r\n } else {\r\n return 0;\r\n }\r\n }\r\n\r\n /** Returns this component's relative left position. */\r\n getRelative2dLeft(leftCorrection, parentWidthCorrection) {\r\n if (this.parent) {\r\n let left = this.rect.left;\r\n if (leftCorrection)\r\n left += leftCorrection;\r\n let parentWidth = this.parent.rect.width;\r\n if (parentWidthCorrection) {\r\n parentWidth += parentWidthCorrection;\r\n }\r\n return left / parentWidth;\r\n } else {\r\n return 0;\r\n }\r\n }\r\n\r\n addToMaterialIdList(list) {\r\n this.components.forEach(child => child.addToMaterialIdList(list));\r\n if (this.material) {\r\n // Let's use the actual material already found (might be a fallback material/general finish):\r\n list[this.material.id] = true;\r\n } else if (this.finish) {\r\n if (this.materialIdPrefix) {\r\n list[this.materialIdPrefix + this.drawingService.materialPrefixDelim + this.finish] = true;\r\n } else {\r\n list[this.finish] = true;\r\n }\r\n }\r\n }\r\n\r\n createMaterialIdList() {\r\n const list = {};\r\n this.addToMaterialIdList(list);\r\n return list;\r\n }\r\n\r\n /**\r\n * Adds the product's primary finishes to the finishes array parameter. Note, secondary finishes\r\n * should not be added (frame finish on doors, metal finish in flexi sections, etc.).\r\n */\r\n addToPrimaryFinishArray(finishes) {\r\n if (!finishes.includes(this.finish)) {\r\n finishes.push(this.finish);\r\n }\r\n }\r\n\r\n /**\r\n * Adds the product's primary finishes to the finishes array parameter. Note, secondary finishes\r\n * should not be added (frame finish on doors, metal finish in flexi sections, etc.).\r\n */\r\n addToSecondaryFinishArray(finishes) {\r\n const finish = this.getSecondaryFinish();\r\n if (finish && !finishes.includes(finish)) {\r\n finishes.push(finish);\r\n }\r\n }\r\n\r\n /**\r\n * Returns an array of the product's primary finishes (id's). Note, secondary finishes should\r\n * not be added (frame finish on doors, metal finish in flexi sections, etc.).\r\n */\r\n getAllPrimaryFinishes() {\r\n let finishes = [];\r\n this.addToPrimaryFinishArray(finishes);\r\n return finishes;\r\n }\r\n\r\n /**\r\n * Returns an array of the product's secondary finishes (frame finish on doors, metal finish in\r\n * flexi sections, etc.).\r\n */\r\n getAllSecondaryFinishes() {\r\n let finishes = [];\r\n this.addToSecondaryFinishArray(finishes);\r\n return finishes;\r\n }\r\n\r\n static assignArrayModificationsTo(destApiProduct, arrayName, sourceArray, assignType) {\r\n if (!sourceArray) {\r\n return false;\r\n }\r\n let isModified = false;\r\n let index = 0;\r\n let destArray = null;\r\n let lastModNdx = -1;\r\n sourceArray.forEach(product => {\r\n const destProduct = {};\r\n if (assignType) {\r\n destProduct.type = product.type;\r\n }\r\n if (product.assignModificationsTo(destProduct)) {\r\n destArray = destArray || Array(sourceArray.length).fill({});\r\n destArray[index] = destProduct;\r\n isModified = true;\r\n lastModNdx = index;\r\n }\r\n index++;\r\n });\r\n if (isModified) {\r\n destApiProduct[arrayName] = destArray.slice(0, lastModNdx + 1);\r\n }\r\n return isModified;\r\n }\r\n\r\n /**\r\n * Returns the ratio of this component's width relative to the component's height (width / height).\r\n * @param {any} use2D If true, then use the rotation property to determine which lengths to be used\r\n * in the calculation.\r\n * @param {any} rotation If defined, overrides this.rotation.\r\n */\r\n getWidthHeightRatio(use2D = null, rotation = null) {\r\n if (use2D) {\r\n rotation = rotation || this.rotation;\r\n if (rotation.x === 90) {\r\n return this.rect.depth ? this.rect.width / this.rect.depth : NaN;\r\n }\r\n if (rotation.y === 90) {\r\n return this.rect.height ? this.rect.depth / this.rect.height : NaN;\r\n }\r\n }\r\n return this.rect.height ? this.rect.width / this.rect.height : NaN;\r\n }\r\n\r\n /** Returns the ratio of this component's width relative to the component's depth (width / depth). */\r\n getWidthDepthRatio() {\r\n return this.rect.depth ? this.rect.width / this.rect.depth : NaN;\r\n }\r\n\r\n /** Returns the ratio of the material's width relative to the material's height (width / height). */\r\n getMaterialWidthHeightRatio() {\r\n return this.material ? this.material.productWidth / this.material.productHeight : NaN;\r\n }\r\n\r\n /**\r\n * Returns the ratio of the width relative to the parent component's width.\r\n * @param {double} width The width in mm which we want to convert to a percent of the parent's width.\r\n * If width is not provided, then the component's width is used instead.\r\n * @param {any} use2D If true, then use the rotation property to determine which lengths to be used\r\n * in the calculation.\r\n * @param {any} rotation If defined, overrides this.rotation.\r\n */\r\n getWidthRatio(width, use2D = null, rotation = null, parentWidthCorrection = null) {\r\n if (width === 0) {\r\n return 0; // Avoid confusion of undefined vs 0\r\n }\r\n\r\n let parentWidth = this.parent ? this.parent.rect.width : 0;\r\n if (parentWidth && parentWidthCorrection) {\r\n parentWidth += parentWidthCorrection;\r\n }\r\n\r\n if (!width) {\r\n rotation = rotation || this.rotation;\r\n width = use2D && rotation.y === 90 ? this.rect.depth : this.rect.width;\r\n }\r\n\r\n return parentWidth ? width / parentWidth : NaN;\r\n }\r\n\r\n /**\r\n * Returns the ratio of this component's height relative to the parent component's height.\r\n * @param {any} use2D If true, then use the rotation property to determine which lengths to be used\r\n * in the calculation.\r\n * @param {any} rotation If defined, overrides this.rotation.\r\n */\r\n getHeightRatio(decimals, use2D = null, rotation = null) {\r\n const parentHeight = this.parent ? this.parent.rect.height : 0;\r\n if (parentHeight) {\r\n rotation = rotation || this.rotation;\r\n const height = use2D && rotation.x === 90 ? this.rect.depth : this.rect.height;\r\n const exactRatio = height / parentHeight;\r\n return decimals || decimals === 0 ? ObjectUtils.roundDec(exactRatio, decimals) : exactRatio;\r\n }\r\n return NaN;\r\n }\r\n\r\n /** Returns the ratio of this component's depth relative to the parent component's depth. */\r\n getDepthRatio(decimals) {\r\n const parentDepth = this.parent ? this.parent.rect.depth : 0;\r\n if (parentDepth) {\r\n const exactRatio = this.rect.depth / parentDepth;\r\n return decimals ? ObjectUtils.roundDec(exactRatio, decimals) : exactRatio;\r\n }\r\n return NaN;\r\n }\r\n\r\n /**\r\n * Returns the ratio of this component's width relative to the material's width. A ratio larger\r\n * than 1.0 means the component is wider than the material's width (shouldn't happen unless the\r\n * material image has been taken of a component narrower than the max. available).\r\n * @param {any} use2D If true, then use the rotation property to determine which length to use as\r\n * the width in the calculation.\r\n * @param {any} rotation If defined, overrides this.rotation.\r\n */\r\n getMaterialWidthRatio(use2D = null, rotation = null) {\r\n let width = this.rect.width;\r\n if (use2D) {\r\n rotation = rotation || this.rotation;\r\n if (rotation.y === 90) {\r\n width = this.rect.depth;\r\n }\r\n }\r\n const materialWidth = this.material ? this.material.productWidth : 0;\r\n return materialWidth ? width / materialWidth : NaN;\r\n }\r\n\r\n /**\r\n * Returns the ratio of this component's height relative to the material's height. A ratio larger\r\n * than 1.0 means the component is taller than the material's height (shouldn't happen unless the\r\n * material image has been taken of a component shorter than the max. available).\r\n * @param {any} use2D If true, then use the rotation property to determine which length to use as\r\n * the height in the calculation.\r\n * @param {any} rotation If defined, overrides this.rotation.\r\n */\r\n getMaterialHeightRatio(use2D = null, rotation = null) {\r\n let height = this.rect.height;\r\n if (use2D) {\r\n rotation = rotation || this.rotation;\r\n if (rotation.x === 90) {\r\n height = this.rect.depth;\r\n }\r\n }\r\n const materialHeight = this.material ? this.material.productHeight : 0;\r\n return materialHeight ? height / materialHeight : NaN;\r\n }\r\n\r\n /** Returns the ratio of this component's depth relative to the material's height. A ratio larger\r\n * than 1.0 means the component is deeper than the material's height (shouldn't happen unless the\r\n * material image has been taken of a component shorter than the max. available).\r\n * @param {any} use2D If true, then use the rotation property to determine which length to use as\r\n * the depth in the calculation.\r\n * @param {any} rotation If defined, overrides this.rotation.\r\n */\r\n getMaterialDepthRatio(use2D = null, rotation = null) {\r\n let depth = this.rect.depth;\r\n if (use2D) {\r\n rotation = rotation || this.rotation;\r\n if (rotation.x === 90) {\r\n depth = this.rect.height;\r\n }\r\n }\r\n const materialHeight = this.material ? this.material.productHeight : 0;\r\n return materialHeight ? depth / materialHeight : NaN;\r\n }\r\n\r\n /**\r\n * Returns clientWidth x getWidthRatio(), where getWidthRatio() is the ratio of this component's\r\n * width relative to the parent component's width.\r\n * @param {any} use2D If true, then use the rotation property to determine which length to use as\r\n * the width in the calculation.\r\n * @param {any} rotation If defined, overrides this.rotation.\r\n */\r\n getRelativeWidth(clientWidth, round, use2D, rotation) {\r\n if (parent) {\r\n const exactWidth = clientWidth * this.getWidthRatio(null, use2D, rotation);\r\n return round ? Math.round(exactWidth) : exactWidth;\r\n } else {\r\n return round ? Math.round(clientWidth) : clientWidth;\r\n }\r\n }\r\n\r\n /**\r\n * Returns clientHeight x getHeigthRatio(), where getHeightRatio() is the ratio of this component's\r\n * height relative to the parent component's height.\r\n * @param {any} use2D If true, then use the rotation property to determine which length to use as\r\n * the height in the calculation.\r\n * @param {any} rotation If defined, overrides this.rotation.\r\n */\r\n getRelativeHeight(clientHeight, round, use2D, rotation) {\r\n if (parent) {\r\n const exactHeight = clientHeight * this.getHeightRatio(null, use2D, rotation);\r\n return round ? Math.round(exactHeight) : exactHeight;\r\n } else {\r\n return round ? Math.round(clientHeight) : clientHeight;\r\n }\r\n }\r\n\r\n // I decided to not go with this implementation because it causes the code harder to maintain in\r\n // the future due to not referencing property names directly, but instead using property name strings.\r\n ///**\r\n // * This is macro helper which first checks if the property value has been modified (from the apiProduct),\r\n // * and if true, assign the new value to the destApiProduct object. The purpose is to build an\r\n // * object which only contains the modified properties. Returns true if a modification was found.\r\n // * @param {any} destApiProduct The API product object we are updating.\r\n // * @param {any} propName Used as this[propName]\r\n // * @param {any} apiPropName Used as this.apiProduct[apiPropName] and destApiProduct[apiPropName]\r\n // */\r\n //assignModifiedPropTo(destApiProduct, propName, apiPropName) {\r\n // if (this[propName] !== this.apiProduct[apiPropName]) {\r\n // destApiProduct[apiPropName] = this[propName];\r\n // return true;\r\n // }\r\n // return false;\r\n //}\r\n\r\n /**\r\n * Code should assign all changes (compared to the apiProduct) to the destApiProduct. This method\r\n * is called from the getModifiedApiProduct() method and the returned api product might get sent\r\n * to the server. NOTE: if the UI changes a root property directly, this method might not be used\r\n * to get changes. Instead the changes are sent directly to the server. As a consequence this\r\n * method and the assignModificationsTo() method are not currently looking for changes to the\r\n * properties we know are modified directly in the UI (width, height, depth, thickness, etc.).\r\n * Method returns true if any changes were found.\r\n */\r\n assignModificationsTo(destApiProduct) {\r\n if (this.finish !== this.apiProduct.f) {\r\n destApiProduct.f = this.finish;\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n /**\r\n * Is typically used for getting the changes which are sent to the server after the user has made\r\n * multiple changes in the UI (e.g. via a popup editor). NOTE: if the UI changes a root property\r\n * directly, this method might not be used to get changes. Instead the changes are sent directly\r\n * to the server. As a consequence this method and the assignModificationsTo() method are not\r\n * currently looking for changes to the properties we know are modified directly in the UI\r\n * (width, height, depth, thickness, etc.).\r\n */\r\n getModifiedApiProduct() {\r\n const apiProduct = {\r\n type: this.type\r\n };\r\n return this.assignModificationsTo(apiProduct) ? apiProduct : null;\r\n }\r\n}\r\n\r\nexport class DoorCoreElement extends Component {\r\n constructor(name, drawingService, apiDoorCoreElement, config) {\r\n super(name, drawingService, apiDoorCoreElement, config);\r\n }\r\n}\r\n\r\nexport class DoorPanel extends DoorCoreElement {\r\n constructor(name, drawingService, apiDoorPanel, config) {\r\n super(name, drawingService, apiDoorPanel, config);\r\n }\r\n\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'DoorPanel';\r\n }\r\n\r\n getTopLeftRect() {\r\n const rect = super.getTopLeftRect();\r\n rect.relativeTop = this.parent ? rect.top / this.parent.rect.height : 0.0;\r\n return rect;\r\n }\r\n\r\n getTopLeftCorePanelRect() {\r\n let top = 0;\r\n let totalPanelHeight;\r\n const core = this.parent;\r\n if (core) {\r\n totalPanelHeight = core.getTotalPanelHeight();\r\n // Convert from bottom-left to top-left based position of the panel.\r\n top = totalPanelHeight - this.rect.bottom - this.rect.height;\r\n }\r\n\r\n //const top = this.parent ? this.parent.to2dTop(this.rect.bottom, this.rect.height) : 0;\r\n const rect = {\r\n left: this.rect.left,\r\n top: top,\r\n back: this.rect.back,\r\n width: this.rect.width,\r\n height: this.rect.height,\r\n };\r\n\r\n rect.relativeTop = totalPanelHeight ? rect.top / totalPanelHeight : 0.0;\r\n return rect;\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorPanel(this);\r\n }\r\n}\r\n\r\nexport class DoorDivider extends DoorCoreElement {\r\n constructor(name, drawingService, apiDoorDivider, config) {\r\n super(name, drawingService, apiDoorDivider, config);\r\n }\r\n\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.dividerType = config.dividerType;\r\n // Api dividers don't have a finish property (always same as core's dividerF):\r\n this.finish = config.finish;\r\n this.materialIdPrefix = this.dividerType;\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorDivider(this);\r\n }\r\n}\r\n\r\nconst DoorCoreDesign = {\r\n SinglePanel: 'SinglePanelDoorCore', // Traditional single panel door style\r\n DualPanel: 'DualPanelDoorCore', // Two equal size panels\r\n OpalDualPanel: 'OpalDualPanelDoorCore', // Two equal size panels\r\n TriplePanel: 'TriplePanelDoorCore', // Three equal size panels\r\n QuadruplePanel: 'QuadruplePanelDoorCore', // Four equal size panels\r\n QuintuplePanel: 'QuintuplePanelDoorCore', // Five equal size panels\r\n CenterPanel: 'CenterPanelDoorCore', // One small center panel, and equally sized top and bottom panels\r\n FiveUnevenPanel: 'FiveUnevenPanelDoorCore', /* Five panels, panels 1,3, and 5 are same variable height, while\r\n panels 2 and 4 are small, 30 cm height panels */\r\n LargeCenterPanel: 'LargeCenterPanelDoorCore', // Same as QuintuplePanel, but with the two middle dividers removed\r\n LargeBottomPanel: 'LargeBottomPanelDoorCore', // Same as QuadruplePanel, but with the two bottom dividers removed\r\n};\r\n\r\nexport class DoorCore extends Component {\r\n constructor(name, drawingService, apiDoorCore, config) {\r\n super(name, drawingService, apiDoorCore, config);\r\n this.design = config.design;\r\n this.dividerFinish = this.apiProduct.dividerF;\r\n this.panelLayout = config.panelLayout;\r\n this.panels = [];\r\n let i = 1;\r\n this.apiProduct.panels.forEach(apiPanel => {\r\n const component = new DoorPanel('Panel ' + i, this.drawingService, apiPanel);\r\n this.addComponent(component);\r\n this.panels.push(component);\r\n i++;\r\n });\r\n this.dividers = [];\r\n i = 1;\r\n this.apiProduct.dividers.forEach(apiDivider => {\r\n const config = { dividerType: this.apiProduct.profileType, finish: this.apiProduct.dividerF };\r\n const component = new DoorDivider('Divider ' + i, this.drawingService, apiDivider, config);\r\n this.addComponent(component);\r\n this.dividers.push(component);\r\n i++;\r\n });\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createContainer();\r\n }\r\n\r\n replaceDividerFinishes(newFinish) {\r\n if (newFinish !== this.dividerFinish) {\r\n this.dividers.forEach(divider => divider.replaceFinish(newFinish));\r\n this.dividerFinish = newFinish;\r\n }\r\n }\r\n\r\n /** Called from the UI when we need to replace all the door core's panels. */\r\n replaceAllPanelsFinish(newFinish, onPanelChanged) {\r\n this.panels.forEach(panel => {\r\n panel.replaceFinish(newFinish, (sender, args) => {\r\n if (onPanelChanged) {\r\n args.panel = panel;\r\n onPanelChanged(this, args);\r\n }\r\n });\r\n });\r\n }\r\n\r\n /**\r\n * Adds the product's primary finishes to the finishes array parameter.\r\n */\r\n addToPrimaryFinishArray(finishes) {\r\n this.panels.forEach(panel => panel.addToPrimaryFinishArray(finishes));\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n const arePanelsModified = Component.assignArrayModificationsTo(destApiProduct, 'panels', this.panels);\r\n // All dividers always have the same finish:\r\n //const isDividerFModified = Component.assignArrayModificationsTo(destApiProduct, 'dividers', this.dividers);\r\n const isDividerFModified = this.dividerFinish !== this.apiProduct.dividerF;\r\n if (isDividerFModified) {\r\n destApiProduct.dividerF = this.dividerFinish;\r\n }\r\n return arePanelsModified || isDividerFModified;\r\n }\r\n\r\n getTopItem(items) {\r\n return items.length > 0 ? items[0] : null;\r\n }\r\n\r\n getBottomItem(items) {\r\n return items.length > 0 ? items[items.length - 1] : null;\r\n }\r\n\r\n iterate(iterator) {\r\n for (let i = 0, len = this.panels.length; i < len; i++) {\r\n iterator.iterate(this.panels[i]);\r\n if (i < len - 1) {\r\n iterator.iterate(this.dividers[i]);\r\n }\r\n }\r\n }\r\n\r\n visitChildren(visitor) {\r\n for (let i = 0, len = this.panels.length; i < len; i++) {\r\n visitor.visit(this.panels[i]);\r\n if (i < len - 1) {\r\n visitor.visit(this.dividers[i]);\r\n }\r\n }\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorCore(this);\r\n }\r\n\r\n /**\r\n * This is a public helper method which does a simple conversion from the DoorCoreDesign enum to\r\n * an integer (the number of panels) given the panelLayout parameter. The getDoorCoreDesign()\r\n * method does the inverse.\r\n */\r\n static calculatePanelCount(panelLayout) {\r\n switch (panelLayout) {\r\n case DoorCoreDesign.SinglePanel:\r\n return 1;\r\n case DoorCoreDesign.DualPanel:\r\n case DoorCoreDesign.LargeBottomPanel:\r\n return 2;\r\n case DoorCoreDesign.TriplePanel:\r\n case DoorCoreDesign.CenterPanel:\r\n case DoorCoreDesign.LargeCenterPanel:\r\n return 3;\r\n case DoorCoreDesign.QuadruplePanel:\r\n return 4;\r\n case DoorCoreDesign.QuintuplePanel:\r\n case DoorCoreDesign.FiveUnevenPanel:\r\n return 5;\r\n default:\r\n return 0;\r\n }\r\n }\r\n\r\n /**\r\n * This is a public helper method which returns the DoorCoreDesign enum value corresponding to the\r\n * panelCount parameter. The calculatePanelCount() method does the inverse.\r\n */\r\n static getDoorCoreDesign(panelCount) {\r\n switch (panelCount) {\r\n default:\r\n case 1: return DoorCoreDesign.SinglePanel;\r\n case 2: return DoorCoreDesign.DualPanel;\r\n case 3: return DoorCoreDesign.TriplePanel;\r\n case 4: return DoorCoreDesign.QuadruplePanel;\r\n case 5: return DoorCoreDesign.QuintuplePanel;\r\n }\r\n }\r\n\r\n getTotalHeight(rects) {\r\n const count = rects.length;\r\n let height = 0;\r\n for (let i = 0; i < count; i++) {\r\n height += rects[i].height;\r\n }\r\n return height;\r\n }\r\n\r\n getTotalPanelHeight() {\r\n const panels = this.panels;\r\n const panelCount = panels.length;\r\n let height = 0;\r\n for (let i = 0; i < panelCount; i++) {\r\n height += panels[i].rect.height;\r\n }\r\n return height;\r\n }\r\n\r\n getVisualPanelRects() {\r\n const panels = this.panels;\r\n const panelCount = panels.length;\r\n const rects = Array(panelCount);\r\n let y = 0;\r\n for (let i = panelCount - 1; i >= 0; i--) {\r\n const source = panels[i].rect;\r\n rects[i] = {\r\n left: source.left,\r\n bottom: y,\r\n back: source.back,\r\n width: source.width,\r\n height: source.height,\r\n };\r\n y += rects[i].height;\r\n }\r\n return rects;\r\n }\r\n\r\n getTopLeftBasedVisualPanelRects() {\r\n const rects = this.getVisualPanelRects();\r\n const totalHeight = this.getTotalHeight(rects);\r\n for (let i = rects.length - 1; i >= 0; i--) {\r\n rects[i].top = totalHeight - rects[i].bottom - rects[i].height;\r\n delete rects[i].bottom;\r\n }\r\n return rects;\r\n }\r\n\r\n //#region Panels & Dividers\r\n\r\n /**\r\n * This is a private helper method for calculateDividerPositions().\r\n */\r\n calcVisiblePanelHeight(fixedPanelIndeces, fixedPanelVisibleHeights, defaultDivider,\r\n defaultDividerCount, defaultPanelCount) {\r\n /* Note, as of 9/9/2020 (and before) the positions and dimensions returned from the server's\r\n * store api are the visible ones. */\r\n const hasFixedPanels = fixedPanelIndeces !== null && fixedPanelIndeces.length > 0;\r\n\r\n const totalVisiblePanelHeight = this.rect.height - (defaultDivider.rect.height * defaultDividerCount);\r\n\r\n // Next find the new total height of panels with fixed height\r\n let totalFixedPanelVisibleHeight = 0;\r\n if (hasFixedPanels) {\r\n for (let i = 0; i < fixedPanelVisibleHeights.length; i++) {\r\n totalFixedPanelVisibleHeight += fixedPanelVisibleHeights[i];\r\n }\r\n }\r\n\r\n // The height that is available to be divided among the non-fixed panels.\r\n const availablePanelHeight = totalVisiblePanelHeight - totalFixedPanelVisibleHeight;\r\n const availablePanelCount = defaultPanelCount - (hasFixedPanels ? fixedPanelIndeces.length : 0);\r\n // Find the visible height per panel (out of those that don't have fixed heights)\r\n return availablePanelCount > 0 ? availablePanelHeight / availablePanelCount : 0;\r\n }\r\n\r\n /**\r\n * Calculates the positions of the default dividers in the core. These default positions are\r\n * then used for determining the height of the door panels after certain dividers are removed.\r\n * No side effects. This is a private helper method for reconfigureMultiPanelsAndDividers().\r\n */\r\n calculateDividerPositions(door, defaultPanelCount, dividerHeight, fixedPanelIndeces, fixedPanelVisibleHeights) {\r\n if (defaultPanelCount <= 0) {\r\n throw new Error('defaultPanelCount');\r\n }\r\n const defaultDividerCount = defaultPanelCount - 1;\r\n const dividerPositions = Array(defaultDividerCount);\r\n if (defaultPanelCount == 1) {\r\n return dividerPositions;\r\n }\r\n const hasFixedPanels = fixedPanelIndeces !== null && fixedPanelIndeces.length > 0;\r\n const visiblePanelHeight = this.calcVisiblePanelHeight(fixedPanelIndeces, fixedPanelVisibleHeights,\r\n this.getTopItem(this.dividers), defaultDividerCount, defaultPanelCount);\r\n\r\n let fixedPanelIndex = hasFixedPanels ? fixedPanelIndeces.length - 1 : -1;\r\n\r\n //const finish = this.getBottomItem(this.panels).finish;\r\n const tongueLength = 0; // door !== null ? door.frame.bottomRail.panelTongueLength(finish) : 0.0; // TODO!!!!\r\n let currentPanelVisibleOffset = tongueLength;\r\n for (let i = defaultDividerCount - 1; i > -1; i--) {\r\n let panelHeight;\r\n if (hasFixedPanels && fixedPanelIndex > -1 && i + 1 === fixedPanelIndeces[fixedPanelIndex]) {\r\n panelHeight = fixedPanelVisibleHeights[fixedPanelIndex];\r\n fixedPanelIndex--;\r\n } else {\r\n panelHeight = visiblePanelHeight;\r\n }\r\n dividerPositions[i] = currentPanelVisibleOffset + panelHeight;\r\n currentPanelVisibleOffset = dividerPositions[i] + dividerHeight;\r\n }\r\n return dividerPositions;\r\n }\r\n\r\n /**\r\n * Updates panel and divider positions and panel heights. Does not update any display objects.\r\n * This is a private helper method for the reconfigurePanelsAndDividers() method.\r\n */\r\n reconfigureMultiPanelsAndDividers(door, fixedPanelIndeces, fixedPanelVisibleHeights) {\r\n /* Note, as of 9/9/2020 (and before) the positions and dimensions returned from the server's\r\n * store api are the visible ones. We don't have information about the size of panel indents\r\n * into frames and dividers (tongueAbove/-Below are 0 in this method). */\r\n const panels = this.panels;\r\n const panelCount = panels.length;\r\n switch (panelCount) {\r\n case 0:\r\n break;\r\n case 1:\r\n panels[0].rect.bottom = 0;\r\n break;\r\n default: {\r\n let defaultPanelCount = DoorCore.calculatePanelCount(this.panelLayout);\r\n const dividerHeight = this.getTopItem(this.dividers).rect.height;\r\n const isLargeCenterPanel = this.panelLayout === DoorCoreDesign.LargeCenterPanel;\r\n const isLargeBottomPanel = this.panelLayout === DoorCoreDesign.LargeBottomPanel;\r\n if (isLargeCenterPanel) {\r\n // Use the layout of a 5-panel core as the starting point\r\n defaultPanelCount += 2;\r\n } else if (isLargeBottomPanel) {\r\n // Use the layout of a 4-panel core as the starting point\r\n defaultPanelCount += 2;\r\n }\r\n const dividerPositions = this.calculateDividerPositions(door, defaultPanelCount, dividerHeight,\r\n fixedPanelIndeces, fixedPanelVisibleHeights);\r\n if (isLargeCenterPanel) {\r\n // Move the value of the last position into the array's second slot:\r\n dividerPositions[1] = dividerPositions[3];\r\n dividerPositions.length = 2;\r\n } else if (isLargeBottomPanel) {\r\n dividerPositions.length = 1;\r\n }\r\n const lastPanelIndex = panelCount - 1;\r\n //const frame = door != null ? door.frame : null;\r\n //let frameBelow = frame != null ? frame.topRail : null;\r\n let dividerIndex = -1;\r\n let priorDividerPosition = 0;\r\n for (let i = 0; i < panelCount; i++) {\r\n //const frameAbove = frameBelow;\r\n //frameBelow = i === lastPanelIndex\r\n // ? frame != null ? frame.bottomRail : null\r\n // : this.dividers[i];\r\n\r\n const panel = this.panels[i];\r\n //const finish = panel.finish;\r\n const tongueAbove = 0; //frameAbove != null ? frameAbove.getPanelTongueLength(finish) : 0.0; // TODO\r\n const tongueBelow = 0; //frameBelow != null ? frameBelow.getPanelTongueLength(finish) : 0.0; // TODO\r\n\r\n if (i === 0) {\r\n priorDividerPosition = this.rect.height - tongueAbove;\r\n if (priorDividerPosition < 0) {\r\n priorDividerPosition = 0;\r\n }\r\n }\r\n\r\n let visibleHeight;\r\n dividerIndex += panel.MergedPanels || 1; // TODO: 1 = no merged panels, 2 = 2 panels were merged to create this panel\r\n if (dividerIndex < dividerPositions.length) {\r\n visibleHeight = priorDividerPosition - dividerPositions[dividerIndex] - dividerHeight;\r\n priorDividerPosition = dividerPositions[dividerIndex];\r\n } else {\r\n visibleHeight = priorDividerPosition - tongueBelow;\r\n }\r\n if (visibleHeight < 0)\r\n visibleHeight = 0;\r\n\r\n panel.rect.height = visibleHeight;\r\n if (i == lastPanelIndex) {\r\n this.panels[i].rect.bottom = tongueBelow;\r\n } else if (dividerIndex < dividerPositions.length) {\r\n this.dividers[i].rect.bottom = dividerPositions[dividerIndex];\r\n this.panels[i].rect.bottom = dividerPositions[dividerIndex] + dividerHeight;\r\n }\r\n }\r\n\r\n break;\r\n }\r\n }\r\n }\r\n\r\n /**\r\n * Return a Divider object which can be used as the template for new dividers added to\r\n * the door core. If the core doesn't have any dividers, the onFindTemplateDivider callback\r\n * function is called. This is a private helper method for updatePanelAndDividerComponentLists and\r\n * shouldn't be used for other purposes.\r\n */\r\n getTemplateDivider() {\r\n let divider = this.getBottomItem(this.dividers);\r\n if (!divider && this.onFindTemplateDivider) {\r\n divider = this.onFindTemplateDivider(this);\r\n }\r\n return divider;\r\n }\r\n\r\n /**\r\n * Calculates the current number of panels and dividers and updates the component lists to\r\n * contain the correct number of components. Display objects will be removed/added as needed\r\n * as well. Component positions and sizes are not updated in this method. This is a private helper\r\n * method for reconfigurePanelsAndDividers and shouldn't be used for other purposes.\r\n */\r\n updatePanelAndDividerComponentLists() {\r\n const panelCount = DoorCore.calculatePanelCount(this.panelLayout);\r\n let template = this.getBottomItem(this.panels);\r\n let i = panelCount;\r\n while (this.panels.length < panelCount) {\r\n const apiPanel = {\r\n /* type only needs to be assigned if/when type can be modified or different among\r\n * the children (e.g. section contents). */\r\n //type: 'Panel', // TODO\r\n f: template.finish,\r\n l: template.rect.left,\r\n b: template.rect.bottom,\r\n z: template.rect.back,\r\n w: template.rect.width,\r\n h: template.rect.height,\r\n };\r\n const panel = new DoorPanel('Panel ' + i, this.drawingService, apiPanel);\r\n this.addComponent(panel);\r\n this.panels.push(panel);\r\n panel.addDisplayObject();\r\n i++;\r\n }\r\n\r\n while (this.panels.length > panelCount) {\r\n const panel = this.panels.pop();\r\n panel.removeDisplayObject();\r\n this.removeComponent(panel);\r\n }\r\n\r\n const dividerCount = panelCount - 1;\r\n template = this.getTemplateDivider();\r\n i = dividerCount;\r\n while (this.dividers.length < dividerCount) {\r\n const apiDivider = {\r\n //type only needs to be assigned if/when type can be modified or different among the children (e.g. section contents)\r\n //type: 'Divider', // TODO\r\n f: this.dividerFinish,\r\n l: template.rect.left,\r\n b: template.rect.bottom,\r\n z: template.rect.back,\r\n w: template.rect.width,\r\n h: template.rect.height,\r\n };\r\n const config = { dividerType: this.apiProduct.profileType, finish: this.apiProduct.dividerF };\r\n const divider = new DoorDivider('Divider ' + i, this.drawingService, apiDivider, config);\r\n this.addComponent(divider);\r\n this.dividers.push(divider);\r\n divider.addDisplayObject();\r\n i++;\r\n }\r\n while (this.dividers.length > dividerCount) {\r\n const divider = this.dividers.pop();\r\n divider.removeDisplayObject();\r\n this.removeComponent(divider);\r\n }\r\n }\r\n\r\n /**\r\n * Reconfigures the panels and dividers in the door core based on the current value of the\r\n * panelLayout property. This method is called from the Door.replaceLayout() method.\r\n */\r\n reconfigurePanelsAndDividers(door) {\r\n /* Step 1 of 3: add/remove panels and dividers as needed. This method will remove obsolete\r\n * display objects, add new ones, but does not calculate positions and sizes. */\r\n\r\n this.updatePanelAndDividerComponentLists();\r\n\r\n /* Step 2 of 3: update panel and divider positions, and panel sizes (doesn't affect display objects): */\r\n\r\n const panels = this.panels;\r\n let indeces;\r\n let heights;\r\n let height;\r\n switch (this.panelLayout) {\r\n case DoorCoreDesign.SinglePanel:\r\n if (panels.length === 1) {\r\n // TODO: This doesn't account for the top/bottom rail heights:\r\n const panel = this.getTopItem(panels);\r\n panel.rect.height = this.rect.height;\r\n panel.rect.bottom = door.frame.bottomRail.rect.bottom; // TODO: Shouldn't this be rect.top?\r\n }\r\n break;\r\n case DoorCoreDesign.DualPanel:\r\n case DoorCoreDesign.TriplePanel:\r\n case DoorCoreDesign.QuadruplePanel:\r\n case DoorCoreDesign.QuintuplePanel:\r\n case DoorCoreDesign.LargeCenterPanel:\r\n case DoorCoreDesign.LargeBottomPanel:\r\n this.reconfigureMultiPanelsAndDividers(door, null, null);\r\n break;\r\n case DoorCoreDesign.CenterPanel:\r\n indeces = Array(1);\r\n height = panels.length > 1 ? panels[1].height : 0;\r\n heights = [height];\r\n this.reconfigureMultiPanelsAndDividers(door, indeces, heights);\r\n break;\r\n case DoorCoreDesign.FiveUnevenPanel:\r\n indeces = [1, 3];\r\n height = panels.length > 1 ? panels[1].height : 0;\r\n heights = [height, height];\r\n this.reconfigureMultiPanelsAndDividers(door, indeces, heights);\r\n break;\r\n default:\r\n break;\r\n }\r\n\r\n /* Step 3 of 3: update display objects with position, size, and finish of each panel and divider. */\r\n\r\n const updateElement = element => {\r\n this.drawingService.setDisplayObjectPosition(element);\r\n // Don't know why the line below was here, it'll never do anything since it's replacing the finish with its own finish\r\n //this.replaceChildFinish(element, element.finish);\r\n //element.replaceFinish(element.finish); // ...also this is the same thing, but easier (still doesn't do anything, though)\r\n };\r\n this.panels.forEach(panel => updateElement(panel));\r\n this.dividers.forEach(divider => updateElement(divider));\r\n }\r\n\r\n //#endregion (Panels & Dividers)\r\n}\r\n\r\nexport class DoorFrameElement extends Component {\r\n constructor(name, drawingService, apiDoorFrameElement, config) {\r\n super(name, drawingService, apiDoorFrameElement, config);\r\n }\r\n\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.design = config.design;\r\n // apiDoorFrameElement doesn't have a finish (always the same as the parent frame)\r\n this.finish = config.finish;\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitFrameElement(this);\r\n }\r\n}\r\n\r\nexport class DoorRail extends DoorFrameElement {\r\n constructor(name, drawingService, apiDoorRail, config) {\r\n super(name, drawingService, apiDoorRail, config);\r\n }\r\n\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.isTop = config.isTop;\r\n if (this.design === 'Safir') {\r\n const tb = this.isTop ? 'Top' : 'Bottom';\r\n this.materialIdPrefix = this.design + tb + 'DoorRail';\r\n } else {\r\n this.materialIdPrefix = this.design + 'DoorRail';\r\n }\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorRail(this);\r\n }\r\n}\r\n\r\nexport class DoorStile extends DoorFrameElement {\r\n constructor(name, drawingService, apiDoorStile, config) {\r\n super(name, drawingService, apiDoorStile, config);\r\n this.isLeft = config.isLeft;\r\n if (this.isLeft) {\r\n /* The stile images are of the right stile. To display on the left side,\r\n * flip the image or rotate 180 degrees: */\r\n this.rotation.z = 180;\r\n }\r\n }\r\n\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = this.design + 'DoorStile';\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorStile(this);\r\n }\r\n}\r\n\r\nexport class DoorFrame extends Component {\r\n constructor(name, drawingService, apiDoorFrame, config) {\r\n super(name, drawingService, apiDoorFrame, config);\r\n this.design = config.design;\r\n\r\n const topConfig = { design: this.design, finish: apiDoorFrame.f, isTop: true };\r\n this.topRail = new DoorRail('Top Rail', this.drawingService, apiDoorFrame.topRail, topConfig);\r\n this.addComponent(this.topRail);\r\n const botConfig = { design: this.design, finish: apiDoorFrame.f, isTop: false };\r\n this.bottomRail = new DoorRail('Bottom Rail', this.drawingService, apiDoorFrame.bottomRail, botConfig);\r\n this.addComponent(this.bottomRail);\r\n\r\n const leftConfig = { design: this.design, finish: apiDoorFrame.f, isLeft: true };\r\n this.leftStile = new DoorStile('Left Stile', this.drawingService, apiDoorFrame.leftStile, leftConfig);\r\n this.addComponent(this.leftStile);\r\n const rightConfig = { design: this.design, finish: apiDoorFrame.f, isLeft: false };\r\n this.rightStile = new DoorStile('Right Stile', this.drawingService, apiDoorFrame.rightStile, rightConfig);\r\n this.addComponent(this.rightStile);\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createContainer();\r\n }\r\n\r\n replaceChildFinishes(newFinish) {\r\n if (newFinish !== this.finish) {\r\n this.components.forEach(component => component.replaceFinish(newFinish));\r\n this.setFinish(newFinish);\r\n }\r\n }\r\n\r\n iterate(iterator) {\r\n iterator.iterate(this.topRail);\r\n iterator.iterate(this.bottomRail);\r\n iterator.iterate(this.leftStile);\r\n iterator.iterate(this.rightStile);\r\n }\r\n\r\n visitChildren(visitor) {\r\n visitor.visit(this.topRail);\r\n visitor.visit(this.bottomRail);\r\n visitor.visit(this.leftStile);\r\n visitor.visit(this.rightStile);\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorFrame(this);\r\n }\r\n}\r\n\r\nexport class DoorBottomTrack extends Component {\r\n constructor(name, drawingService, apiBottomTrack, config) {\r\n super(name, drawingService, apiBottomTrack, config);\r\n }\r\n\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'SlidingDoorBottomTrack-' + this.apiProduct.trackType;\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorBottomTrack(this);\r\n }\r\n}\r\n\r\nexport class DoorTopTrack extends Component {\r\n constructor(name, drawingService, apiTopTrack, config) {\r\n super(name, drawingService, apiTopTrack, config);\r\n }\r\n\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'SlidingDoorTopTrack-' + this.apiProduct.trackType;\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorTopTrack(this);\r\n }\r\n}\r\n\r\nexport class Door extends Component {\r\n constructor(name, drawingService, apiDoor, config) {\r\n super(name, drawingService, apiDoor, config);\r\n this.doorIndex = config ? config.doorIndex : 0; // The index of this door in the owner door front's array of doors.\r\n this.doorIndex = this.doorIndex || 0;\r\n this.panelLayout = apiDoor.panelLayout;\r\n this.railNo = apiDoor.railNo;\r\n const coreConfig = { panelLayout: this.panelLayout, design: apiDoor.design };\r\n this.core = new DoorCore('Core', this.drawingService, apiDoor.core, coreConfig);\r\n this.core.onFindTemplateDivider = core => this.handleOnFindTemplateDivider(core);\r\n this.addComponent(this.core);\r\n const frameConfig = { design: apiDoor.design };\r\n this.frame = new DoorFrame('Frame', this.drawingService, apiDoor.frame, frameConfig);\r\n this.addComponent(this.frame);\r\n }\r\n\r\n handleOnFindTemplateDivider(core) {\r\n let divider = this.onFindTemplateDivider ? this.onFindTemplateDivider(this) : null;\r\n if (divider === null) {\r\n /* No divider to be used as template was found. Let's construct a template using the\r\n * information we have. */\r\n // TODO: We need to get this info from the server\r\n let height = this.frame.topRail.rect.height;\r\n switch (this.frame.design) {\r\n case 'Safir':\r\n height = 34;\r\n break;\r\n case 'Topaz':\r\n height = 100;\r\n break;\r\n }\r\n divider = {\r\n finish: this.core.dividerFinish,\r\n rect: {\r\n left: 0,\r\n bottom: 0,\r\n back: 0,\r\n width: this.core.rect.width,\r\n height: height,\r\n depth: this.core.rect.depth,\r\n }\r\n };\r\n }\r\n return divider;\r\n }\r\n\r\n findTemplateDivider(targetDoor) {\r\n if (targetDoor !== this) {\r\n return this.core.getBottomItem(this.core.dividers);\r\n }\r\n return null;\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createContainer();\r\n }\r\n\r\n replaceFrameFinish(newFinish, onChanged) {\r\n if (newFinish !== this.frame.finish) {\r\n const oldFinish = this.frame.finish;\r\n this.frame.replaceChildFinishes(newFinish);\r\n this.core.replaceDividerFinishes(newFinish);\r\n if (onChanged) {\r\n onChanged(this, { oldFinish });\r\n }\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n /** Called from the UI when we need to replace all the door's panels. */\r\n replaceAllPanelsFinish(newFinish, onPanelChanged) {\r\n this.core.replaceAllPanelsFinish(newFinish, (cor, args) => onPanelChanged(this, args));\r\n }\r\n\r\n /**\r\n * This method is called from the UI after the user has changed the door's panel layout.\r\n */\r\n replaceLayout(newLayout, onChanged) {\r\n if (newLayout !== this.panelLayout) {\r\n const oldLayout = this.panelLayout;\r\n this.drawingService.disableDrawingUpdates();\r\n try {\r\n this.panelLayout = newLayout;\r\n this.core.panelLayout = newLayout;\r\n this.core.reconfigurePanelsAndDividers(this);\r\n } finally {\r\n if (this.drawingService.enableDrawingUpdates()) {\r\n this.drawingService.doorLayoutWasReplaced(this);\r\n }\r\n }\r\n if (onChanged) {\r\n onChanged(this, { oldLayout });\r\n }\r\n }\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n let isModified = false;\r\n if (this.panelLayout !== this.apiProduct.panelLayout) {\r\n destApiProduct.panelLayout = this.panelLayout;\r\n isModified = true;\r\n }\r\n const destCore = {\r\n //type only needs to be assigned if/when type can be modified or different among the children (e.g. section contents)\r\n //type: this.core.type\r\n };\r\n const isCoreModified = this.core.assignModificationsTo(destCore);\r\n if (isCoreModified) {\r\n destApiProduct.core = destCore;\r\n }\r\n const destFrame = {\r\n //type only needs to be assigned if/when type can be modified or different among the children (e.g. section contents)\r\n //type: this.frame.type\r\n };\r\n const isFrameModified = this.frame.assignModificationsTo(destFrame);\r\n if (isFrameModified) {\r\n destApiProduct.frame = destFrame;\r\n }\r\n return isModified || isCoreModified || isFrameModified;\r\n }\r\n\r\n iterate(iterator) {\r\n iterator.iterate(this.frame);\r\n iterator.iterate(this.core);\r\n }\r\n\r\n visitChildren(visitor) {\r\n visitor.visit(this.frame);\r\n visitor.visit(this.core);\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoor(this);\r\n }\r\n}\r\n\r\nexport class DoorFront extends Component {\r\n constructor(name, drawingService, apiDoorFront, config) {\r\n super(name, drawingService, apiDoorFront, config);\r\n\r\n const addDoor = (doors, i, doorConfig) => {\r\n doorConfig.doorIndex = i;\r\n const doorComp = new Door(`Door ${i + 1}`, this.drawingService, doors[i], doorConfig);\r\n doorComp.onFindTemplateDivider = door => this.handleOnFindTemplateDivider(door);\r\n this.addComponent(doorComp);\r\n this.doors.push(doorComp);\r\n }\r\n\r\n const doors = this.apiProduct.doors;\r\n this.doors = [];\r\n const doorConfig = { doorIndex: 0 };\r\n\r\n if (drawingService.addOddDoorsFirst()) {\r\n /* We want to add the odd indexed doors first so that every second door (even indexed)\r\n * is displayed after (on top) of the odd doors. */\r\n let i;\r\n for (i = 0; i < doors.length; i++) {\r\n if (i % 2 === 0) {\r\n //doorConfig.doorIndex = i;\r\n //const doorComp = new Door(`Door ${i + 1}`, this.drawingService, doors[i], doorConfig);\r\n //doorComp.onFindTemplateDivider = door => this.handleOnFindTemplateDivider(door);\r\n //this.addComponent(doorComp);\r\n //this.doors.push(doorComp);\r\n addDoor(doors, i, doorConfig);\r\n }\r\n }\r\n for (i = 0; i < doors.length; i++) {\r\n if (i % 2 === 1) {\r\n //doorConfig.doorIndex = i;\r\n //const doorComp = new Door(`Door ${i + 1}`, this.drawingService, doors[i], doorConfig);\r\n //doorComp.onFindTemplateDivider = door => this.handleOnFindTemplateDivider(door);\r\n //this.addComponent(doorComp);\r\n //this.doors.push(doorComp);\r\n addDoor(doors, i, doorConfig);\r\n }\r\n }\r\n } else {\r\n for (let i = 0; i < doors.length; i++) {\r\n addDoor(doors, i, doorConfig);\r\n }\r\n }\r\n\r\n this.railCount = apiDoorFront.railCount;\r\n this.topTrack = new DoorTopTrack('Top Track', this.drawingService, apiDoorFront.topTrack);\r\n this.addComponent(this.topTrack);\r\n this.bottomTrack = new DoorBottomTrack('Bottom Track', this.drawingService, apiDoorFront.bottomTrack);\r\n this.addComponent(this.bottomTrack);\r\n }\r\n\r\n handleOnFindTemplateDivider(targetDoor) {\r\n let foundDivider = null;\r\n this.doors.forEach(door => {\r\n foundDivider = foundDivider || door.findTemplateDivider(targetDoor);\r\n });\r\n return foundDivider;\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createContainer();\r\n }\r\n\r\n /** Replaces the frame finish on all doors. */\r\n replaceFrameFinish(newFinish, onDoorFrameChanged) {\r\n this.drawingService.disableDrawingUpdates();\r\n try {\r\n this.doors.forEach(door => door.replaceFrameFinish(newFinish, (dor, data) => {\r\n if (onDoorFrameChanged) {\r\n onDoorFrameChanged(dor, data);\r\n }\r\n }));\r\n } finally {\r\n if (this.drawingService.enableDrawingUpdates()) {\r\n this.drawingService.performInlineUpdate(this);\r\n }\r\n }\r\n }\r\n\r\n /** Called from the UI when we need to replace all panels on all doors. */\r\n replaceAllPanelsFinish(newFinish, onPanelChanged) {\r\n this.doors.forEach(door => {\r\n door.replaceAllPanelsFinish(newFinish, (dor, args) => {\r\n if (onPanelChanged) {\r\n args.door = dor;\r\n onPanelChanged(this, args);\r\n }\r\n });\r\n });\r\n }\r\n\r\n /**\r\n * Adds the product's primary finishes to the finishes array parameter.\r\n */\r\n addToPrimaryFinishArray(finishes) {\r\n this.doors.forEach(door => door.core.addToPrimaryFinishArray(finishes));\r\n }\r\n\r\n /**\r\n * Adds the doors' frame finishes to the secondary finishes array parameter.\r\n */\r\n addToSecondaryFinishArray(finishes) {\r\n this.doors.forEach(door => door.frame.addToPrimaryFinishArray(finishes));\r\n }\r\n\r\n getAllFrameFinishes() {\r\n return this.getAllSecondaryFinishes();\r\n }\r\n\r\n getAllTrackFinishes() {\r\n return [this.topTrack.finish];\r\n }\r\n\r\n getAllPanelLayouts() {\r\n let layouts = [];\r\n this.doors.forEach(door => {\r\n if (!layouts.includes(door.panelLayout)) {\r\n layouts.push(door.panelLayout);\r\n }\r\n });\r\n return layouts;\r\n }\r\n\r\n allDoorsHaveSinglePanel() {\r\n const found = !this.doors.find(door => door.panelLayout !== 'SinglePanelDoorCore');\r\n return found;\r\n }\r\n\r\n /**\r\n * Returns the overlap beetween the door and the door to the left.\r\n */\r\n getLeftOverlap(door) {\r\n const index = door.doorIndex || this.doors.indexOf(door);\r\n if (index < 1) {\r\n return 0;\r\n }\r\n //let totWidth = 0;\r\n //for (var i = 0; i < index; i++) {\r\n // totWidth += this.doors[i].rect.width;\r\n //}\r\n const priorDoor = this.doors[index - 1];\r\n const left = priorDoor.rect.left + priorDoor.rect.width;\r\n return left - door.rect.left;\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n // Create a copy of the doors array, and sort the doors by original index\r\n const doors = this.doors.slice();\r\n doors.sort((a, b) => a.doorIndex - b.doorIndex);\r\n const areDoorsModified = Component.assignArrayModificationsTo(destApiProduct, 'doors', doors);\r\n\r\n const destTopTrack = {\r\n //type only needs to be assigned if/when type can be modified or different among the children (e.g. section contents)\r\n //type: this.topTrack.type\r\n };\r\n const isTopTrackModified = this.topTrack.assignModificationsTo(destTopTrack);\r\n if (isTopTrackModified) {\r\n destApiProduct.topTrack = destTopTrack;\r\n }\r\n const destBottomTrack = {\r\n //type only needs to be assigned if/when type can be modified or different among the children (e.g. section contents)\r\n //type: this.bottomTrack.type\r\n };\r\n const isBottomTrackModified = this.bottomTrack.assignModificationsTo(destBottomTrack);\r\n if (isBottomTrackModified) {\r\n destApiProduct.bottomTrack = destBottomTrack;\r\n }\r\n return areDoorsModified || isTopTrackModified || isBottomTrackModified;\r\n }\r\n\r\n iterate(iterator) {\r\n this.doors.forEach(door => iterator.iterate(door));\r\n iterator.iterate(this.bottomTrack);\r\n iterator.iterate(this.topTrack);\r\n }\r\n\r\n visitChildren(visitor) {\r\n this.doors.forEach(door => visitor.visit(door));\r\n visitor.visit(this.bottomTrack);\r\n visitor.visit(this.topTrack);\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitDoorFront(this);\r\n }\r\n}\r\n\r\nexport class SideWall extends Component {\r\n constructor(name, drawingService, apiSideWall) {\r\n super(name, drawingService, apiSideWall);\r\n }\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'SideWall';\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitSideWall(this);\r\n }\r\n}\r\n\r\nexport class FixedProduct extends Component {\r\n}\r\nexport class OneDimVariantProduct extends Component {\r\n}\r\nexport class MultiDimVariantProduct extends Component {\r\n}","import { ProductViewModelFactories } from './ProductViewModelFactories.js';\r\n\r\nexport const ProductMaterialsLoadMode = {\r\n Never: 'Never',\r\n Delayed: 'Delayed', // After a timeout...\r\n AsyncNow: 'AsyncNow', // Immediately...\r\n};\r\n\r\n/**\r\n * This is a ViewModel which contains a Product drawing. It uses composition by\r\n * accepting a ProductDrawing object managing that drawing, while adding additional UI.\r\n */\r\nexport class ProductDrawingViewModel {\r\n constructor(drawing, name) {\r\n this.name = name || 'ProductDrawingViewModel';\r\n this.drawing = drawing;\r\n if (drawing) {\r\n drawing.onProductDisplayed = (viewModel, product) => this.onProductDisplayed(viewModel, product);\r\n }\r\n this.apiProduct = null;\r\n this.isStarted = false;\r\n this.isStarting = false;\r\n this.productMaterialsLoadMode = ProductMaterialsLoadMode.Never;\r\n this.displayProductWhenStarting = true;\r\n }\r\n\r\n isDrawingVisible() {\r\n return false;\r\n }\r\n\r\n /**\r\n * This is a handler for this.drawing.onProductDisplayed event.\r\n */\r\n onProductDisplayed(drawing, product) {\r\n }\r\n\r\n doBeforeDisplayProduct(data) {\r\n }\r\n\r\n doAfterDisplayProduct(data) {\r\n }\r\n\r\n //logApiProductGraph(product) {\r\n // const rect = product.rect;\r\n // const name = product.constructor.name;\r\n // const label = `${name}: l=${rect.left}, b=${rect.bottom}, w=${rect.width}, h=${rect.height}`;\r\n // if (product.components.length == 0) {\r\n // console.log(label);\r\n // } else {\r\n // console.groupCollapsed(label);\r\n // product.components.forEach(child => this.logApiProductGraph(child));\r\n // console.groupEnd();\r\n // }\r\n //}\r\n\r\n //logComponentGraph(component) {\r\n // const rect = component.getTopLeftRect();\r\n // const name = component.constructor.name;\r\n // const label = `${name}: l=${rect.left}, t=${rect.top}, w=${rect.width}, h=${rect.height}`;\r\n // if (component.components.length == 0) {\r\n // console.log(label);\r\n // } else {\r\n // console.groupCollapsed(label);\r\n // component.components.forEach(child => this.logComponentGraph(child));\r\n // console.groupEnd();\r\n // }\r\n //}\r\n\r\n scheduleProductDisplay(isUserDriven, onDisplay) {\r\n if (!this.pendingDisplayCalls) {\r\n this.pendingDisplayCalls = [];\r\n }\r\n this.pendingDisplayCalls.push({ isUserDriven, onDisplay });\r\n }\r\n\r\n async displayProduct(apiProduct, data) {\r\n // Optimization (added 8/25/2020):\r\n if (!this.isStarted && !this.isStarting) {\r\n // displayProduct will be called from within this.Start()\r\n return;\r\n }\r\n // Optimization (added 8/25/2020):\r\n if (!this.isDrawingVisible()) {\r\n // Assume we don't need to display the product until the drawing is visible\r\n return;\r\n }\r\n\r\n if (this.isDisplayingProduct) {\r\n // We don't allow re-entrant calls to this method!\r\n throw new Error(`Re-entrant call to ${this.name}.displayProduct method.`);\r\n }\r\n this.isDisplayingProduct = true;\r\n try {\r\n this.apiProduct = apiProduct;\r\n if (!this.apiProduct) {\r\n return;\r\n }\r\n\r\n this.doBeforeDisplayProduct(data);\r\n\r\n const product = ProductViewModelFactories.createProduct(this.drawing.drawingService, this.apiProduct);\r\n\r\n // Let's get the resource loading started\r\n const materialIdsToLoad = product.createMaterialIdList();\r\n console.group(`${this.name}.displayProduct: Awaiting drawing.loadMaterials(...) for product ${product.name}...`);\r\n await this.drawing.loadMaterials(materialIdsToLoad, /*high res as well?*/ true);\r\n console.groupEnd();\r\n //console.log(`${this.name}.displayProduct: drawing.loadMaterials(...) completed. Next, drawing.displayProduct(...)`);\r\n // Display the product\r\n //this.logApiProductGraph(product);\r\n console.group(`${this.name}.displayProduct: drawing.displayProduct()...`);\r\n this.drawing.displayProduct(product);\r\n console.groupEnd();\r\n\r\n this.doAfterDisplayProduct(data);\r\n //this.logComponentGraph(product);\r\n }\r\n finally {\r\n this.isDisplayingProduct = false;\r\n if (this.pendingDisplayCalls && this.pendingDisplayCalls.length > 0) {\r\n const rec = this.pendingDisplayCalls.pop();\r\n rec.onDisplay(rec.isUserDriven);\r\n }\r\n }\r\n }\r\n\r\n async displayCurrentProduct(data) {\r\n await this.displayProduct(this.apiProduct, data);\r\n }\r\n\r\n doAfterHidingCurrentProduct(data) {\r\n }\r\n\r\n /**\r\n * Can be called by the user to indicate that the UI no longer needs to show the product. Sub\r\n * classes can override the doAfterHidingCurrentProduct() method to detach from events, etc.\r\n */\r\n hideCurrentProduct(data) {\r\n this.doAfterHidingCurrentProduct(data);\r\n }\r\n\r\n /** Asynchronously loads ALL the materials we expect will be needed in the app for the current\r\n * product type. */\r\n async loadProductMaterials() {\r\n const factory = ProductViewModelFactories.getFactory(this.apiProduct.type);\r\n const materialIds = factory.getAllKnownProductMaterialIds(this.apiProduct);\r\n //console.log('Awaiting additional materials to be loaded...');\r\n const loadingMaterials = await this.drawing.loadMaterials(materialIds, /*high res as well?*/ false);\r\n //console.log('Additional materials load completed!');\r\n return loadingMaterials;\r\n }\r\n\r\n async doStart(apiProduct, data) {\r\n /* This is also done inside displayProduct, but we explicitly make the assignment here because\r\n * the call to loadProductMaterials below is dependent on it. */\r\n this.apiProduct = apiProduct;\r\n if (this.displayProductWhenStarting) {\r\n console.log(`${this.name}.doStart: awaiting displayProduct()...`);\r\n await this.displayProduct(apiProduct, data);\r\n console.log(`${this.name}.doStart: displayProduct() completed!`);\r\n }\r\n\r\n switch (this.productMaterialsLoadMode) {\r\n case ProductMaterialsLoadMode.AsyncNow:\r\n // Load additional materials we expect will be needed in the app now, but do it asynchronously:\r\n /*await*/ this.loadProductMaterials();\r\n //console.log('Continuing while additional materials are being loaded...');\r\n break;\r\n case ProductMaterialsLoadMode.Delayed:\r\n /* We don't want to start downloading all materials yet because of the negative impact it has\r\n * on SEO Core Web Vitals. Instead set a long timer to start downloading after we have reached\r\n * TTI (Time To Interactive). 10/1/2021. */\r\n setTimeout(() => /*await*/ this.loadProductMaterials(), 10000);\r\n break;\r\n }\r\n }\r\n\r\n async start(apiProduct, data) {\r\n if (!this.isStarted) {\r\n this.isStarting = true;\r\n await this.doStart(apiProduct, data);\r\n //console.log(`${this.name} started!`);\r\n this.isStarting = false;\r\n this.isStarted = true;\r\n }\r\n }\r\n}\r\n","import { ObjectUtils } from '../main/ObjectUtils.js';\r\nimport { ProductDrawingViewModel } from './ProductDrawingViewModel.js';\r\n\r\n/**\r\n * The MultiStepProductEditor supports two different screen sizes. This Screen class represents\r\n * properties and methods specific to these screens. */\r\nclass MspScreen {\r\n constructor(config, editor) {\r\n this.slides = config.slides;\r\n this.editScopeBtnGroup = config.editScopeBtnGroup;\r\n this.componentTypeBtnGroup = config.componentTypeBtnGroup;\r\n this.gallery = config.gallery;\r\n this.editor = editor;\r\n this.elements = config.elements;\r\n this.UIContent = config.content;\r\n this.defaultSlideIndex = 0;\r\n this.$galleryFilterMenu = config.$galleryFilterMenu;\r\n\r\n if (editor.popupEditorConfig.showEditScopeStep) {\r\n this.editScopeButtons = this.editScopeBtnGroup.querySelectorAll('.btn');\r\n this.addEditScopeClickHandler();\r\n }\r\n if (editor.popupEditorConfig.showCompTypeStep) {\r\n this.componentTypeButtons = this.componentTypeBtnGroup.querySelectorAll('.btn');\r\n this.addComponentTypeClickHandler();\r\n }\r\n this.addGalleryItemClickHandler();\r\n }\r\n\r\n /** Some event handlers get auto-uninstalled when we manipulate the owl carousel. Hence, we must\r\n * ensure to uninstall/install them before/after the owl changes. */\r\n installEventHandlers() {\r\n this.addFilterMenuClickHandler();\r\n }\r\n\r\n /** Some event handlers get auto-uninstalled when we manipulate the owl carousel. Hence, we must\r\n * ensure to uninstall/install them before/after the owl changes. */\r\n uninstallEventHandlers() {\r\n this.removeFilterMenuClickHandler();\r\n }\r\n\r\n applyGalleryFilter() {\r\n const filterKey = this.editor.componentType.filterKey || 'All';\r\n const filterTitle = this.editor.componentType.filterTitle;\r\n this.galleryItems.forEach(item => {\r\n const isIncluded = filterKey === 'All' || item.dataset.appearanceKey === filterKey;\r\n item.parentElement.classList.toggle('d-none', !isIncluded);\r\n });\r\n // Only update the button content when title is provided:\r\n if (filterTitle) {\r\n this.filterBtn.textContent = filterTitle;\r\n }\r\n }\r\n\r\n updateInUseGalleryItems() {\r\n if (this.editor.componentType) {\r\n const product = this.editor.drawing.product;\r\n if (product) {\r\n const usedValues = this.editor.componentType.getAllUsedValues(product);\r\n this.setInUseValues(usedValues);\r\n }\r\n }\r\n }\r\n\r\n queryGalleryItems() {\r\n this.galleryItems = this.gallery.querySelectorAll('.gallery-item');\r\n this.updateInUseGalleryItems();\r\n this.applyGalleryFilter();\r\n }\r\n\r\n addEditScopeClickHandler() {\r\n this.editScopeBtnGroup.onclick = (event) => {\r\n const btn = event.target;\r\n const oldScope = this.editor.editScope;\r\n this.editor.setEditScope(btn.dataset.editScope);\r\n this.editor.setCurrentStep(EditorSteps.drawing);\r\n this.doOnEditScopeClicked(oldScope);\r\n };\r\n }\r\n\r\n addComponentTypeClickHandler() {\r\n this.componentTypeBtnGroup.onclick = (event) => {\r\n const btn = event.target;\r\n this.editor.setComponentTypeById(btn.dataset.compType);\r\n };\r\n }\r\n\r\n addGalleryItemClickHandler() {\r\n this.gallery.onclick = (event) => {\r\n if (event.target.classList && event.target.classList.contains('zoom-target')) {\r\n return;\r\n }\r\n // Don't allow clicks in the gallery until edit scope has been set. This applies to the set up\r\n // where edit scope is displayed before the gallery.\r\n //if (!this.editor.editScope) {\r\n // return;\r\n //}\r\n const galleryItem = ObjectUtils.findAncestor(event.target, (el) => el.classList && el.classList.contains('gallery-item'));\r\n if (galleryItem) {\r\n this.editor.setSelectedValue(galleryItem.dataset.key);\r\n const nextStep = this.isEditScopeStepNeeded() ? EditorSteps.editScope : EditorSteps.drawing;\r\n this.editor.setCurrentStep(nextStep);\r\n this.doOnGalleryItemClicked();\r\n }\r\n };\r\n }\r\n\r\n removeFilterMenuClickHandler() {\r\n this.$galleryFilterMenu.off('hidden.bs.dropdown');\r\n }\r\n\r\n addFilterMenuClickHandler() {\r\n if (this.$galleryFilterMenu.length > 0) {\r\n this.filterBtn = this.$galleryFilterMenu[0].querySelector('button');\r\n this.$galleryFilterMenu.on('hidden.bs.dropdown', (event) => {\r\n // Note event.clickEvent is undefined on a secondary click on the dropdown button (to close it):\r\n if (event.clickEvent) {\r\n const menuItem = event.clickEvent.target;\r\n // Skip clicks outside the dropdown menu by testing for the dataset.key value:\r\n if (menuItem && menuItem.dataset.key) {\r\n this.editor.applyGalleryFilter(menuItem.dataset.key, menuItem.textContent);\r\n }\r\n }\r\n });\r\n }\r\n }\r\n\r\n doOnEditScopeClicked(oldScope) {\r\n }\r\n\r\n doOnGalleryItemClicked() {\r\n }\r\n\r\n componentTypeChanged(componentType) {\r\n if (this.componentTypeButtons) {\r\n this.componentTypeButtons.forEach(btn => {\r\n if (btn.dataset.editComp === componentType.id) {\r\n btn.classList.replace('btn-outline-primary', 'btn-primary');\r\n } else {\r\n btn.classList.replace('btn-primary', 'btn-outline-primary');\r\n }\r\n });\r\n }\r\n this.updateDrawingTitle();\r\n }\r\n\r\n updateDrawingTitle() {\r\n if (this.elements.drawingTitle) {\r\n let title = null;\r\n if (this.editor.componentType && this.editor.editScope) {\r\n const compType = this.UIContent[this.editor.componentType.id];\r\n title = compType.drawingTitle[this.editor.editScope];\r\n this.elements.drawingTitle.textContent = title;\r\n }\r\n }\r\n }\r\n\r\n editScopeChanged(editScope) {\r\n if (this.editScopeButtons) {\r\n // Mark the selected button:\r\n this.editScopeButtons.forEach(btn => {\r\n if (btn.dataset.editScope === editScope) {\r\n btn.classList.replace('btn-outline-primary', 'btn-primary');\r\n } else {\r\n btn.classList.replace('btn-primary', 'btn-outline-primary');\r\n }\r\n });\r\n }\r\n // Update other UI content\r\n this.updateDrawingTitle();\r\n }\r\n\r\n getSelectedGalleryItem() {\r\n return this.gallery.querySelector('.selected');\r\n }\r\n\r\n selectedValueChanged(value) {\r\n // We had a case (error report) of this.galleryItems not being defined. 4/3/2023.\r\n if (this.galleryItems) {\r\n this.galleryItems.forEach(item => {\r\n const isSelected = item.dataset.key === value;\r\n item.classList.toggle('selected', isSelected);\r\n });\r\n }\r\n }\r\n\r\n /**\r\n * Mark/unmark the gallery items as being in-use, i.e. whether a finish is used on one or more panels.\r\n */\r\n setInUseValues(values) {\r\n this.galleryItems.forEach(item => {\r\n const found = values.includes(item.dataset.key);\r\n item.classList.toggle('in-use', found);\r\n });\r\n }\r\n\r\n getCurrentSlide() {\r\n return this.editor.getCurrentSlide();\r\n }\r\n\r\n isSlideNeeded(slideElement) {\r\n /* All slides are needed except for the edit scope slide when component type is frame or track. */\r\n return slideElement !== this.editor.editScopeSlide || this.isEditScopeStepNeeded();\r\n }\r\n\r\n isEditScopeStepNeeded() {\r\n // For instance, edit scope is not needed if component type is frame or track:\r\n //return this.editor.componentType !== ComponentType.track && this.editor.componentType !== ComponentType.frame;\r\n return this.editor.componentType.useEditScope;\r\n }\r\n\r\n isGalleryVisible() {\r\n return this.getCurrentSlide() === this.editor.gallerySlide;\r\n }\r\n\r\n isDrawingSlideVisible() {\r\n return this.getCurrentSlide() === this.editor.drawingSlide;\r\n }\r\n\r\n scrollToActiveGalleryItem() {\r\n if (this.isGalleryVisible()) {\r\n const selectedGalleryItem = this.getSelectedGalleryItem();\r\n if (selectedGalleryItem /*&& !ObjectUtils.isScrolledIntoView(selectedGalleryItem, true)*/) {\r\n /* Calling the scroll function right away causes the next owl carousel slide to move into view,\r\n * maybe because we're just barely overlapping to the right of the slide? Anyway, delaying a\r\n * bit before scrolling solves the issue and doesn't seem to cause any problems. */\r\n setTimeout(() => selectedGalleryItem.scrollIntoView(), 250);\r\n //console.log('scrolling....');\r\n //selectedGalleryItem.scrollIntoView();\r\n }\r\n }\r\n }\r\n\r\n currentSlideChanged(oldIndex) {\r\n this.scrollToActiveGalleryItem();\r\n }\r\n\r\n stepActivated(step) {\r\n switch (step) {\r\n case EditorSteps.gallery:\r\n break;\r\n case EditorSteps.editScope:\r\n break;\r\n case EditorSteps.drawing:\r\n // The drawing title might be initially hidden. We'll display it now:\r\n this.elements.drawingTitle.classList.remove('d-none', 'invisible');\r\n break;\r\n }\r\n }\r\n}\r\n\r\nclass MspLargeScreen extends MspScreen {\r\n constructor(config, editor) {\r\n super(config, editor);\r\n }\r\n\r\n isGalleryVisible() {\r\n return true;\r\n }\r\n\r\n isSlideNeeded(slideElement) {\r\n // The only slide we need is the drawing slide:\r\n return slideElement === this.editor.drawingSlide;\r\n }\r\n\r\n doOnEditScopeClicked(oldScope) {\r\n ///* For the large screen we only want to update the drawing the very first time the user clicks\r\n // * on the \"front\" edit scope button. After that the drawing is updated when the user clicks one\r\n // * of the gallery items. */\r\n //if (!oldScope && this.editor.editScope === EditScope.front) {\r\n // // It's the first click on edit scope, and the \"front\" scope was selected -> auto update selected value\r\n // this.editor.triggerDrawingClick();\r\n //}\r\n }\r\n\r\n doOnGalleryItemClicked() {\r\n //if (this.editor.editScope === EditScope.front) {\r\n // this.editor.triggerDrawingClick();\r\n //}\r\n }\r\n\r\n stepActivated(step) {\r\n super.stepActivated(step);\r\n const elements = this.elements;\r\n switch (step) {\r\n case EditorSteps.gallery:\r\n if (this.editor.popupEditorConfig.showEditScopeStep) {\r\n elements.editScopeContainer.classList.remove('active');\r\n elements.editScopeTitle.classList.remove('active');\r\n }\r\n elements.drawingTitle.classList.remove('active');\r\n elements.galleryTitle.classList.add('active');\r\n break;\r\n case EditorSteps.editScope:\r\n elements.galleryTitle.classList.remove('active');\r\n elements.drawingTitle.classList.remove('active');\r\n if (this.editor.popupEditorConfig.showEditScopeStep) {\r\n elements.editScopeContainer.classList.add('active');\r\n elements.editScopeTitle.classList.add('active');\r\n }\r\n break;\r\n case EditorSteps.drawing:\r\n elements.galleryTitle.classList.remove('active');\r\n if (this.editor.popupEditorConfig.showEditScopeStep) {\r\n elements.editScopeTitle.classList.remove('active');\r\n }\r\n elements.drawingTitle.classList.add('active');\r\n break;\r\n }\r\n }\r\n}\r\n\r\nclass MspSmallScreen extends MspScreen {\r\n constructor(config, editor) {\r\n super(config, editor);\r\n }\r\n\r\n doOnEditScopeClicked(oldScope) {\r\n ///* As long as the edit scope buttons come after the gallery items we want clicks on edit scope\r\n // * to update the drawing: */\r\n //this.editor.triggerDrawingClick();\r\n }\r\n\r\n doOnGalleryItemClicked() {\r\n /* This is the small screen on which we do NOT want to auto-update the drawing upon gallery item\r\n * clicks. The drawing should be updated upon click on edit scope or in the drawing itself.\r\n * Except, of course, if the edit scope slide is not needed. */\r\n //if (!this.isSlideNeeded(this.editor.editScopeSlide)) {\r\n // this.editor.triggerDrawingClick();\r\n //}\r\n }\r\n\r\n stepActivated(step) {\r\n super.stepActivated(step);\r\n const elements = this.elements;\r\n /* On the small screen we risk the text wrapping after adding the active class. This causes a\r\n * little jump/flicker. Hence, also add the little class to allow us to avoid this by using the\r\n * proper css. */\r\n const classes = ['active', 'little'];\r\n switch (step) {\r\n case EditorSteps.gallery:\r\n elements.drawingTitle.classList.remove(...classes);\r\n break;\r\n case EditorSteps.editScope:\r\n elements.drawingTitle.classList.remove(...classes);\r\n break;\r\n case EditorSteps.drawing:\r\n elements.drawingTitle.classList.add(...classes);\r\n break;\r\n }\r\n }\r\n}\r\n\r\nconst EditorSteps = {\r\n gallery: 0,\r\n editScope: 1,\r\n drawing: 2,\r\n};\r\n\r\nexport class MultiStepProductEditor extends ProductDrawingViewModel {\r\n constructor(drawing, popupEditorConfig, defaultComponentType, productInteractionClass, name) {\r\n super(drawing, name);\r\n this.popupEditorConfig = popupEditorConfig;\r\n // The class (type) of the product interaction object we'll create (later)\r\n this.productInteractionClass = productInteractionClass;\r\n\r\n // Don't enable interaction until we're ready\r\n //drawing.setIsInteractive(true);\r\n const byId = id => document.getElementById(id);\r\n const bySelect = selectors => document.querySelector(selectors);\r\n\r\n // TODO: All these element references should be assigned to the popupEditorConfig by the caller\r\n // instead of finding them here.\r\n\r\n this.allSlides = document.querySelectorAll('.vp-editor .slides .slide');\r\n this.compTypeSlide = byId('comp-type-slide');\r\n this.editScopeSlide = byId('edit-scope-slide');\r\n this.gallerySlide = byId('finishes-slide');\r\n this.drawingSlide = byId('drawing-slide');\r\n this.currentSlideIndex = -1;\r\n this.activeSlides = [];\r\n\r\n const largeScreenConfig = {\r\n slides: [this.drawingSlide],\r\n componentTypeBtnGroup: bySelect('.vp-editor aside .comp-type .slide-menu'),\r\n editScopeBtnGroup: bySelect('.vp-editor aside .edit-scope .slide-menu'),\r\n gallery: bySelect('.vp-editor aside .finish-gallery'),\r\n elements: popupEditorConfig.elements.popup.largeScreen,\r\n content: popupEditorConfig.content,\r\n $galleryFilterMenu: popupEditorConfig.elements.popup.largeScreen.$galleryFilterMenu,\r\n };\r\n this.largeScreen = new MspLargeScreen(largeScreenConfig, this);\r\n\r\n const smallScreenConfig = {\r\n slides: [this.gallerySlide, this.editScopeSlide, this.drawingSlide],\r\n componentTypeBtnGroup: bySelect('.vp-editor .inner-main .comp-type .slide-menu'),\r\n editScopeBtnGroup: bySelect('.vp-editor .inner-main .edit-scope .slide-menu'),\r\n gallery: bySelect('.vp-editor .inner-main .finish-gallery'),\r\n elements: popupEditorConfig.elements.popup.smallScreen,\r\n content: popupEditorConfig.content,\r\n $galleryFilterMenu: popupEditorConfig.elements.popup.smallScreen.$galleryFilterMenu,\r\n };\r\n this.smallScreen = new MspSmallScreen(smallScreenConfig, this);\r\n\r\n this.currentScreen = null;\r\n this.clearScope();\r\n this.setComponentType(defaultComponentType, true);\r\n this.selectedValue = null;\r\n\r\n this.owl = jQuery('.vp-editor .owl-carousel');\r\n if (this.owl.length > 0) {\r\n this.owl.owlCarousel({\r\n items: 1,\r\n startPosition: 0,\r\n nav: false,\r\n dots: true,\r\n dotsContainer: '#slide-dots',\r\n //autoWidth: true,\r\n });\r\n this.owl.on('changed.owl.carousel', event => {\r\n //console.log('owl event....');\r\n //console.log(event.property);\r\n if (event.property && event.property.name === 'position') {\r\n const oldIndex = this.currentSlideIndex;\r\n this.currentSlideIndex = event.property.value;\r\n this.currentSlideChanged(oldIndex);\r\n }\r\n });\r\n }\r\n\r\n this.labelBtn = this.popupEditorConfig.elements.popup.labelsToggleBtn;\r\n this.labelBtn.onclick = (event) => {\r\n this.toggleFinishLabelBtn(this.labelBtn, (isActive) => {\r\n this.drawing.toggleFinishLabels(isActive);\r\n });\r\n };\r\n this.displayFinishLabelBtn(this.labelBtn, false);\r\n\r\n this.dimsBtn = this.popupEditorConfig.elements.popup.dimsToggleBtn;\r\n this.dimsBtn.onclick = (event) => {\r\n this.toggleFinishLabelBtn(this.dimsBtn, (isActive) => {\r\n // TODO: this.drawing.toggleDrawingDimensions(isActive);\r\n });\r\n };\r\n this.displayFinishLabelBtn(this.dimsBtn, false);\r\n }\r\n\r\n isFinishLabelBtnActive(button) {\r\n return button.classList.contains('on');\r\n }\r\n\r\n displayFinishLabelBtn(button, isActive) {\r\n if (isActive) {\r\n button.classList.remove('btn-secondary');\r\n button.classList.add('btn-success');\r\n } else {\r\n button.classList.add('btn-secondary');\r\n button.classList.remove('btn-success');\r\n }\r\n }\r\n\r\n toggleFinishLabelBtn(button, callback) {\r\n const wasActive = this.isFinishLabelBtnActive(button);\r\n button.classList.toggle('on');\r\n const isActive = !wasActive;\r\n this.displayFinishLabelBtn(button, isActive);\r\n if (callback) {\r\n callback(isActive);\r\n }\r\n }\r\n\r\n isDrawingVisible() {\r\n // TODO: Add the correct logic for detecting the drawing visibility here\r\n //const activeTabLink = document.querySelector('#showcase-tabs a.active[data-toggle=\"tab\"]');\r\n //return ObjectUtils.isAssigned(activeTabLink) && activeTabLink.id === this.previewTabLinkId;\r\n return true;\r\n }\r\n\r\n startScreenResizeListener() {\r\n /* Note, we have multiple styles and code which must use matching media queries, see\r\n * _vpe-modal.scss, _vpe-editor.scss, MultiStepProductEditor.js, and DoorFrontEditor.cshtml.\r\n * Search for \"large-screen-query\"! */\r\n const largeScreenQuery = '(min-width: 768px)';// and (min-height: 700px)';\r\n this.largeScreenMediaQuerylist = window.matchMedia(largeScreenQuery);\r\n // Add listener:\r\n this.mediaQueryListListener = (e) => {\r\n this.updateCurrentScreenAndDisplaySlides(/*isLarge:*/ e.matches);\r\n this.refreshCurrentScreen();\r\n };\r\n this.largeScreenMediaQuerylist.addListener(this.mediaQueryListListener);\r\n }\r\n\r\n stopScreenResizeListener() {\r\n this.largeScreenMediaQuerylist.removeListener(this.mediaQueryListListener);\r\n }\r\n\r\n isDrawingSlideVisible() {\r\n return this.currentScreen.isDrawingSlideVisible();\r\n }\r\n\r\n setupSlideNavigation() {\r\n const owlTrigger = (event, callback) => {\r\n // Kind of a hack, but ignore any clicks on 'zoom-target':\r\n if (event.target.classList && event.target.classList.contains('zoom-target')) {\r\n return;\r\n }\r\n callback();\r\n event.preventDefault();\r\n };\r\n\r\n const prevSlide = event => owlTrigger(event, () => this.prevSlide());\r\n const nextSlide = event => owlTrigger(event, () => this.nextSlide());\r\n const goToSlide = (event, target) => owlTrigger(event, () => this.goToSlide(target));\r\n\r\n /* What this does is look for the 'data-target', 'data-slide', and 'data-slide-to' attributes\r\n * on any element underneath the .vp-editor element, and set up click handlers as appropriate. */\r\n const owlTargets = document.querySelectorAll('[data-target=\".vp-editor .carousel\"]');\r\n if (owlTargets) {\r\n owlTargets.forEach((item) => {\r\n switch (item.dataset.slide) {\r\n case 'prev':\r\n item.onclick = event => prevSlide(event);\r\n break;\r\n case 'next':\r\n item.onclick = event => nextSlide(event);\r\n break;\r\n default: {\r\n const target = item.dataset.slideTo;\r\n if (target) {\r\n item.onclick = event => goToSlide(event, target);\r\n }\r\n }\r\n break;\r\n }\r\n });\r\n }\r\n }\r\n\r\n setEditScope(editScope, forceIt) {\r\n if (typeof editScope === 'undefined') {\r\n editScope = null;\r\n }\r\n if (forceIt || editScope != this.editScope) {\r\n this.editScope = editScope;\r\n if (this.currentScreen) {\r\n this.currentScreen.editScopeChanged(editScope);\r\n }\r\n this.updateInteractionProperties();\r\n if (this.editScopeChanged) {\r\n this.editScopeChanged(this);\r\n }\r\n }\r\n }\r\n\r\n clearScope() {\r\n this.setEditScope(null, true);\r\n }\r\n\r\n setComponentType(componentType, forceIt) {\r\n if (forceIt || componentType != this.componentType) {\r\n this.componentType = componentType;\r\n if (this.currentScreen) {\r\n this.currentScreen.componentTypeChanged(componentType);\r\n }\r\n // Reset scope after component type changes\r\n this.setEditScope(this.componentType.defaultEditScope, true);\r\n this.updateInteractionProperties();\r\n if (this.componentTypeChanged) {\r\n this.componentTypeChanged(this);\r\n }\r\n }\r\n }\r\n\r\n setComponentTypeById(id) {\r\n this.setComponentType(ComponentType[id]);\r\n }\r\n\r\n setSelectedValue(value) {\r\n if (value != this.selectedValue) {\r\n this.selectedValue = value;\r\n this.currentScreen.selectedValueChanged(value);\r\n this.updateInteractionProperties();\r\n if (this.selectedValueChanged) {\r\n this.selectedValueChanged(this);\r\n }\r\n }\r\n }\r\n\r\n updateInteractionProperties() {\r\n const interaction = this.drawing.productInteraction;\r\n if (interaction) {\r\n interaction.componentType = this.componentType;\r\n interaction.editScope = this.editScope;\r\n interaction.selectedValue = this.selectedValue;\r\n this.toggleInteraction();\r\n }\r\n }\r\n\r\n triggerDrawingClick() {\r\n const interaction = this.drawing.productInteraction;\r\n if (interaction && interaction.triggerDrawingClick) {\r\n interaction.triggerDrawingClick();\r\n }\r\n }\r\n\r\n toggleInteraction() {\r\n // !! forces the expression to return a bool\r\n const on = !!(this.componentType && this.editScope && this.selectedValue);\r\n this.drawing.setIsInteractive(on);\r\n }\r\n\r\n applyGalleryFilter(filterKey, filterTitle) {\r\n this.componentType.filterKey = filterKey;\r\n this.componentType.filterTitle = filterTitle;\r\n this.currentScreen.applyGalleryFilter();\r\n }\r\n\r\n updateDrawingToolbar() {\r\n const isDrawingVisible = this.isDrawingSlideVisible();\r\n // Only show toggle buttons if drawing slide is visible:\r\n this.labelBtn.classList.toggle('d-none', !isDrawingVisible);\r\n // TODO: dimsBtn is not functional yet and is never displayed:\r\n this.dimsBtn.classList.toggle('d-none', true /*!isDrawingVisible*/);\r\n }\r\n\r\n //#region Slide Navigation\r\n\r\n currentSlideChanged(oldIndex) {\r\n this.backBtn.classList.toggle('d-none', this.currentSlideIndex === 0);\r\n this.updateDrawingToolbar();\r\n this.currentScreen.currentSlideChanged(oldIndex);\r\n }\r\n\r\n prevSlide() {\r\n this.owl.trigger('prev.owl.carousel');\r\n }\r\n\r\n nextSlide() {\r\n this.owl.trigger('next.owl.carousel');\r\n }\r\n\r\n goToSlide(slideIndex) {\r\n if (slideIndex > -1 && slideIndex < this.activeSlides.length &&\r\n slideIndex != this.currentSlideIndex) {\r\n this.owl.trigger('to.owl.carousel', [slideIndex]);\r\n }\r\n }\r\n\r\n addSlideAt(slideIndex, slideHtml) {\r\n return this.owl.trigger('add.owl.carousel', [slideHtml, slideIndex]);\r\n }\r\n\r\n removeSlideAt(slideIndex) {\r\n return this.owl.trigger('remove.owl.carousel', [slideIndex]);\r\n }\r\n\r\n refreshSlides() {\r\n return this.owl.trigger('refresh.owl.carousel');\r\n }\r\n\r\n getCurrentSlide() {\r\n return this.activeSlides ? this.activeSlides[this.currentSlideIndex] : null;\r\n }\r\n\r\n //#endregion\r\n\r\n /**\r\n * Is called when (before) a product is displayed, and whenever the screen is resized sufficiently.\r\n */\r\n updateCurrentScreenAndDisplaySlides(isLarge) {\r\n /* Note, which slides are needed depends on screen size, component type, and possibly other\r\n * properties. Study the isSlideNeeded() method for details. */\r\n\r\n const currentSlideIndex = this.currentSlideIndex;\r\n\r\n // Uninstall jQuery/Bootstrap event handlers before owl starts changing the DOM:\r\n if (this.currentScreen) {\r\n this.currentScreen.uninstallEventHandlers();\r\n }\r\n\r\n // First remove all current slides:\r\n this.activeSlides = [];\r\n const slideElems = document.querySelector('.vp-editor .owl-stage');\r\n let count = slideElems != null ? slideElems.children.length : 0;\r\n while (count > 0) {\r\n this.removeSlideAt(0);\r\n count--;\r\n }\r\n\r\n // Second, update current screen:\r\n this.currentScreen = isLarge ? this.largeScreen : this.smallScreen;\r\n\r\n // Third, display the new slides\r\n const slides = this.currentScreen.slides;\r\n // We need to add them to owl in reverse order:\r\n for (var i = slides.length - 1; i > -1; i--) {\r\n if (this.currentScreen.isSlideNeeded(slides[i])) {\r\n this.addSlideAt(0, slides[i]);\r\n this.activeSlides.push(slides[i]);\r\n }\r\n }\r\n // ...but activeSlides need to be in the original order:\r\n this.activeSlides.reverse();\r\n\r\n this.currentSlideIndex = 0; // Because owl just did the same when we added the slides above\r\n\r\n // Restore the current slide:\r\n this.goToSlide(currentSlideIndex);\r\n // Add click event handlers:\r\n this.setupSlideNavigation();\r\n // Reinstall jQuery/Bootstrap event handlers (after owl is done manipulating the DOM):\r\n this.currentScreen.installEventHandlers();\r\n // Trigger owl's refresh routine:\r\n this.refreshSlides();\r\n }\r\n\r\n /**\r\n * Is called when (after) a product is displayed, and whenever the screen is resized sufficiently.\r\n */\r\n refreshCurrentScreen(nextStep, initializeEditScope) {\r\n if (nextStep || nextStep === 0) {\r\n this.setCurrentStep(nextStep);\r\n } else {\r\n // Ensure the new screen is initialized:\r\n this.currentScreen.stepActivated(this.currentStep);\r\n }\r\n this.currentScreen.queryGalleryItems();\r\n\r\n if (initializeEditScope) {\r\n this.setEditScope(this.componentType.defaultEditScope, true);\r\n } else {\r\n this.currentScreen.editScopeChanged(this.editScope);\r\n }\r\n\r\n this.currentScreen.componentTypeChanged(this.componentType);\r\n // If we have a selected value, then ensure the current screen is updated with it:\r\n if (this.selectedValue) {\r\n this.currentScreen.selectedValueChanged(this.selectedValue);\r\n }\r\n this.currentScreen.scrollToActiveGalleryItem();\r\n this.currentScreen.updateDrawingTitle();\r\n this.updateDrawingToolbar();\r\n }\r\n\r\n setCurrentStep(step) {\r\n this.currentStep = step;\r\n this.currentScreen.stepActivated(step);\r\n }\r\n\r\n getValueFromProduct(apiProduct) {\r\n return this.componentType ? this.componentType.getValue(apiProduct) : null;\r\n }\r\n\r\n doBeforeDisplayProduct(data) {\r\n super.doBeforeDisplayProduct(data);\r\n const oldIx = this.drawing.productInteraction;\r\n // Clear event handlers from the old interaction:\r\n if (oldIx) {\r\n /*\r\n oldIx.onPanelFinishChanged = null;\r\n oldIx.onFrameFinishChanged = null;\r\n oldIx.onTrackFinishChanged = null;\r\n oldIx.onDoorLayoutChanged = null;\r\n */\r\n oldIx.onProductChanged = null;\r\n }\r\n // Remove the old interaction object from the drawing\r\n this.drawing.removeProductInteraction();\r\n\r\n // Setup media/screen size listener:\r\n this.startScreenResizeListener();\r\n /* We need to set up the slides (at least the slide with the drawing canvas), before calling\r\n * super.doStart() to ensure the drawing is created. */\r\n this.updateCurrentScreenAndDisplaySlides(this.largeScreenMediaQuerylist.matches);\r\n }\r\n\r\n /**\r\n * This class is an editor and the base class is a \"displayer\". Whenever the user wants to start\r\n * editing a product, the process is started by calling displayProduct(). We need here to think of\r\n * that as \"editProduct()\". Hence, in this method we must do everything which must be done every\r\n * time the user starts the editing.\r\n */\r\n doAfterDisplayProduct(data) {\r\n super.doAfterDisplayProduct(data);\r\n //const interaction = new DoorFrontInteraction();\r\n const interaction = new this.productInteractionClass();\r\n interaction.toggleInteractive = (displayObject, on, clickHandler) =>\r\n this.drawing.engine.toggleDisplayObjectInteractive(displayObject, on, clickHandler);\r\n /* Assign event handlers demonstrating how we can be notified when a component changes:\r\n interaction.onPanelFinishChanged = (interaction, oldFinish, changedComponent) => {\r\n console.log(`Changed the panel's value to ${changedComponent.finish}`);\r\n this.okBtn.removeAttribute('disabled');\r\n };\r\n interaction.onFrameFinishChanged = (interaction, oldFinish, changedComponent) => {\r\n console.log(`Changed the door's frame value to ${changedComponent.finish}`);\r\n this.okBtn.removeAttribute('disabled');\r\n };\r\n interaction.onTrackFinishChanged = (interaction, oldFinish, changedComponent) => {\r\n console.log(`Changed the front's track value to ${changedComponent.finish}`);\r\n this.okBtn.removeAttribute('disabled');\r\n };\r\n interaction.onDoorLayoutChanged = (interaction, oldLayout, changedComponent) => {\r\n console.log(`Changed the door's layout to ${changedComponent.panelLayout}`);\r\n this.okBtn.removeAttribute('disabled');\r\n };\r\n */\r\n\r\n // Is called once after one or more of the product's components changed\r\n interaction.onProductChanged = (interaction, componentType, changedProduct) => {\r\n //console.log(`Changed product ${changedProduct.name} of type ${componentType.id}`);\r\n this.okBtn.classList.remove('d-none');\r\n this.currentScreen.updateInUseGalleryItems();\r\n };\r\n\r\n // Install the new interaction\r\n this.drawing.addProductInteraction(interaction);\r\n /* 1/27/20: We don't want to pre-select anything in the gallery because we want the user to\r\n * reselect the value each time the editor is activated. Hence, don't call the setter, just\r\n * set the value directly here: */\r\n //this.setSelectedValue(this.getValueFromProduct(this.apiProduct));\r\n this.selectedValue = null;\r\n\r\n // Initialize current screen:\r\n this.refreshCurrentScreen(EditorSteps.gallery, true);\r\n\r\n // Assign values from the UI to the interaction:\r\n this.updateInteractionProperties();\r\n //this.currentScreen.activate();\r\n //this.setCurrentStep(EditorSteps.gallery);\r\n\r\n this.okBtn = data.elements.popup.okBtn;\r\n this.okBtn.classList.add('d-none');\r\n this.backBtn = data.elements.popup.backBtn;\r\n this.backBtn.classList.add('d-none');\r\n\r\n this.goToSlide(this.currentScreen.defaultSlideIndex);\r\n\r\n if (this.isFinishLabelBtnActive(this.labelBtn)) {\r\n this.drawing.toggleFinishLabels(true);\r\n }\r\n if (this.isFinishLabelBtnActive(this.dimsBtn)) {\r\n // TODO: this.drawing.toggleDrawingDimensions(isActive);\r\n }\r\n }\r\n\r\n doAfterHidingCurrentProduct(data) {\r\n super.doAfterHidingCurrentProduct(data);\r\n this.stopScreenResizeListener();\r\n this.drawing.setIsInteractive(false);\r\n }\r\n\r\n /** Asynchronously loads ALL the materials we expect will be needed in the app for the current\r\n * product type. */\r\n async loadProductMaterials() {\r\n return await super.loadProductMaterials();\r\n\r\n // TODO: Load the materials we know we'll present in the product editor (look at componentType, etc.).\r\n\r\n //const factory = ProductViewModelFactories.getFactory(this.apiProduct.type);\r\n //const materialIds = factory.getAllKnownProductMaterialIds(this.apiProduct);\r\n //console.log('Awaiting additional materials to be loaded...');\r\n //return await this.drawing.loadMaterials(materialIds, /*high res as well?*/ false);\r\n //console.log('Additional materials load completed!');\r\n }\r\n\r\n /**\r\n * Start (doStart) is only called once, typically the first time the user starts the product\r\n * editing process. The base class will implicitly call displayProduct so there's no need for the\r\n * user to call both.\r\n */\r\n doStart(apiProduct, data) {\r\n // This will call displayProduct():\r\n super.doStart(apiProduct, data);\r\n }\r\n}\r\n","import { ComponentType } from './DoorFrontInteraction.js';\r\nimport { MultiStepProductEditor } from './MultiStepProductEditor.js';\r\n\r\nexport class MultiStepDoorFrontEditor extends MultiStepProductEditor {\r\n /**\r\n * Is called when (after) a product is displayed, and whenever the screen is resized sufficiently.\r\n */\r\n refreshCurrentScreen(nextStep, initializeEditScope) {\r\n super.refreshCurrentScreen(nextStep, initializeEditScope);\r\n\r\n if (this.componentType === ComponentType.panel) {\r\n // No need to display the \"One panel at a time\" button if all doors have single panel only\r\n const onePanelAtATimeBtn = this.currentScreen.editScopeBtnGroup &&\r\n this.currentScreen.editScopeBtnGroup.querySelector('.btn[data-edit-scope=\"panel\"]');\r\n if (onePanelAtATimeBtn) {\r\n const front = this.drawing.product;\r\n const allDoorsHaveSinglePanel = front.allDoorsHaveSinglePanel && front.allDoorsHaveSinglePanel();\r\n onePanelAtATimeBtn.classList.toggle('d-none', allDoorsHaveSinglePanel);\r\n }\r\n }\r\n }\r\n}\r\n","import { ProductEditor } from './ProductEditor.js';\r\nimport { ObjectUtils } from '../main/ObjectUtils.js';\r\nimport { ComponentType, DoorFrontInteraction } from './DoorFrontInteraction.js';\r\nimport { DoorCore } from './Components.js';\r\nimport { MultiStepDoorFrontEditor } from './MultiStepDoorFrontEditor.js';\r\n\r\n/**\r\n * The DoorFrontEditor is a ViewModel for the part of the sliding door front's user interface which\r\n * is responsible for accepting edits by the user.\r\n */\r\nexport class DoorFrontEditor extends ProductEditor {\r\n /**\r\n * This constructor is async because--if session storage contains a product--it will communicate\r\n * with the remote designerService to load the product. The async load happens on the last line\r\n * of the super constructor.\r\n */\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n this.componentType = ComponentType;\r\n this.elements.panelList = document.getElementById(config.UI.El.panelList);\r\n\r\n this.allPanelLayoutsMap = config.allPanelLayoutsMap;\r\n this.panelListContent = config.panelListContent;\r\n this.panelListContent.colClasses = this.panelListContent.colClass.split(' ');\r\n\r\n this.addNumberInputEventHandlers(this.elements.width, (changedElement, changedValue) => {\r\n this.propertyChanged('w', changedValue, changedElement);\r\n });\r\n this.addNumberInputEventHandlers(this.elements.height, (changedElement, changedValue) => {\r\n this.propertyChanged('h', changedValue, changedElement);\r\n });\r\n\r\n this.addDropdownListEventHandlers(this.elements.trackType, (changedElement, changedValue) => {\r\n this.propertyChanged('railCount', parseInt(changedValue), this.elements.trackType, this.elements.trackFinish);\r\n });\r\n\r\n const pnlList = jQuery(this.elements.panelList);\r\n pnlList.on('hidden.bs.collapse', (event) => {\r\n this.togglePreviewDrawingFinishLabels(false);\r\n });\r\n pnlList.on('shown.bs.collapse', (event) => {\r\n this.togglePreviewDrawingFinishLabels(true);\r\n });\r\n }\r\n\r\n assignEditFieldElements(elementIds) {\r\n super.assignEditFieldElements(elementIds);\r\n const byId = id => document.getElementById(id);\r\n this.elements.finish = byId(elementIds.finish);\r\n this.elements.frameFinish = byId(elementIds.frameFinish);\r\n this.elements.trackFinish = byId(elementIds.trackFinish);\r\n this.elements.panelLayout = byId(elementIds.panelLayout);\r\n this.elements.width = byId(elementIds.width);\r\n this.elements.height = byId(elementIds.height);\r\n this.elements.trackType = byId(elementIds.trackType);\r\n }\r\n\r\n /**\r\n * Factory method used by the owner ProductPageViewModel.\r\n */\r\n createPopupEditor(editDrawing) {\r\n const config = this.config.UI.popupEditor;\r\n if (!config.showEditScopeStep) {\r\n // In this case we also need to set the following defaults:\r\n ComponentType.panel.useEditScope = false;\r\n ComponentType.panel.defaultEditScope = 'panel';\r\n ComponentType.layout.useEditScope = false;\r\n ComponentType.layout.defaultEditScope = 'door';\r\n }\r\n return new MultiStepDoorFrontEditor(editDrawing, config,\r\n ComponentType.panel, DoorFrontInteraction, 'DoorFrontPopupEditorVM');\r\n }\r\n\r\n /** Adds button html elements to the buttons array parameter. */\r\n registerPopupEditorButtons(buttons) {\r\n super.registerPopupEditorButtons(buttons);\r\n buttons.push(\r\n this.elements.finish,\r\n this.elements.frameFinish,\r\n this.elements.trackFinish,\r\n this.elements.panelLayout\r\n );\r\n }\r\n\r\n ///**\r\n // * Assigns BootStrap a modal popup \"show\" event handler which rebuilds the popup editor based\r\n // * on the currently edited component type (based on which button was clicked). Note, the method\r\n // * first calls the super method to add additional popup event handlers .\r\n // */\r\n //addPopupEditorHandlers() {\r\n // super.addPopupEditorHandlers();\r\n // const popup = jQuery(this.popupEditorConfig.elements.modalPopup);\r\n // popup.on('show.bs.modal', async (event) => {\r\n // if (this.popupEditorDisplayed) {\r\n // const typeId = popup.data('compType');\r\n // this.editedComponentType = ComponentType[typeId];\r\n // this.rebuildPopupEditor(this.editedComponentType);\r\n // }\r\n // });\r\n //}\r\n\r\n rebuildValidValuesMaps(validators) {\r\n super.rebuildValidValuesMaps();\r\n this.validValuesMap.panel = validators.finish.values;\r\n this.validValuesMap.frame = validators.frameFinish.values;\r\n this.validValuesMap.track = validators.trackFinish.values;\r\n this.validValuesMap.layout = validators.panelLayout.values;\r\n }\r\n\r\n createSortedDoorDesigns(validValues, allValuesMap) {\r\n const sortedValues = Array(validValues.length);\r\n let index = 0;\r\n validValues.forEach(id => {\r\n sortedValues[index] = allValuesMap[id];\r\n sortedValues[index].id = id;\r\n sortedValues[index].panelCount = DoorCore.calculatePanelCount(id);\r\n index++;\r\n });\r\n sortedValues.sort((a, b) => a.panelCount - b.panelCount);\r\n return sortedValues;\r\n }\r\n\r\n createSortedGalleryItems(componentType) {\r\n const validValues = this.validValuesMap[componentType.id];\r\n const allValuesMap = componentType === ComponentType.layout ? this.allPanelLayoutsMap : this.allFinishesMap;\r\n return componentType === ComponentType.layout\r\n ? this.createSortedDoorDesigns(validValues, allValuesMap)\r\n : this.createSortedValues(validValues, allValuesMap);\r\n }\r\n\r\n displayPanelList() {\r\n const columns = document.createDocumentFragment();\r\n let doorNo = 1;\r\n this.product.doors.forEach(door => {\r\n const columnDiv = document.createElement('div');\r\n columnDiv.classList.add(...this.panelListContent.colClasses);\r\n\r\n const para = document.createElement('p');\r\n para.classList.add('door-title');\r\n para.innerText = `${this.panelListContent.doorPrefix} ${doorNo}`;\r\n columnDiv.appendChild(para);\r\n\r\n const ol = document.createElement('ol');\r\n const panels = door.core.panels;\r\n panels.forEach(panel => {\r\n const li = document.createElement('li');\r\n this.assignValidValue(li, this.allFinishesMap, panel.f);\r\n ol.appendChild(li);\r\n });\r\n columnDiv.appendChild(ol);\r\n columns.appendChild(columnDiv);\r\n doorNo++;\r\n });\r\n ObjectUtils.clearChildren(this.elements.panelList);\r\n this.elements.panelList.appendChild(columns);\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n this.assignValidValue(this.elements.finish, this.allFinishesMap, product.f, changeLog, 'Finish', changedElement);\r\n this.assignValidValue(this.elements.frameFinish, this.allFinishesMap, product.frameF, changeLog, 'Frame finish', changedElement);\r\n this.assignValidValue(this.elements.trackFinish, this.allFinishesMap, product.topTrack.f, changeLog, 'Track finish', changedElement);\r\n this.assignValidValue(this.elements.panelLayout, this.allPanelLayoutsMap, product.panelLayout, changeLog, 'Door design', changedElement);\r\n\r\n let validator = validators ? validators.width : null;\r\n this.displayNumberInput(this.elements.width, product.w, validator, this.fieldsCfg.width,\r\n changeLog, 'Width', changedElement);\r\n\r\n validator = validators ? validators.height : null;\r\n this.displayNumberInput(this.elements.height, product.h, validator, this.fieldsCfg.height,\r\n changeLog, 'Height', changedElement);\r\n\r\n validator = validators ? validators.railCount : null;\r\n this.displayDropdownList(this.elements.trackType, product.railCount, changeLog, 'Track Type',\r\n changedElement, this.config.trackTypeDValues);\r\n\r\n this.displayPanelList();\r\n }\r\n}\r\n","import { ProductInteraction } from './ProductInteraction.js';\r\n\r\nexport const EditScope = {\r\n product: 'product'\r\n};\r\n\r\nexport const ComponentType = {\r\n mainFinish: {\r\n id: 'mainFinish',\r\n useEditScope: false,\r\n defaultEditScope: 'product',\r\n getValue: (apiProduct) => apiProduct.f,\r\n getAllUsedValues: (product) => product.getAllPrimaryFinishes(),\r\n handleDrawingClick: (interaction, event) => interaction.handleMainFinishClick(event),\r\n showGalleryFilterButton: false,\r\n },\r\n metalFinish: {\r\n id: 'metalFinish',\r\n useEditScope: false,\r\n defaultEditScope: 'product',\r\n getValue: (apiProduct) => apiProduct.f,\r\n getAllUsedValues: (product) => product.getAllSecondaryFinishes(),\r\n handleDrawingClick: (interaction, event) => interaction.handleMetalFinishClick(event),\r\n showGalleryFilterButton: false,\r\n },\r\n};\r\n\r\nexport class InteriorInteraction extends ProductInteraction {\r\n constructor() {\r\n super();\r\n this._editScope = EditScope.product;\r\n this._componentType = ComponentType.mainFinish;\r\n /* We need to create a wrapper object for the removeEventListener call to actually remove the\r\n * listener. This happens inside the drawing engine's toggleDisplayObjectInteractive method. */\r\n this.mainFinishClickHandler = { handler: event => this.handleMainFinishClick(event) };\r\n this.metalFinishClickHandler = { handler: event => this.handleMetalFinishClick(event) };\r\n }\r\n\r\n activateInteraction(on) {\r\n super.activateInteraction(on);\r\n if (this.product) {\r\n switch (this.componentType) {\r\n case ComponentType.mainFinish:\r\n if (this.editScope === EditScope.product) {\r\n /* Passing an arrow function to the method may prevent the toggleInteractive method from\r\n * successfully unregistering the event. Instead we use a wrapper object. */\r\n //this.toggleInteractive(this.product.displayObject, on, (event) => this.handleMainFinishClick(event));\r\n this.toggleInteractive(this.product.displayObject, on, this.mainFinishClickHandler.handler);\r\n } else {\r\n this.unsupportedTypeAndScope();\r\n }\r\n break;\r\n\r\n case ComponentType.metalFinish:\r\n if (this.editScope === EditScope.product) {\r\n /* Passing an arrow function to the method may prevent the toggleInteractive method from\r\n * successfully unregistering the event. Instead we use a wrapper object. */\r\n //this.toggleInteractive(this.product.displayObject, on, (event) => this.handleMetalFinishClick(event));\r\n this.toggleInteractive(this.product.displayObject, on, this.metalFinishClickHandler.handler);\r\n } else {\r\n this.unsupportedTypeAndScope();\r\n }\r\n break;\r\n\r\n default:\r\n this.unsupportedTypeAndScope();\r\n break;\r\n }\r\n }\r\n }\r\n\r\n doOnMainFinishChanged(product, { oldFinish, oldDisplayObject }) {\r\n if (this.onMainFinishChanged) {\r\n this.onMainFinishChanged(this, oldFinish, product);\r\n }\r\n }\r\n\r\n doOnMetalFinishChanged(product, { oldFinish, oldDisplayObject }) {\r\n if (this.onMetalFinishChanged) {\r\n this.onMetalFinishChanged(this, oldFinish, product);\r\n }\r\n }\r\n\r\n handleMainFinishClick(event) {\r\n if (this.selectedValue) {\r\n const product = event.currentTarget.dataComponent;\r\n let wasChanged = false;\r\n product.replaceFinishesRecursively(this.selectedValue, (product, args) => {\r\n this.doOnMainFinishChanged(product, args);\r\n wasChanged = true;\r\n });\r\n if (wasChanged) {\r\n /* We only need to make this call if the replaced display object is interactive. Since we currently\r\n * only have click handlers on the root module (e.g. flexi-section or organizer), and we\r\n * don't replace their display object (we only replace the leaf display objects, e.g. shelves),\r\n * we have commented out this next line: */\r\n //this.refreshInteractive(oldDisplayObject, product.displayObject, this.mainFinishClickHandler.handler);\r\n this.doOnProductChanged(product);\r\n }\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n\r\n handleMetalFinishClick(event) {\r\n if (this.selectedValue) {\r\n const product = event.currentTarget.dataComponent;\r\n let wasChanged = false;\r\n product.replaceSecondaryFinishesRecursively(this.selectedValue, (product, args) => {\r\n this.doOnMetalFinishChanged(product, args);\r\n wasChanged = true;\r\n });\r\n if (wasChanged) {\r\n /* We only need to make this call if the replaced display object is interactive. Since we currently\r\n * only have click handlers on the root module (e.g. flexi-section or organizer), and we\r\n * don't replace their display object (we only replace the leaf display objects, e.g. shelves),\r\n * we have commented out this next line: */\r\n //this.refreshInteractive(oldDisplayObject, product.displayObject, this.metalFinishClickHandler.handler);\r\n this.doOnProductChanged(product);\r\n }\r\n this.doOnInteraction(event);\r\n }\r\n }\r\n}\r\n","import { ProductEditor } from './ProductEditor.js';\r\nimport { ComponentType, InteriorInteraction } from './InteriorInteraction.js';\r\nimport { MultiStepProductEditor } from './MultiStepProductEditor.js';\r\n\r\nexport class InteriorEditor extends ProductEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n this.componentType = ComponentType;\r\n }\r\n\r\n assignEditFieldElements(elementIds) {\r\n super.assignEditFieldElements(elementIds);\r\n this.elements.finish = document.getElementById(elementIds.finish);\r\n }\r\n\r\n /**\r\n * Factory method used by the owner ProductPageViewModel.\r\n */\r\n createPopupEditor(editDrawing) {\r\n return new MultiStepProductEditor(editDrawing, this.config.UI.popupEditor,\r\n ComponentType.mainFinish, InteriorInteraction, 'InteriorPopupEditorVM');\r\n }\r\n\r\n /** Adds button html elements to the buttons array parameter. */\r\n registerPopupEditorButtons(buttons) {\r\n super.registerPopupEditorButtons(buttons);\r\n buttons.push(this.elements.finish);\r\n }\r\n\r\n ///**\r\n // * Assigns BootStrap a modal popup \"show\" event handler which rebuilds the popup editor based\r\n // * on the currently edited component type (based on which button was clicked). Note, the method\r\n // * first calls the super method to add additional popup event handlers .\r\n // */\r\n //addPopupEditorHandlers() {\r\n // super.addPopupEditorHandlers();\r\n // const popup = jQuery(this.popupEditorConfig.elements.modalPopup);\r\n // popup.on('show.bs.modal', async (event) => {\r\n // if (this.popupEditorDisplayed) {\r\n // const typeId = popup.data('compType');\r\n // this.editedComponentType = ComponentType[typeId];\r\n // this.rebuildPopupEditor(this.editedComponentType);\r\n // }\r\n // });\r\n //}\r\n\r\n rebuildValidValuesMaps(validators) {\r\n super.rebuildValidValuesMaps(validators);\r\n this.validValuesMap.mainFinish = validators.finish.values;\r\n }\r\n\r\n createSortedGalleryItems(componentType) {\r\n const validValues = this.validValuesMap[componentType.id];\r\n const allValuesMap = this.allFinishesMap;\r\n return this.createSortedValues(validValues, allValuesMap);\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n this.assignValidValue(this.elements.finish, this.allFinishesMap, product.f, changeLog, 'Finish', changedElement);\r\n }\r\n}\r\n\r\nexport class SideWallEditor extends InteriorEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n const byId = id => document.getElementById(id);\r\n const elementIds = config.UI.El;\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.thickness)) {\r\n this.elements.thickness = byId(elementIds.thickness);\r\n this.addNumberRadioListEventHandlers(this.elements.thickness, (changedElement, changedValue) => {\r\n this.propertyChanged('inputT', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n this.elements.width = byId(elementIds.width);\r\n this.addNumberRadioListEventHandlers(this.elements.width, (changedElement, changedValue) => {\r\n this.propertyChanged('w', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n this.elements.height = byId(elementIds.height);\r\n this.addNumberInputEventHandlers(this.elements.height, (changedElement, changedValue) => {\r\n this.propertyChanged('h', changedValue, changedElement);\r\n });\r\n }\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.thickness)) {\r\n const validator = validators ? validators.inputThickness : null;\r\n this.displayRadioListInput(this.elements.thickness, product.inputT, validator,\r\n this.fieldsCfg.thickness, changeLog, 'Thickness', changedElement);\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n const validator = validators ? validators.height : null;\r\n this.displayNumberInput(this.elements.height, product.h, validator,\r\n this.fieldsCfg.height, changeLog, 'Height', changedElement);\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n const validator = validators ? validators.width : null;\r\n this.displayRadioListInput(this.elements.width, product.w, validator,\r\n this.fieldsCfg.width, changeLog, 'Width', changedElement);\r\n }\r\n }\r\n}\r\n\r\nexport class FlexiSideEditor extends InteriorEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n const byId = id => document.getElementById(id);\r\n const elementIds = config.UI.El;\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n this.elements.width = byId(elementIds.width);\r\n this.addNumberRadioListEventHandlers(this.elements.width, (changedElement, changedValue) => {\r\n this.propertyChanged('w', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n this.elements.height = byId(elementIds.height);\r\n this.addNumberInputEventHandlers(this.elements.height, (changedElement, changedValue) => {\r\n this.propertyChanged('h', changedValue, changedElement);\r\n });\r\n }\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n const validator = validators ? validators.width : null;\r\n this.displayRadioListInput(this.elements.width, product.w, validator,\r\n this.fieldsCfg.width, changeLog, 'Width', changedElement);\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n const validator = validators ? validators.height : null;\r\n this.displayNumberInput(this.elements.height, product.h, validator,\r\n this.fieldsCfg.height, changeLog, 'Height', changedElement);\r\n }\r\n }\r\n}\r\n\r\nexport class FlexiShelfEditor extends InteriorEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n const byId = id => document.getElementById(id);\r\n const elementIds = config.UI.El;\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n this.elements.width = byId(elementIds.width);\r\n this.addNumberRadioListEventHandlers(this.elements.width, (changedElement, changedValue) => {\r\n this.propertyChanged('w', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.depth)) {\r\n this.elements.depth = byId(elementIds.depth);\r\n this.addNumberRadioListEventHandlers(this.elements.depth, (changedElement, changedValue) => {\r\n this.propertyChanged('d', changedValue, changedElement);\r\n });\r\n }\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n const validator = validators ? validators.width : null;\r\n this.displayRadioListInput(this.elements.width, product.w, validator,\r\n this.fieldsCfg.width, changeLog, 'Width', changedElement);\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.depth)) {\r\n const validator = validators ? validators.depth : null;\r\n this.displayRadioListInput(this.elements.depth, product.d, validator,\r\n this.fieldsCfg.depth, changeLog, 'Depth', changedElement);\r\n }\r\n }\r\n}\r\n\r\nexport class FlexiBasketAndTracksEditor extends InteriorEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n const byId = id => document.getElementById(id);\r\n const elementIds = config.UI.El;\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n this.elements.width = byId(elementIds.width);\r\n this.addNumberRadioListEventHandlers(this.elements.width, (changedElement, changedValue) => {\r\n this.propertyChanged('w', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n this.elements.height = byId(elementIds.height);\r\n this.addNumberRadioListEventHandlers(this.elements.height, (changedElement, changedValue) => {\r\n this.propertyChanged('h', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.depth)) {\r\n this.elements.depth = byId(elementIds.depth);\r\n this.addNumberRadioListEventHandlers(this.elements.depth, (changedElement, changedValue) => {\r\n this.propertyChanged('d', changedValue, changedElement);\r\n });\r\n }\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n const validator = validators ? validators.width : null;\r\n this.displayRadioListInput(this.elements.width, product.w, validator,\r\n this.fieldsCfg.width, changeLog, 'Width', changedElement);\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n const validator = validators ? validators.height : null;\r\n this.displayRadioListInput(this.elements.height, product.h, validator,\r\n this.fieldsCfg.height, changeLog, 'Height', changedElement);\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.depth)) {\r\n const validator = validators ? validators.depth : null;\r\n this.displayRadioListInput(this.elements.depth, product.d, validator,\r\n this.fieldsCfg.depth, changeLog, 'Depth', changedElement);\r\n }\r\n }\r\n}\r\n\r\nexport class MeshBasketAndTracksEditor extends InteriorEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n const byId = id => document.getElementById(id);\r\n const elementIds = config.UI.El;\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n this.elements.width = byId(elementIds.width);\r\n this.addNumberRadioListEventHandlers(this.elements.width, (changedElement, changedValue) => {\r\n this.propertyChanged('w', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n this.elements.height = byId(elementIds.height);\r\n this.addNumberRadioListEventHandlers(this.elements.height, (changedElement, changedValue) => {\r\n this.propertyChanged('h', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.depth)) {\r\n this.elements.depth = byId(elementIds.depth);\r\n this.addNumberRadioListEventHandlers(this.elements.depth, (changedElement, changedValue) => {\r\n this.propertyChanged('d', changedValue, changedElement);\r\n });\r\n }\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n const validator = validators ? validators.width : null;\r\n this.displayRadioListInput(this.elements.width, product.w, validator,\r\n this.fieldsCfg.width, changeLog, 'Width', changedElement);\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n const validator = validators ? validators.height : null;\r\n this.displayRadioListInput(this.elements.height, product.h, validator,\r\n this.fieldsCfg.height, changeLog, 'Height', changedElement);\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.depth)) {\r\n const validator = validators ? validators.depth : null;\r\n this.displayRadioListInput(this.elements.depth, product.d, validator,\r\n this.fieldsCfg.depth, changeLog, 'Depth', changedElement);\r\n }\r\n }\r\n}\r\n\r\nclass FloorModuleEditor extends InteriorEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n const byId = id => document.getElementById(id);\r\n const elementIds = config.UI.El;\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.heightType)) {\r\n this.elements.heightType = byId(elementIds.heightType);\r\n this.elements.heightType.dataset.suppressChgMsg = true;\r\n this.addStringRadioListEventHandlers(this.elements.heightType, (changedElement, changedValue) => {\r\n this.propertyChanged('heightType', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n this.elements.height = byId(elementIds.height);\r\n this.addNumberInputEventHandlers(this.elements.height, (changedElement, changedValue) => {\r\n this.propertyChanged('h', changedValue, changedElement);\r\n });\r\n }\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.depth)) {\r\n this.elements.depth = byId(elementIds.depth);\r\n this.addNumberRadioListEventHandlers(this.elements.depth, (changedElement, changedValue) => {\r\n this.propertyChanged('d', changedValue, changedElement);\r\n });\r\n }\r\n }\r\n\r\n assignEditFieldElements(elementIds) {\r\n super.assignEditFieldElements(elementIds);\r\n this.elements.metalFinish = document.getElementById(elementIds.metalFinish);\r\n }\r\n\r\n /** Adds button html elements to the buttons array parameter. */\r\n registerPopupEditorButtons(buttons) {\r\n super.registerPopupEditorButtons(buttons);\r\n buttons.push(this.elements.metalFinish);\r\n }\r\n\r\n displayWidthInput(validators, product, changeLog, changedElement) {\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n const validator = validators ? validators.width : null;\r\n this.displayNumberInput(this.elements.width, product.w, validator,\r\n this.fieldsCfg.width, changeLog, 'Width', changedElement);\r\n }\r\n }\r\n\r\n displayHeightTypeInput(validators, product, changeLog, changedElement) {\r\n if (this.isFieldVisible(this.fieldsCfg.heightType)) {\r\n const validator = validators ? validators.heightType : null;\r\n this.displayRadioListInput(this.elements.heightType, product.heightType, validator,\r\n this.fieldsCfg.heightType, changeLog, 'Height Type', changedElement,\r\n this.config.heightTypeDValues);\r\n }\r\n }\r\n\r\n displayHeightInput(validators, product, changeLog, changedElement) {\r\n if (this.isFieldVisible(this.fieldsCfg.height)) {\r\n const validator = validators ? validators.height : null;\r\n const readOnly = product.heightType !== 'Custom';\r\n this.displayNumberInput(this.elements.height, product.h, validator,\r\n this.fieldsCfg.height, changeLog, 'Height', changedElement, readOnly);\r\n }\r\n }\r\n\r\n displayDepthInput(validators, product, changeLog, changedElement) {\r\n if (this.isFieldVisible(this.fieldsCfg.depth)) {\r\n const validator = validators ? validators.depth : null;\r\n this.displayRadioListInput(this.elements.depth, product.d, validator,\r\n this.fieldsCfg.depth, changeLog, 'Depth', changedElement);\r\n }\r\n }\r\n\r\n doOnPopupEditorDisplayed(event) {\r\n super.doOnPopupEditorDisplayed(event);\r\n /* Let the base class editor know that we only need to send the changed finish on the root object\r\n * (e.g. the flexi-section) to the server. There's no need to send every changed finish on components. */\r\n if (this.editedComponentType.id === 'mainFinish') {\r\n this.popupEditorChangeType.isAtomic = true;\r\n this.popupEditorChangeType.propertyName = 'f';\r\n } else if (this.editedComponentType.id === 'metalFinish') {\r\n this.popupEditorChangeType.isAtomic = true;\r\n this.popupEditorChangeType.propertyName = 'metalF';\r\n }\r\n }\r\n\r\n rebuildValidValuesMaps(validators) {\r\n super.rebuildValidValuesMaps(validators);\r\n this.validValuesMap.metalFinish = validators.metalFinish.values;\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n this.assignValidValue(this.elements.metalFinish, this.allFinishesMap, product.metalF, changeLog, 'Metal Finish', changedElement);\r\n }\r\n}\r\n\r\nexport class FlexiSectionEditor extends FloorModuleEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n this.elements.innerWidth = document.getElementById(config.UI.El.innerWidth);\r\n\r\n this.addNumberRadioListEventHandlers(this.elements.innerWidth, (changedElement, changedValue) => {\r\n this.propertyChanged('innerW', changedValue, changedElement);\r\n });\r\n }\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n this.displayInnerWidthInput(validators, product, changeLog, changedElement);\r\n this.displayHeightTypeInput(validators, product, changeLog, changedElement);\r\n this.displayHeightInput(validators, product, changeLog, changedElement);\r\n this.displayDepthInput(validators, product, changeLog, changedElement);\r\n }\r\n\r\n displayInnerWidthInput(validators, product, changeLog, changedElement) {\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n let validator = validators ? validators.innerWidth : null;\r\n this.displayRadioListInput(this.elements.innerWidth, product.innerW, validator,\r\n this.fieldsCfg.width, changeLog, 'Width, inner', changedElement);\r\n return validator;\r\n }\r\n }\r\n}\r\n\r\nclass StandardModuleEditor extends FloorModuleEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n if (this.isFieldVisible(this.fieldsCfg.width)) {\r\n this.elements.width = document.getElementById(config.UI.El.width);\r\n this.addNumberInputEventHandlers(this.elements.width, (changedElement, changedValue) => {\r\n this.propertyChanged('w', changedValue, changedElement);\r\n });\r\n }\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n this.displayWidthInput(validators, product, changeLog, changedElement);\r\n this.displayHeightTypeInput(validators, product, changeLog, changedElement);\r\n this.displayHeightInput(validators, product, changeLog, changedElement);\r\n this.displayDepthInput(validators, product, changeLog, changedElement);\r\n }\r\n}\r\n\r\nexport class ClosetOrganizerEditor extends StandardModuleEditor {\r\n}\r\n","import { ProductEditor } from './ProductEditor.js';\r\nimport { ComponentType } from './InteriorInteraction.js';\r\n\r\nclass VariantProductEditor extends ProductEditor {\r\n constructor(config, designerService, productService) {\r\n super(config, designerService, productService);\r\n this.componentType = ComponentType;\r\n\r\n this.addDropdownListEventHandlers(this.elements.variants, async (changedElement, changedValue) => {\r\n try {\r\n // Note, changedValue is the Guid key of the variant node\r\n //this.propertyChanged('variantId', changedValue, this.elements.variant, this.elements.variant);\r\n const variantId = await this.getProductVariantId(changedElement, changedValue);\r\n if (!variantId || variantId.length !== 36 || !/[0-9a-fA-F]/.test(variantId[0])) {\r\n throw new Error('Unable to look up the product variant given the input product attributes.');\r\n }\r\n this.propertyChanged('variantId', variantId, changedElement, changedElement);\r\n } catch (ex) {\r\n this.toggleErrorMessage(true, this.config.genericErrorMessage); //'Sorry! Something unexpected happened in the app.'\r\n throw ex;\r\n }\r\n });\r\n\r\n }\r\n\r\n async getProductVariantId(changedElement, changedAttrValue) {\r\n return null;\r\n }\r\n\r\n assignEditFieldElements(elementIds) {\r\n super.assignEditFieldElements(elementIds);\r\n //this.elements.variant = document.getElementById(elementIds.variant);\r\n this.elements.variants = document.querySelectorAll('button[data-comp-type=\"variant\"]');\r\n }\r\n\r\n getSelectedValueFromProduct(product, buttonElement) {\r\n return null;\r\n }\r\n\r\n doDisplayProduct(product, validators, changedElement, changeLog) {\r\n super.doDisplayProduct(product, validators, changedElement, changeLog);\r\n\r\n let validator = validators ? validators.variant : null;\r\n //this.displayDropdownList(this.elements.variant, product.variantId, changeLog, 'Variant',\r\n for (const buttonElement of this.elements.variants) {\r\n const selectedValue = this.getSelectedValueFromProduct(product, buttonElement);\r\n this.displayDropdownList(buttonElement, selectedValue, changeLog, 'Variant',\r\n changedElement, this.config.variantDValues);\r\n }\r\n }\r\n}\r\n\r\nexport class SingleVariantProductEditor extends VariantProductEditor {\r\n async getProductVariantId(changedElement, changedAttrValue) {\r\n return changedAttrValue;\r\n }\r\n\r\n getSelectedValueFromProduct(product, buttonElement) {\r\n return product.variantId;\r\n }\r\n}\r\n\r\nexport class MultiVariantProductEditor extends VariantProductEditor {\r\n\r\n extractAlias(buttonElement) {\r\n return buttonElement.id.replace('DropDown-', '');\r\n }\r\n\r\n getSelectedValue(buttonElement) {\r\n const menu = buttonElement.parentElement.querySelector('.dropdown-menu');\r\n const activeItem = menu.querySelector('.dropdown-item.active');\r\n return activeItem ? activeItem.name : null;\r\n }\r\n\r\n getSelectedValueFromProduct(product, buttonElement) {\r\n const attrAlias = this.extractAlias(buttonElement);\r\n return product.attributes[attrAlias];\r\n }\r\n\r\n async getProductVariantId(changedElement, changedAttrValue) {\r\n const changedAlias = this.extractAlias(changedElement);\r\n\r\n // Convert selected values into a key value collection\r\n let attributes = {};\r\n for (const buttonElement of this.elements.variants) {\r\n let alias = this.extractAlias(buttonElement);\r\n let value;\r\n if (alias === changedAlias) {\r\n value = changedAttrValue;\r\n } else {\r\n value = this.getSelectedValue(buttonElement);\r\n }\r\n attributes[alias] = value;\r\n }\r\n return await this.productService.getProductVariantId(this.config.productId, attributes/*, signal*/);\r\n }\r\n}\r\n","import { Component } from './Components.js';\r\n\r\nexport class FlexiSide extends Component {\r\n constructor(name, drawingService, apiFlexiSide) {\r\n super(name, drawingService, apiFlexiSide);\r\n }\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'FlexiSide';\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitFlexiSide(this);\r\n }\r\n}\r\n\r\nexport class FlexiSectionContent extends Component {\r\n createDisplayObject() {\r\n return this.createMaterialObject();\r\n }\r\n}\r\n\r\nclass RodWithBrackets extends FlexiSectionContent {\r\n}\r\n\r\nexport class HangRodWithBrackets extends RodWithBrackets {\r\n constructor(name, drawingService, apiHangRod) {\r\n super(name, drawingService, apiHangRod);\r\n }\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'HangRod';\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitHangRodWithBrackets(this);\r\n }\r\n}\r\n\r\nexport class SupportRodWithBrackets extends RodWithBrackets {\r\n constructor(name, drawingService, apiSupportRod) {\r\n super(name, drawingService, apiSupportRod);\r\n }\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'SupportRod';\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitSupportRodWithBrackets(this);\r\n }\r\n}\r\n\r\nexport class FlexiBasketAndTracks extends FlexiSectionContent {\r\n constructor(name, drawingService, apiBasket) {\r\n super(name, drawingService, apiBasket);\r\n }\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'FlexiBasketAndTracks';\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitFlexiBasketAndTracks(this);\r\n }\r\n}\r\n\r\nexport class MeshBasketAndTracks extends FlexiSectionContent {\r\n constructor(name, drawingService, apiBasket) {\r\n super(name, drawingService, apiBasket);\r\n }\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'MeshBasketAndTracks';\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitMeshBasketAndTracks(this);\r\n }\r\n}\r\n\r\nclass BaseShelf extends FlexiSectionContent {\r\n}\r\n\r\nexport class FlexiShelf extends BaseShelf {\r\n constructor(name, drawingService, apiFlexiShelf) {\r\n super(name, drawingService, apiFlexiShelf);\r\n this.metalFinish = apiFlexiShelf.metalF;\r\n }\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'FlexiShelf';\r\n }\r\n\r\n getSecondaryFinish() {\r\n // Some types of shelves have metal finish (i.e. wired shelves)\r\n return this.metalFinish;\r\n }\r\n\r\n setSecondaryFinish(value) {\r\n // Some types of shelves have metal finish (i.e. wired shelves)\r\n this.metalFinish = value;\r\n }\r\n\r\n addToMaterialIdList(list) {\r\n super.addToMaterialIdList(list);\r\n if (this.metalFinish) {\r\n if (this.materialIdPrefix) {\r\n list[this.materialIdPrefix + this.drawingService.materialPrefixDelim + this.metalFinish] = true;\r\n } else {\r\n list[this.metalFinish] = true;\r\n }\r\n }\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitFlexiShelf(this);\r\n }\r\n}\r\n\r\nexport class TopShelf extends BaseShelf {\r\n constructor(name, drawingService, apiTopShelf) {\r\n super(name, drawingService, apiTopShelf);\r\n }\r\n preFactorySetup(config) {\r\n super.preFactorySetup(config);\r\n this.materialIdPrefix = 'TopShelf';\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitTopShelf(this);\r\n }\r\n}\r\n\r\nexport class FlexiSectionContents extends Component {\r\n constructor(name, drawingService, apiContents, config) {\r\n super(name, drawingService, apiContents, config);\r\n /*this.items =*/ this.addApiComponents('Content', this.apiProduct.items);\r\n }\r\n\r\n createDisplayObject() {\r\n return this.createContainer();\r\n }\r\n\r\n iterateContentsUsingPrimaryFinish(onEach) {\r\n this.components.forEach(comp => {\r\n // The flexi-section's primary finish is a \"wood\", while rods and baskets' primary finish is \"metal\".\r\n if ((comp instanceof RodWithBrackets) || (comp instanceof FlexiBasketAndTracks) ||\r\n (comp instanceof MeshBasketAndTracks)) {\r\n // Skip! The component doesn't have a \"wood\" finish.\r\n } else {\r\n onEach(comp); // The component's primary finish is the \"wood\" finish\r\n }\r\n });\r\n }\r\n\r\n iterateContentsUsingSecondaryFinish(onEach) {\r\n this.components.forEach(comp => {\r\n // The flexi-section's primary finish is a \"wood\", while rods and baskets' primary finish is \"metal\".\r\n if ((comp instanceof RodWithBrackets) || (comp instanceof FlexiBasketAndTracks) ||\r\n (comp instanceof MeshBasketAndTracks)) {\r\n onEach(comp, /*usePrimaryFinish:*/ true); // The component's primary finish is the metal finish\r\n } else if (comp instanceof FlexiShelf) {\r\n // Shelves might have both primary and secondary finish.\r\n onEach(comp, /*usePrimaryFinish:*/ false); // The component's secondary finish is the metal finish\r\n } else {\r\n // The component doesn't have a secondary/metal finish\r\n }\r\n });\r\n }\r\n\r\n /**\r\n * Adds each content's primary finishes to the finishes array parameter. Note, secondary finishes\r\n * should not be added (e.g. metal finish).\r\n */\r\n addToPrimaryFinishArray(finishes) {\r\n this.iterateContentsUsingPrimaryFinish(content => content.addToPrimaryFinishArray(finishes));\r\n }\r\n\r\n /** Adds each content's secondary finish (i.e. metal finish) to the finishes array parameter. */\r\n addToSecondaryFinishArray(finishes) {\r\n this.iterateContentsUsingSecondaryFinish((content, usePrimaryFinish) => {\r\n if (usePrimaryFinish) {\r\n content.addToPrimaryFinishArray(finishes);\r\n } else {\r\n content.addToSecondaryFinishArray(finishes);\r\n }\r\n });\r\n }\r\n\r\n doReplaceFinishesRecursively(newFinish, onChanged) {\r\n this.iterateContentsUsingPrimaryFinish(content => content.doReplaceFinishesRecursively(newFinish));\r\n this.replaceFinish(newFinish, onChanged);\r\n }\r\n\r\n doReplaceSecondaryFinishesRecursively(newFinish, onChanged) {\r\n this.iterateContentsUsingSecondaryFinish((content, usePrimaryFinish) => {\r\n if (usePrimaryFinish) {\r\n content.doReplaceFinishesRecursively(newFinish);\r\n } else {\r\n content.doReplaceSecondaryFinishesRecursively(newFinish);\r\n }\r\n });\r\n this.replaceSecondaryFinish(newFinish, onChanged);\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n return Component.assignArrayModificationsTo(destApiProduct, 'contents', this.components, /*assignType:*/ true);\r\n }\r\n\r\n iterate(iterator) {\r\n this.components.forEach(content => iterator.iterate(content));\r\n }\r\n\r\n visitChildren(visitor) {\r\n this.components.forEach(content => visitor.visit(content));\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitFlexiSectionContents(this);\r\n }\r\n}\r\n\r\nclass ClosetModule extends Component {\r\n createDisplayObject() {\r\n return this.createContainer();\r\n }\r\n\r\n /**\r\n * Adds each component's primary finishes to the finishes array parameter. Note, secondary finishes\r\n * should not be added (e.g. metal finish).\r\n */\r\n addToPrimaryFinishArray(finishes) {\r\n this.components.forEach(item => item.addToPrimaryFinishArray(finishes));\r\n }\r\n\r\n /** Adds each component's secondary finishes to the finishes array parameter (i.e. metal finish). */\r\n addToSecondaryFinishArray(finishes) {\r\n this.components.forEach(item => item.addToSecondaryFinishArray(finishes));\r\n }\r\n\r\n /** Used by Iterator subclasses, e.g. DetachFromDomIterator. */\r\n iterate(iterator) {\r\n this.components.forEach(component => iterator.iterate(component));\r\n }\r\n\r\n /**\r\n * Used by Visitor subclasses when the visitor needs to recurse into children of the currently\r\n * visited class.\r\n */\r\n visitChildren(visitor) {\r\n this.components.forEach(component => visitor.visit(component));\r\n }\r\n}\r\n\r\nexport const FloorModuleAlign = {\r\n Left: 'Left',\r\n Center: 'Center',\r\n Right: 'Right',\r\n Fill: 'Fill',\r\n Free: 'Free'\r\n};\r\n\r\nclass FloorModule extends ClosetModule {\r\n constructor(name, drawingService, apiModule) {\r\n super(name, drawingService, apiModule);\r\n this.align = apiModule.align || FloorModuleAlign.Left;\r\n this.innerW = apiModule.innerW || 0;\r\n this.metalFinish = apiModule.metalF;\r\n this.heightType = apiModule.heightType;\r\n if (apiModule.leftSide) {\r\n this.leftSide = new FlexiSide('Left Side', this.drawingService, apiModule.leftSide);\r\n this.addComponent(this.leftSide);\r\n }\r\n if (apiModule.rightSide) {\r\n this.rightSide = new FlexiSide('Right Side', this.drawingService, apiModule.rightSide);\r\n this.addComponent(this.rightSide);\r\n }\r\n }\r\n\r\n getSecondaryFinish() {\r\n // Some types of shelves have metal finish (i.e. wired shelves)\r\n return this.metalFinish;\r\n }\r\n\r\n setSecondaryFinish(value) {\r\n // Some types of shelves have metal finish (i.e. wired shelves)\r\n this.metalFinish = value;\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n let isModified = super.assignModificationsTo(destApiProduct); // Call super to get any changes to finish\r\n\r\n /* TODO: For now we assume heightType, innerW, and align are modified and handled directly in\r\n * the UI, but we really should check and assign each of these here. */\r\n\r\n if (this.metalFinish !== this.apiProduct.metalF) {\r\n destApiProduct.metalF = this.metalFinish;\r\n isModified = true;\r\n }\r\n\r\n const destLeftSide = {};\r\n const isLeftSideModified = this.leftSide && this.leftSide.assignModificationsTo(destLeftSide);\r\n if (isLeftSideModified) {\r\n destApiProduct.leftSide = destLeftSide;\r\n }\r\n const destRightSide = {};\r\n const isRightSideModified = this.rightSide && this.rightSide.assignModificationsTo(destRightSide);\r\n if (isRightSideModified) {\r\n destApiProduct.rightSide = destRightSide;\r\n }\r\n return isModified || isLeftSideModified || isRightSideModified;\r\n }\r\n}\r\n\r\nexport class FlexiSection extends FloorModule {\r\n constructor(name, drawingService, apiSection) {\r\n super(name, drawingService, apiSection);\r\n this.contents = new FlexiSectionContents('Contents', this.drawingService, apiSection.contents);\r\n this.addComponent(this.contents);\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n let isModified = super.assignModificationsTo(destApiProduct); // Call super to get any changes to finish\r\n\r\n const destContents = {\r\n //\"type\" property only needs to be assigned if/when type can be modified or different among the children (e.g. section contents)\r\n //type: this.core.type\r\n };\r\n const isContentsModified = this.contents.assignModificationsTo(destContents);\r\n if (isContentsModified) {\r\n destApiProduct.contents = destContents;\r\n }\r\n return isModified || isContentsModified;\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitFlexiSection(this);\r\n }\r\n}\r\n\r\nclass StandardModule extends FloorModule {\r\n constructor(name, drawingService, apiStandardModule) {\r\n super(name, drawingService, apiStandardModule);\r\n this.floorModules = this.addApiComponents('Floor Module', this.apiProduct.floorModules);\r\n this.otherComponents = this.addApiComponents('Component', this.apiProduct.otherComponents);\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n let isModified = super.assignModificationsTo(destApiProduct); // Call super to get any changes to finish\r\n\r\n const areFloorModulesModified = Component.assignArrayModificationsTo(destApiProduct, 'floorModules', this.hangRods);\r\n const areOtherComponentsModified = Component.assignArrayModificationsTo(destApiProduct, 'otherComponents', this.otherComponents);\r\n\r\n return isModified || areFloorModulesModified || areOtherComponentsModified;\r\n }\r\n}\r\n\r\nexport class TopShelfModule extends ClosetModule {\r\n constructor(name, drawingService, apiShelfModule) {\r\n super(name, drawingService, apiShelfModule);\r\n /*this.shelves =*/ this.addApiComponents('Shelf', this.apiProduct.shelves);\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n let isModified = super.assignModificationsTo(destApiProduct); // Call super to get any changes to finish\r\n const areShelvesModified = Component.assignArrayModificationsTo(destApiProduct, 'shelves', this.components);\r\n return isModified || areShelvesModified;\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitTopShelfModule(this);\r\n }\r\n}\r\n\r\nexport class HangRodModule extends StandardModule {\r\n constructor(name, drawingService, apiHangRodModule) {\r\n super(name, drawingService, apiHangRodModule);\r\n this.hangRods = this.addApiComponents('Hang rod', this.apiProduct.hangRods);\r\n this.supportRods = this.addApiComponents('Support rod', this.apiProduct.supportRods);\r\n this.shelves = this.addApiComponents('Shelf', this.apiProduct.shelves);\r\n }\r\n\r\n doReplaceFinishesRecursively(newFinish, onChanged) {\r\n this.components.forEach(comp => {\r\n /* The primary finish is a \"wood\", but any rod finishes are \"metal\".\r\n * Hence, skip rods here: */\r\n if (!(comp instanceof RodWithBrackets) && !(comp instanceof SupportRodWithBrackets)) {\r\n comp.doReplaceFinishesRecursively(newFinish);\r\n }\r\n });\r\n this.replaceFinish(newFinish, onChanged);\r\n }\r\n\r\n doReplaceSecondaryFinishesRecursively(newFinish, onChanged) {\r\n this.components.forEach(comp => {\r\n if ((comp instanceof RodWithBrackets) || (comp instanceof FlexiBasketAndTracks) ||\r\n (comp instanceof MeshBasketAndTracks)) {\r\n comp.doReplaceFinishesRecursively(newFinish);\r\n } else {\r\n comp.doReplaceSecondaryFinishesRecursively(newFinish);\r\n }\r\n });\r\n this.replaceSecondaryFinish(newFinish, onChanged);\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n let isModified = super.assignModificationsTo(destApiProduct); // Call super to get any changes to finish\r\n\r\n const areHangRodsModified = Component.assignArrayModificationsTo(destApiProduct, 'hangRods', this.hangRods);\r\n const areSupportRodsModified = Component.assignArrayModificationsTo(destApiProduct, 'supportRods', this.supportRods);\r\n\r\n return isModified || areHangRodsModified || areSupportRodsModified;\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitHangRodModule(this);\r\n }\r\n}\r\n\r\nexport class ClosetOrganizer extends StandardModule {\r\n constructor(name, drawingService, apiClosetOrganizer) {\r\n super(name, drawingService, apiClosetOrganizer);\r\n this.topShelfModule = new TopShelfModule('Topshelf Module', this.drawingService, apiClosetOrganizer.topShelfModule);\r\n this.addComponent(this.topShelfModule);\r\n }\r\n\r\n assignModificationsTo(destApiProduct) {\r\n let isModified = super.assignModificationsTo(destApiProduct); // Call super to get any changes to finish\r\n\r\n const destTopShelfModule = {\r\n //\"type\" property only needs to be assigned if/when type can be modified or different among the children (e.g. section contents)\r\n //type: this.core.type\r\n };\r\n const isModuleModified = this.topShelfModule.assignModificationsTo(destTopShelfModule);\r\n if (isModuleModified) {\r\n destApiProduct.topShelfModule = destTopShelfModule;\r\n }\r\n return isModified || isModuleModified;\r\n }\r\n\r\n acceptVisitor(visitor) {\r\n return visitor.visitClosetOrganizer(this);\r\n }\r\n}\r\n","import { ProductViewModelFactory, ProductViewModelFactories } from './ProductViewModelFactories.js';\r\nimport { DoorFrontEditor } from './DoorFrontEditor.js';\r\nimport { ProductEditor } from './ProductEditor.js';\r\nimport {\r\n SideWallEditor, FlexiSideEditor, FlexiShelfEditor, FlexiBasketAndTracksEditor,\r\n MeshBasketAndTracksEditor, FlexiSectionEditor, ClosetOrganizerEditor\r\n} from './InteriorEditor.js';\r\nimport { SingleVariantProductEditor, MultiVariantProductEditor } from './VariantProductEditor.js';\r\nimport { DoorFront, SideWall, FixedProduct, OneDimVariantProduct, MultiDimVariantProduct } from './Components.js';\r\nimport {\r\n FlexiSide, HangRodWithBrackets, SupportRodWithBrackets, FlexiBasketAndTracks, MeshBasketAndTracks,\r\n TopShelf, FlexiShelf, FlexiSection, TopShelfModule, HangRodModule, ClosetOrganizer\r\n} from './Components-Flexi.js';\r\n\r\nconst PriceMarketCodes = {\r\n EuCm: 'eu-cm', // Euro-zone, consumer market.\r\n NoRc: 'no-rc', // Norway, retail chain market\r\n NoCm: 'no-cm', // Norway, consumer market\r\n}\r\n\r\nclass SlidingDoorFrontFactory extends ProductViewModelFactory {\r\n\r\n /**\r\n * This method might--if session storage contains a product--communicate with the remote\r\n * designerService to asynchronously load the product. The async load happens on the last line of\r\n * the ProductEditor class constructor.\r\n */\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new DoorFrontEditor(productEditorConfig, designerService, productService);\r\n }\r\n\r\n getAllKnownSafirMaterialIds(mktCode) {\r\n // TODO: Allow the returned material id's to vary based on mktCode. Currently this returns known materials for the EuCm market\r\n const materialIds = {};\r\n const frameFinishes = ['WhiteAluminum', 'NaturalAluminum', 'BlackAluminum'];\r\n const doorPanelFinishes = [\r\n 'WhiteMelamine',\r\n 'ClearMirror',\r\n 'GrayMirror',\r\n 'BronzeMirror',\r\n 'WhiteGlass',\r\n 'OakVeneer',\r\n 'BirchVeneer',\r\n 'GrayReed',\r\n 'LightGrayReed',\r\n 'OakReed',\r\n 'WhiteMelamineReed',\r\n 'BlackOakPaint',\r\n 'StoneAsh',\r\n 'LavaElm',\r\n 'Taupe_NCS_S6005_Y20R',\r\n 'Black_NCS_S9000N',\r\n 'AntrasiteMelamine',\r\n 'ManhattanGrayMelamine',\r\n ];\r\n const trackFinishes = ['WhiteAluminum', 'SilverAluminum', 'BlackAluminum'];\r\n\r\n this.addMaterials(materialIds, 'AluFlatDivider', frameFinishes);\r\n this.addMaterials(materialIds, 'AluHDivider', frameFinishes);\r\n this.addMaterials(materialIds, 'SafirBottomDoorRail', frameFinishes);\r\n this.addMaterials(materialIds, 'SafirTopDoorRail', frameFinishes);\r\n this.addMaterials(materialIds, 'SafirDoorStile', frameFinishes);\r\n this.addMaterials(materialIds, 'DoorPanel', doorPanelFinishes);\r\n this.addMaterials(materialIds, 'SlidingDoorTopTrack-Safir', trackFinishes);\r\n this.addMaterials(materialIds, 'SlidingDoorBottomTrack-Safir', trackFinishes);\r\n\r\n return materialIds;\r\n }\r\n\r\n getAllKnownTopazMaterialIds(mktCode) {\r\n // TODO: Allow the returned material id's to vary based on mktCode. Currently this returns known materials for the EuCm market\r\n const materialIds = {};\r\n const frameFinishes = ['OakVeneer', 'WhiteNCS_S0500N', 'GrayNCS_S5500N', 'BlackOakPaint'];\r\n const doorPanelFinishes = [\r\n 'ClearMirror',\r\n 'GrayMirror',\r\n 'BronzeMirror',\r\n 'WhiteGlass',\r\n 'OakVeneer',\r\n 'WhiteMelamineReed',\r\n 'BlackOakPaint',\r\n 'WhiteNCS_S0500N',\r\n 'GrayNCS_S5500N',\r\n ];\r\n const trackFinishes = ['WhiteAluminum', 'SilverAluminum', 'BlackAluminum'];\r\n\r\n this.addMaterials(materialIds, 'DoorPanel', doorPanelFinishes);\r\n this.addMaterials(materialIds, 'TopazDoorRail', frameFinishes);\r\n this.addMaterials(materialIds, 'TopazDoorStile', frameFinishes);\r\n this.addMaterials(materialIds, 'TopazHDivider', frameFinishes);\r\n // Note, Topaz uses the same track types (they're called Safir tracks)\r\n this.addMaterials(materialIds, 'SlidingDoorTopTrack-Safir', trackFinishes);\r\n this.addMaterials(materialIds, 'SlidingDoorBottomTrack-Safir', trackFinishes);\r\n\r\n return materialIds;\r\n }\r\n\r\n getAllKnownEdgeMaterialIds(mktCode) {\r\n // TODO: Allow the returned material id's to vary based on mktCode. Currently this returns known Safir materials for the EuCm market\r\n const materialIds = {};\r\n const frameFinishes = ['WhiteAluminum', 'NaturalAluminum', 'BlackAluminum'];\r\n const doorPanelFinishes = [\r\n 'WhiteMelamine',\r\n 'ClearMirror',\r\n 'GrayMirror',\r\n 'BlackGlass',\r\n 'GrayGlass',\r\n 'WhiteGlass',\r\n 'OakVeneer',\r\n 'BirchVeneer',\r\n 'GrayReed',\r\n 'LightGrayReed',\r\n 'OakReed',\r\n 'WhiteMelamineReed',\r\n 'BlackOakPaint',\r\n 'StoneAsh',\r\n 'LavaElm',\r\n 'Black_NCS_S9000N',\r\n 'OakWhiteMelamine',\r\n 'ManhattanGrayMelamine',\r\n ];\r\n const trackFinishes = ['WhiteAluminum', 'SilverAluminum', 'BlackAluminum'];\r\n\r\n this.addMaterials(materialIds, 'DoorPanel', doorPanelFinishes);\r\n this.addMaterials(materialIds, 'EdgeHDivider', frameFinishes);\r\n this.addMaterials(materialIds, 'EdgeDoorRail', frameFinishes);\r\n this.addMaterials(materialIds, 'EdgeDoorStile', frameFinishes);\r\n // Note, Edge uses the same track types (they're called Safir tracks)\r\n this.addMaterials(materialIds, 'SlidingDoorTopTrack-Safir', trackFinishes);\r\n this.addMaterials(materialIds, 'SlidingDoorBottomTrack-Safir', trackFinishes);\r\n\r\n return materialIds;\r\n }\r\n\r\n getAllKnownProductMaterialIds(apiProduct) {\r\n if (apiProduct.doors.length > 0) {\r\n switch (apiProduct.doors[0].design) {\r\n case 'Safir':\r\n return this.getAllKnownSafirMaterialIds(apiProduct.mktCode);\r\n case 'Topaz':\r\n return this.getAllKnownTopazMaterialIds(apiProduct.mktCode);\r\n case 'Edge':\r\n return this.getAllKnownEdgeMaterialIds(apiProduct.mktCode);\r\n default:\r\n }\r\n } else {\r\n return [];\r\n }\r\n }\r\n\r\n createProduct(drawingService, apiProduct, config) {\r\n return new DoorFront('Door Front', drawingService, apiProduct, config);\r\n }\r\n}\r\n\r\n/** ProductViewModelFactory which has a productClass property used when instantiating a product. */\r\nclass ProductClassFactory extends ProductViewModelFactory {\r\n constructor(productType, productClass) {\r\n super(productType);\r\n this.productClass = productClass;\r\n }\r\n\r\n createProduct(drawingService, apiProduct, config) {\r\n return new this.productClass(this.productType, drawingService, apiProduct, config);\r\n }\r\n}\r\n\r\nclass SideWallFactory extends ProductClassFactory {\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new SideWallEditor(productEditorConfig, designerService, productService);\r\n }\r\n\r\n getAllKnownProductMaterialIds(apiProduct) {\r\n const materialIds = {};\r\n /* NOTE: If a used finish is not listed here, then the ui rendering (e.g. HtmlRenderVisitor) will not\r\n * be able to display the material. In HtmlRenderVisitor's case a warning will be displayed in the\r\n * console. */\r\n const sideWallFinishes = [\r\n 'BirchVeneer',\r\n 'OakVeneer',\r\n 'OakWhiteMelamine',\r\n 'PrimedFoil',\r\n 'WhiteMelamine',\r\n 'ManhattanGrayMelamine',\r\n 'VulcanGrayMelamine',\r\n 'SanRemoSandOak',\r\n 'Black_NCS_S9000N',\r\n 'StoneAsh',\r\n 'Taupe_NCS_S6005_Y20R'\r\n ];\r\n this.addMaterials(materialIds, 'SideWall', sideWallFinishes);\r\n // Not all sidewall specific materials might exist. Let's include generic material names as well:\r\n sideWallFinishes.forEach(finish => materialIds[finish] = true);\r\n return materialIds;\r\n }\r\n}\r\n\r\nclass InteriorFactory extends ProductClassFactory {\r\n getPrimaryFinishes() {\r\n return [\r\n 'OakWhiteMelamine',\r\n 'WhiteMelamine',\r\n 'Black_NCS_S9000N',\r\n ];\r\n }\r\n\r\n getMetalFinishes() {\r\n return [\r\n 'WhiteSteel',\r\n 'SilverSteel',\r\n 'BlackSteel',\r\n ];\r\n }\r\n\r\n /** returns an object with properties matching the finishes identified by the finishes parameter. */\r\n addToProductMaterialIds(materialIds, finishes, prefix) {\r\n // Add the finishes array values as properties of the materialIds object:\r\n this.addMaterials(materialIds, prefix, finishes);\r\n // Not all specific materials might exist. Let's add properties for the finishes without prefix as well:\r\n finishes.forEach(finish => materialIds[finish] = true);\r\n return materialIds;\r\n }\r\n\r\n /** Adds the finishes identified by the getPrimaryFinishes() method. */\r\n addPrimaryProductMaterialIds(materialIds, prefix) {\r\n const finishes = this.getPrimaryFinishes();\r\n this.addToProductMaterialIds(materialIds, finishes, prefix);\r\n }\r\n\r\n /** Adds the finishes identified by the getMetalFinishes() method. */\r\n addMetalProductMaterialIds(materialIds, prefix) {\r\n const finishes = this.getMetalFinishes();\r\n this.addToProductMaterialIds(materialIds, finishes, prefix);\r\n }\r\n\r\n /** returns an object with properties matching the finishes identified by the getPrimaryFinishes() method. */\r\n getPrimaryProductMaterialIds(prefix) {\r\n const materialIds = {};\r\n // Add the finishes array values as properties of the materialIds object:\r\n this.addPrimaryProductMaterialIds(materialIds, prefix);\r\n return materialIds;\r\n }\r\n\r\n /** returns an object with properties matching the finishes identified by the getMetalFinishes() method. */\r\n getMetalProductMaterialIds(prefix) {\r\n const materialIds = {};\r\n // Add the finishes array values as properties of the materialIds object:\r\n this.addMetalProductMaterialIds(materialIds, prefix);\r\n return materialIds;\r\n }\r\n}\r\n\r\nclass FlexiSideFactory extends InteriorFactory {\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new FlexiSideEditor(productEditorConfig, designerService, productService);\r\n }\r\n\r\n getAllKnownProductMaterialIds(apiProduct) {\r\n /* NOTE: If a used finish is not listed here, then the ui rendering (e.g. HtmlRenderVisitor) will not\r\n * be able to display the material. In HtmlRenderVisitor's case a warning will be displayed in the\r\n * console. */\r\n return this.getPrimaryProductMaterialIds('FlexiSide');\r\n }\r\n}\r\n\r\nclass FlexiShelfFactory extends InteriorFactory {\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new FlexiShelfEditor(productEditorConfig, designerService, productService);\r\n }\r\n\r\n getAllKnownProductMaterialIds(apiProduct) {\r\n /* NOTE: If a used finish is not listed here, then the ui rendering (e.g. HtmlRenderVisitor) will\r\n * not be able to display the material. In HtmlRenderVisitor's case a warning will be displayed\r\n * in the console. */\r\n const materialIds = {}\r\n this.addPrimaryProductMaterialIds(materialIds, 'FlexiShelf');\r\n this.addMetalProductMaterialIds(materialIds, 'FlexiShelf');\r\n return materialIds;\r\n }\r\n}\r\n\r\nclass FlexiBasketAndTracksFactory extends InteriorFactory {\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new FlexiBasketAndTracksEditor(productEditorConfig, designerService, productService);\r\n }\r\n\r\n getAllKnownProductMaterialIds(apiProduct) {\r\n /* NOTE: If a used finish is not listed here, then the ui rendering (e.g. HtmlRenderVisitor) will\r\n * not be able to display the material. In HtmlRenderVisitor's case a warning will be displayed\r\n * in the console. */\r\n return this.getMetalProductMaterialIds('FlexiBasketAndTracks');\r\n }\r\n}\r\n\r\nclass MeshBasketAndTracksFactory extends InteriorFactory {\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new MeshBasketAndTracksEditor(productEditorConfig, designerService, productService);\r\n }\r\n\r\n getAllKnownProductMaterialIds(apiProduct) {\r\n /* NOTE: If a used finish is not listed here, then the ui rendering (e.g. HtmlRenderVisitor) will\r\n * not be able to display the material. In HtmlRenderVisitor's case a warning will be displayed\r\n * in the console. */\r\n return this.getMetalProductMaterialIds('MeshBasketAndTracks');\r\n }\r\n}\r\n\r\nclass FloorModuleFactory extends InteriorFactory {\r\n getAllKnownProductMaterialIds(apiProduct) {\r\n const knownPrimaryPrefixes = [\r\n 'FlexiShelf',\r\n 'FlexiSide',\r\n ];\r\n const knownMetalPrefixes = [\r\n 'FlexiShelf',\r\n 'FlexiBasketAndTracks',\r\n 'MeshBasketAndTracks',\r\n 'HangRodWithBrackets',\r\n 'SupportRodWithBrackets',\r\n ];\r\n /* NOTE: If a used finish is not listed here, then the ui rendering (e.g. HtmlRenderVisitor)\r\n * will not be able to display the material. In HtmlRenderVisitor's case a warning will be\r\n * displayed in the console. */\r\n const materialIds = {}\r\n knownPrimaryPrefixes.forEach(prefix => this.addPrimaryProductMaterialIds(materialIds, prefix));\r\n knownMetalPrefixes.forEach(prefix => this.addMetalProductMaterialIds(materialIds, prefix));\r\n return materialIds;\r\n }\r\n}\r\n\r\nclass FlexiSectionFactory extends FloorModuleFactory {\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new FlexiSectionEditor(productEditorConfig, designerService, productService);\r\n }\r\n}\r\n\r\nclass ClosetOrganizerFactory extends FloorModuleFactory {\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new ClosetOrganizerEditor(productEditorConfig, designerService, productService);\r\n }\r\n}\r\n\r\nclass FixedDesignerProductFactory extends ProductViewModelFactory {\r\n constructor(productType) {\r\n super(productType);\r\n }\r\n\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new ProductEditor(productEditorConfig, designerService, productService);\r\n }\r\n}\r\n\r\nclass OneDimVariantProductFactory extends ProductViewModelFactory {\r\n constructor(productType) {\r\n super(productType);\r\n }\r\n\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new SingleVariantProductEditor(productEditorConfig, designerService, productService);\r\n }\r\n}\r\n\r\nclass MultiDimVariantProductFactory extends ProductViewModelFactory {\r\n constructor(productType) {\r\n super(productType);\r\n }\r\n\r\n createProductEditor(productEditorConfig, designerService, productService) {\r\n return new MultiVariantProductEditor(productEditorConfig, designerService, productService);\r\n }\r\n}\r\n\r\nexport function RegisterFactories() {\r\n ProductViewModelFactories.register('SlidingDoorFront', SlidingDoorFrontFactory);\r\n ProductViewModelFactories.register('SideWall', SideWallFactory, SideWall);\r\n ProductViewModelFactories.register('FlexiSide', FlexiSideFactory, FlexiSide);\r\n ProductViewModelFactories.register('HangRodWithBrackets', InteriorFactory, HangRodWithBrackets);\r\n ProductViewModelFactories.register('SupportRodWithBrackets', InteriorFactory, SupportRodWithBrackets);\r\n ProductViewModelFactories.register('FlexiBasketAndTracks', FlexiBasketAndTracksFactory, FlexiBasketAndTracks);\r\n ProductViewModelFactories.register('MeshBasketAndTracks', MeshBasketAndTracksFactory, MeshBasketAndTracks);\r\n ProductViewModelFactories.register('TopShelf', InteriorFactory, TopShelf);\r\n ProductViewModelFactories.register('FlexiShelf', FlexiShelfFactory, FlexiShelf);\r\n ProductViewModelFactories.register('FlexiSection', FlexiSectionFactory, FlexiSection);\r\n ProductViewModelFactories.register('TopShelfModule', InteriorFactory, TopShelfModule);\r\n ProductViewModelFactories.register('HangRodModule', InteriorFactory, HangRodModule);\r\n ProductViewModelFactories.register('ClosetOrganizer', ClosetOrganizerFactory, ClosetOrganizer);\r\n ProductViewModelFactories.register('FixedDesignerProduct', FixedDesignerProductFactory, FixedProduct);\r\n ProductViewModelFactories.register('OneDimVariantProduct', OneDimVariantProductFactory, OneDimVariantProduct);\r\n ProductViewModelFactories.register('MultiDimVariantProduct', MultiDimVariantProductFactory, MultiDimVariantProduct);\r\n}\r\n","export const Align = {\r\n begin: 0,\r\n center: 1,\r\n end: 2\r\n};\r\n\r\n/**\r\n * The DrawingEngine is responsible for creating the product drawing. This is just an abstract base\r\n * class and serves the purpose of showing which methods must be implemented by concrete subclasses.\r\n */\r\nexport class DrawingEngine {\r\n constructor(name, options) {\r\n this.name = name || 'Drawing Engine';\r\n /* The productDrawing is the html element which hosts the display objects representing the\r\n * product and its components. For a canvas-based engine (Pixi, Babylon), the productDrawing is\r\n * the . For an html-based engine (HtmlDrawingEngine), the productDrawing is the
    \r\n * element which is the parent of the root display object. */\r\n this.productDrawing = options.productDrawing;\r\n }\r\n\r\n static createDefaultOptions(productDrawing) {\r\n //throw Error('createDefaultOptions must be implemented by the subclass');\r\n return {\r\n productDrawing\r\n };\r\n }\r\n\r\n /**\r\n * This method should return true if the engine class can share the material image loader with other\r\n * engines. This method should be reimplemented by subclasses.\r\n */\r\n static canShareLoader() { return false; }\r\n\r\n createDrawingService(getFinish) {\r\n throw Error('createDrawingService must be implemented by the subclass');\r\n }\r\n\r\n/**\r\n * Pre-loads material images\r\n * @param {any} allMaterials Our global list of known materials\r\n * @param {any} materialIdsToLoad Material id's of the images we want to preload now.\r\n * @param {any} resolution Which set images to load. The value should be the name of the folder\r\n * containing the images in that resolution, e.g. 'low-res' or 'high-res'.\r\n */\r\n async loadMaterials(allMaterials, materialIdsToLoad, resolution) {\r\n throw Error('loadMaterials must be implemented by the subclass');\r\n }\r\n\r\n renderOnce() {\r\n throw Error('renderOnce must be implemented by the subclass');\r\n }\r\n\r\n /**\r\n * The owner class (e.g. ProductDrawing) can call this method to get the display object to be\r\n * associated with the stage product. The stage product is a code created root product instance\r\n * and the parent of the product being displayed/edited.\r\n */\r\n getStageDisplayObject() {\r\n throw Error('getStageDisplayObject must be implemented by the subclass');\r\n }\r\n\r\n /** Needed if the user want's to move the html element into a full screen display. */\r\n getRootHtmlElement(rootDisplayObject) {\r\n throw Error('getRootHtmlElementmust be implemented by the subclass');\r\n }\r\n\r\n /**\r\n * Is responsible for adding a display object to the drawing. Typically this only needs to happen\r\n * for the root display object, and with some engine this is already done by the fact that the\r\n * display objects were added to the drawing when they were instantiated (Pixi, Babylon). These\r\n * subclasses may therefore implement this method with a do-nothing statement.\r\n * @param {any} displayObject The html element, mesh or sprite representing the (root) product component\r\n */\r\n addToDrawing(displayObject) {\r\n throw Error('addToDrawing must be implemented by the subclass');\r\n }\r\n\r\n /**\r\n * Turns interaction on/off for the displayObject.\r\n * @param {displayObject} displayObject The object whose interaction is toggled.\r\n * @param {bool} on Whether to turn interaction on or off.\r\n * @param {callback} clickHandler Handler for the displayObject's click event.\r\n */\r\n toggleDisplayObjectInteractive(displayObject, on, clickHandler) {\r\n throw Error('toggleDisplayObjectInteractive must be implemented by the subclass');\r\n }\r\n\r\n /**\r\n * Returns an object with the width and height of the drawing. This should match the size of the\r\n * image returned by the getDrawingImageUrl method.\r\n */\r\n getDrawingSize() {\r\n throw Error('getDrawingSize must be implemented by the subclass');\r\n }\r\n\r\n getDrawingImageUrl() {\r\n throw Error('getDrawingImageUrl must be implemented by the subclass');\r\n }\r\n\r\n bestFitStageAndCanvas(fitCanvasAroundStage, renderOnce) {\r\n throw Error('bestFitStageAndCanvas must be implemented by the subclass');\r\n }\r\n\r\n resizeCanvasToFitInFullWindow(renderOnce) {\r\n throw Error('resizeCanvasToFitInFullWindow must be implemented by the subclass');\r\n }\r\n\r\n // As of 8/17/2020 not in use, but should still be functional\r\n resizeCanvasToFitInFullScreen(renderOnce) {\r\n throw Error('resizeCanvasToFitInFullScreen must be implemented by the subclass');\r\n }\r\n\r\n resizeCanvasToFitAroundStage(renderOnce) {\r\n throw Error('resizeCanvasToFitAroundStage must be implemented by the subclass');\r\n }\r\n}\r\n\r\n/** Each drawing engine should register themselves with this registry. */\r\nexport const EngineRegistry = {\r\n register: function(name, engineClass) {\r\n this[name] = engineClass;\r\n },\r\n};","export class ImageLoader {\r\n constructor() {\r\n }\r\n\r\n /**\r\n * Use like this:\r\n *\r\n * loadImages(myImageUrlArray).then(images => {\r\n * // the loaded images are in the images array\r\n * });\r\n *\r\n * Or inside an async function:\r\n *\r\n * const images = await loadImages(myImages);\r\n */\r\n async loadImages(imageDataArray, beforeLoad, onLoad, onError) {\r\n const promiseArray = []; // create an array for promises\r\n const imageArray = []; // array for the images\r\n for (let imageData of imageDataArray) {\r\n promiseArray.push(new Promise(resolve => {\r\n const img = new Image();\r\n /* If you don't need to do anything when the image loads,\r\n /* then you can just write img.onload = resolve. */\r\n img.onload = () => {\r\n if (onLoad) {\r\n onLoad(img, imageData);\r\n }\r\n // Resolve the promise, indicating that the image has been loaded.\r\n resolve();\r\n };\r\n img.onerror = () => {\r\n if (onError) {\r\n onError(img, imageData);\r\n }\r\n // Resolve the promise, indicating that the image has been processed.\r\n resolve();\r\n };\r\n if (beforeLoad) {\r\n // It's the beforeLoad function's responsibility to assign the\r\n // src property on the img.\r\n beforeLoad(img, imageData);\r\n } else {\r\n // We assume image Data is the url of the image\r\n img.src = imageData;\r\n }\r\n imageArray.push(img);\r\n }));\r\n }\r\n /* This is the bottom of a possibly long call stack of awaits!!! */\r\n await Promise.all(promiseArray); // wait for all the images to be loaded\r\n return imageArray;\r\n }\r\n\r\n async loadImage(imageUrl) {\r\n let img;\r\n const imageLoadPromise = new Promise(resolve => {\r\n img = new Image();\r\n img.onload = resolve;\r\n img.src = imageUrl;\r\n });\r\n await imageLoadPromise;\r\n return img;\r\n }\r\n}\r\n","import { ImageLoader } from './ImageLoader.js';\r\nimport { StringUtils } from './../main/ObjectUtils.js';\r\n\r\n/** The difference between product material and product finish is that the same finish can be\r\n * applied to more than one material. An example of a finish id is \"BlackAluminum\", and an\r\n * example of a material id is \"AluFlatDivider-BlackAluminum\". */\r\nexport class ProductMaterialLoader {\r\n constructor(folderRelativePath, getFinishName) {\r\n this.loadedMaterials = {};\r\n this.folderRelativePath = folderRelativePath;\r\n this.imageLoader = new ImageLoader();\r\n this.getFinishName = getFinishName;\r\n //console.log('%cCreated ProductMaterialLoader', 'color: blue');\r\n }\r\n\r\n makeFullRelativeUrl(filename, resolution) {\r\n return StringUtils.addTrailingSlash(this.folderRelativePath) + resolution + '/' + filename;\r\n }\r\n\r\n /** Finds the material by its id in the list of all materials (loaded or not). */\r\n lookupMaterial(allMaterials, id) {\r\n //return this.allMaterials.find(material => material.id === id);\r\n return allMaterials[id];\r\n }\r\n\r\n getLoadedMaterial(materialIdPrefix, finishId, delimiter = '-') {\r\n const materialId = materialIdPrefix + delimiter + finishId;\r\n return this.loadedMaterials[materialId];\r\n }\r\n\r\n extractFinish(materialId) {\r\n const index = materialId.lastIndexOf('-');\r\n return index > -1 ? materialId.substring(index + 1) : materialId;\r\n }\r\n\r\n getMaterialName(material) {\r\n const finish = this.getFinishName(material.finish);\r\n return material.productType\r\n ? `${material.productType} ${finish} (${material.id})`\r\n : `${finish} (${material.id})`;\r\n }\r\n\r\n convertToPropName(name) {\r\n const ndx = name.indexOf('-');\r\n if (ndx > -1 && ndx < name.length - 1) {\r\n const ch = name.charAt(ndx + 1);\r\n const upper = ch.toUpperCase();\r\n name = name.slice(0, ndx) + upper + name.slice(ndx + 2);\r\n }\r\n return name;\r\n }\r\n\r\n /**\r\n * Prepares the material for loading\r\n * @param {object} material\r\n * @param {string} resolution Indicating which image (low or high resolution) to prepare.\r\n * @returns {bool} True if the material was prepared now, False if it was already prepared.\r\n */\r\n prepareMaterial(material, resolution) {\r\n let wasPrepared = false;\r\n if (material.color) {\r\n material.isColor = true;\r\n material.finish = this.extractFinish(material.id);\r\n material.name = this.getMaterialName(material);\r\n wasPrepared = true;\r\n }\r\n if (material.fileName) {\r\n material.isImage = true;\r\n let matrImg = material[resolution]; // Gets the object from the material.resolution property\r\n if (!matrImg) {\r\n matrImg = material[resolution] = { resolution }; // Creates a new object and assigns it to material.resolution\r\n }\r\n const url = this.makeFullRelativeUrl(material.fileName, resolution);\r\n const isLoadingOrLoaded = matrImg.isLoading || matrImg.isLoaded;\r\n if (!isLoadingOrLoaded || matrImg.url !== url) {\r\n material.finish = this.extractFinish(material.id);\r\n material.name = this.getMaterialName(material);\r\n matrImg.url = url;\r\n matrImg.isLoaded = false;\r\n matrImg.isLoading = false;\r\n wasPrepared = true;\r\n } else /* is already loaded and url is the same */ {\r\n wasPrepared = false;\r\n }\r\n }\r\n this.loadedMaterials[material.id] = material;\r\n return wasPrepared;\r\n }\r\n\r\n /**\r\n * Iterates the material id array and assigns the name and url properties of each material which\r\n * hasn't already been loaded. Returns an array of material of the ones which need to be loaded.\r\n * @param {array of material id} materialIds\r\n * @param {string} resolution Indicates which images to load, low/high resolution etc. The param value\r\n * should be the name of the folder containing resolution specific images, e.g. 'low-res' or 'high-res'.\r\n * @return {array of material object} The materials which are being loaded.\r\n */\r\n prepareLoading(allMaterials, materialIds, resolution) {\r\n const loadingImageMaterials = [];\r\n Object.keys(materialIds).forEach(materialId => {\r\n /* materialIds is an object where each property is a material id. The value of each property\r\n * is either, true, false, or undefined. */\r\n if (materialIds[materialId]) {\r\n const material = this.lookupMaterial(allMaterials, materialId);\r\n if (material) {\r\n if (this.prepareMaterial(material, resolution) && material.isImage) {\r\n loadingImageMaterials.push(material);\r\n }\r\n }\r\n }\r\n });\r\n //console.log(`${loadingMaterials.length} materials prepared for load!`);\r\n return loadingImageMaterials;\r\n }\r\n\r\n /**\r\n * Asynchronously starts loading the images linked to by the url property of each material\r\n * in the loadingMaterials array. Returns the loadingMaterials array when the entire\r\n * operation has completed.\r\n * @param {array of Material} loadingMaterials\r\n * @param {string} resolution Indicates which images to load, low/high resolution etc. The param value\r\n * should be the name of the folder containing resolution specific images, e.g. 'low-res' or 'high-res'.\r\n * @return {array of material object} The materials which are being loaded.\r\n */\r\n async startLoading(loadingMaterials, resolution) {\r\n if (loadingMaterials.length === 0) {\r\n return loadingMaterials;\r\n }\r\n const beforeLoad = (img, material) => {\r\n const matrImg = material[resolution];\r\n img.src = matrImg.url;\r\n matrImg.isLoading = true;\r\n if (!material.current) {\r\n // Allow code to access the current material image between now and when the image load completes:\r\n material.current = matrImg;\r\n }\r\n };\r\n const onLoad = (img, material) => {\r\n const matrImg = material[resolution];\r\n matrImg.image = img;\r\n matrImg.isLoaded = true;\r\n matrImg.isLoading = false;\r\n //console.log(`${resolution} image ${material.name} loaded`);\r\n };\r\n const onError = (img, material) => {\r\n material[resolution].isLoading = false;\r\n console.log(`Unable to load image ${img.src}`);\r\n };\r\n\r\n //console.log(`Downloading ${loadingMaterials.length} ${resolution} material image(s)...`);\r\n const imgArray = await this.imageLoader.loadImages(loadingMaterials, beforeLoad, onLoad, onError);\r\n //console.log(`${imgArray.length} ${resolution} material image(s) downloaded!`);\r\n return loadingMaterials;\r\n }\r\n\r\n /**\r\n * Asynchronously loads the materials referenced in the materialIds array, but only those which\r\n * have not already been loaded. Returns an array of the materials which just got loaded when the\r\n * entire operation has completed. To access all loaded materials, including those which were\r\n * previously loaded, use the loadedMaterials property.\r\n * @param {string} resolution Indicates which images to load, low/high resolution etc. The param value\r\n * should be the name of the folder containing resolution specific images, e.g. 'low-res' or 'high-res'.\r\n * @return {array of material object} The materials which are being loaded.\r\n */\r\n async load(allMaterials, materialIds, resolution) {\r\n const imageMaterialsToBeLoaded = this.prepareLoading(allMaterials, materialIds, resolution);\r\n return await this.startLoading(imageMaterialsToBeLoaded, resolution);\r\n }\r\n\r\n /**\r\n * Asynchronously load a single material, but only if it has not already been loaded.\r\n * @param {string} resolution Indicates which images to load, low/high resolution etc. The param value\r\n * should be the name of the folder containing resolution specific images, e.g. 'low-res' or 'high-res'.\r\n * @return {bool} True if the material was loaded now, false if it was already loaded (loaded earlier).\r\n */\r\n async loadSingleMaterial(material, resolution) {\r\n if (this.prepareMaterial(material, resolution)) {\r\n if (material.isImage) {\r\n const materials = [material];\r\n await this.startLoading(materials, resolution);\r\n }\r\n return true;\r\n }\r\n return false;\r\n }\r\n}\r\n","import { DrawingEngine } from './DrawingEngine.js';\r\nimport { ProductMaterialLoader } from './ProductMaterialLoader.js';\r\n\r\nexport class DrawingEngine2020 extends DrawingEngine {\r\n constructor(name, options) {\r\n super(name, options);\r\n // This is a default, the callback should be set by the owner:\r\n this.getFinishName = finishId => finishId;\r\n this.loader = options.sharedLoader || new ProductMaterialLoader(this.getMaterialImagesFolder(),\r\n finishId => this.getFinishName(finishId));\r\n this.lowRes = 'low-res';\r\n this.highRes = 'high-res';\r\n }\r\n\r\n static canShareLoader() { return true; }\r\n\r\n getMaterialImagesFolder() {\r\n return this.finishImagesBaseUrl;\r\n }\r\n\r\n /**\r\n * Pre-loads material images\r\n * @param {any} allMaterials Our global list of known materials\r\n * @param {any} materialIdsToLoad Material id's of the images we want to preload now.\r\n * @param {string} resolution Indicates which images to load, low/high resolution etc. The param value\r\n * should be the name of the folder containing resolution specific images, e.g. 'low-res' or 'high-res'.\r\n * @return {array of material object} The materials which are being loaded.\r\n */\r\n async loadMaterials(allMaterials, materialIdsToLoad, resolution) {\r\n this.loader.folderRelativePath = this.getMaterialImagesFolder();\r\n return await this.loader.load(allMaterials, materialIdsToLoad, resolution);\r\n // Note, loaded material images are also in the loader.loadedMaterials property.\r\n }\r\n\r\n /**\r\n * Loads the image for a single material.\r\n * @return {bool} True if the material was loaded now, false if it was already loaded (loaded earlier).\r\n */\r\n async loadSingleMaterial(material, loadHighResAsWell, onHisResImgLoaded) {\r\n this.loader.folderRelativePath = this.getMaterialImagesFolder();\r\n let resolution = this.lowRes;\r\n console.log(`Awaiting engine.loadSingleMaterial(${material.id}, ${resolution})...`);\r\n // Wait while loading the low-res image:\r\n const wasLoadedNow = await this.loader.loadSingleMaterial(material, resolution);\r\n console.log(`${wasLoadedNow ? material.id : 'No'} low-res material loaded!`);\r\n if (loadHighResAsWell) {\r\n resolution = this.highRes;\r\n // Load the high-res image asynchronously:\r\n console.log(`Async engine.loadSingleMaterial(${material.id}, ${resolution})...`);\r\n this.loader.loadSingleMaterial(material, resolution)\r\n .then(loadedNow => {\r\n console.log(`${loadedNow ? material.id : 'No'} high-res material async-loaded!`);\r\n if (loadedNow) {\r\n this.setCurrentSingleMaterialImageResolution(material, resolution);\r\n if (onHisResImgLoaded) {\r\n onHisResImgLoaded(material);\r\n }\r\n }\r\n });\r\n console.log(`Continuing while the ${resolution} material is being loaded...`);\r\n }\r\n return wasLoadedNow;\r\n }\r\n\r\n /** Updates the \"current\" property on each item in the materials array parameter. */\r\n setCurrentMaterialImageResolution(materials, resolution) {\r\n materials.forEach(material => {\r\n material.current = material[resolution];\r\n })\r\n }\r\n\r\n /** Updates the \"current\" property on the material parameter. */\r\n setCurrentSingleMaterialImageResolution(material, resolution) {\r\n material.current = material[resolution];\r\n }\r\n\r\n}\r\n","import { DrawingService } from './DrawingService.js';\r\n\r\n/**\r\n * The HtmlDrawingService implements the interface referenced by the Component/Product classes for\r\n * updating the drawing (in this case a html/css based 2D drawing).\r\n */\r\nexport class DrawingService2020 extends DrawingService {\r\n constructor(productDrawing, loadedMaterials, getProductFinishName, onLoadSingleMaterial) {\r\n super(getProductFinishName);\r\n // The html div element hosting the drawing:\r\n this.productDrawing = productDrawing;\r\n this.isDrawingUpdatesEnabled = true;\r\n // An object whose properties are finish id's and values are ProductMaterialsMap objects (items of the ProductMaterialsMap)\r\n this.materials = {};\r\n this.loadedMaterials = loadedMaterials;\r\n // This event is raised when we replace a component's finish, if the component's material has not yet been loaded:\r\n this.onLoadSingleMaterial = onLoadSingleMaterial;\r\n }\r\n\r\n /**\r\n * When disabled any user call to update the drawing should be ignored.\r\n */\r\n disableDrawingUpdates() {\r\n this.isDrawingUpdatesEnabled = false;\r\n }\r\n\r\n enableDrawingUpdates() {\r\n this.isDrawingUpdatesEnabled = true;\r\n return true;\r\n }\r\n\r\n //#region Material Methods\r\n\r\n /**\r\n * This method is normally called from the ProductDrawing class' constructor and updates\r\n * the this.materials object with properties (material id's) from the materialImages parameter.\r\n * materialImages typically is the ProductMaterialsMap which is based on the json file with\r\n * the same name. The value of each material id property is a reference to items of the materialImages.\r\n *\r\n * The ProductDrawing class also has a loadMaterials method which delegates to\r\n * HtmlDrawingEngine.loadMaterials using this.materials and a list of material id's to be loaded\r\n * as input. That method is the one which downloads the image resources from the server.\r\n *\r\n * This class also has a getMaterial method which is used by individual Component/Product objects\r\n * to get and assign their material property. The getMaterial method returns one of the\r\n * objects from this.materials.\r\n */\r\n addMaterials(materialImages, cmScale) {\r\n materialImages.forEach(matr => this.materials[matr.id] = matr);\r\n }\r\n\r\n addFallbackMaterials() {\r\n }\r\n\r\n getMaterial(materialIdPrefix, finishId, delimiter = this.materialPrefixDelim) {\r\n const materialId = materialIdPrefix + delimiter + finishId;\r\n let material = this.materials[materialId];\r\n if (typeof material === 'undefined') {\r\n // Try using just the finish\r\n //console.log(`Unknown prefix/finish combination: prefix=${materialIdPrefix}, finish=${finishId}. Trying fallback using just the finish`);\r\n material = this.materials[finishId];\r\n }\r\n if (typeof material === 'undefined') {\r\n throw new Error(`Unknown prefix/finish combination: prefix=${materialIdPrefix}, finish=${finishId}. ` +\r\n `If this is a valid combination, then ensure it's listed in the ProductMaterialsMap.js.`);\r\n }\r\n return material;\r\n }\r\n\r\n // /**\r\n // * Used by the ProductDrawing class to add materials.\r\n // */\r\n // addMaterial(material) {\r\n // this.materials[material.id] = material;\r\n // }\r\n\r\n /*\r\n * Tries to replace the finish/material on the displayObject and returns true if successful.\r\n * If it's not possible to replace the finish on the existing display object (a different\r\n * display object must be created), then return false. For Pixi, this method returns true if\r\n * the old and new materials are of the same type (ColorMaterial versus ResourceMaterial).\r\n * If the material is drawn with a PIXI.Graphics object, then the object's graphics will be\r\n * redrawn using the new finish (i.e. color). If a PIXI.Sprite, the sprite's texture will be\r\n * replaced with a new one containing an image representing the finish.\r\n */\r\n replaceFinishInline(component, newFinish) {\r\n // We must call setFinish specifically here because the visitor requires the component's material\r\n // to be updated. Since we're doing this manually, we're also preventing notification and instead\r\n // call the finishChanged notification method manually at the end.\r\n if (component.setFinish(newFinish, /*preventNotification:*/ true)) {\r\n this.updateAllFinishesInline(component);\r\n component.finishChanged();\r\n }\r\n return true;\r\n }\r\n\r\n /**\r\n * If we have a single material loader callback available, then let the visitor know about it.\r\n */\r\n assignMaterialJitLoaderTo(visitor) {\r\n if (this.onLoadSingleMaterial) {\r\n visitor.onJitLoadMaterial = async (material, onHisResImgLoaded) => {\r\n /* Will wait until the low-res material is loaded. The onHighResImgLoaded callback will\r\n * be called asynchronously after the high-res material has been loaded: */\r\n return await this.onLoadSingleMaterial(material, /*loadHighResAsWell:*/ true, onHisResImgLoaded);\r\n }\r\n }\r\n }\r\n\r\n updateAllFinishesInline(component) {\r\n this.performInlineUpdate(component, /*onInitVisitor:*/ visitor => {\r\n // 4/22/2021: The code below is now called from inside the performInlineUpdate method\r\n // // If we have a single material loader callback available, then let the visitor know about it:\r\n // if (this.onLoadSingleMaterial) {\r\n // visitor.onJitLoadMaterial = async (material, onHisResImgLoaded) => {\r\n // /* Will wait until the low-res material is loaded. The onHighResImgLoaded callback will\r\n // * be called asynchronously after the high-res material has been loaded: */\r\n // return await this.onLoadSingleMaterial(material, /*loadHighResAsWell:*/ true, onHisResImgLoaded);\r\n // }\r\n // }\r\n });\r\n }\r\n\r\n //#endregion Material Methods\r\n\r\n}","/**\r\n * The DrawingService implements the interface used by the Component/Product classes to update the\r\n * product drawing. At the time of this writing the abstract methods that are used have not yet been\r\n * added to this abstract base class.\r\n */\r\nexport class DrawingService {\r\n constructor(getProductFinishName) {\r\n this.getProductFinishName = getProductFinishName;\r\n this.materialPrefixDelim = '-';\r\n }\r\n}\r\n","/**\r\n * The Iterator will iterate the subject's object graph and call the onIterateSubject method for\r\n * each item in the graph. It's the subject's responsibility to define the graph, and the iterator's\r\n * responsibility to take action on each item. Derived iterators can override the onIterateSubject\r\n * method and implement the action, or delegate to the user by executing a callback function.\r\n *\r\n * The difference betweeen Iterator and Visitor is that the Iterator cannot customize how the subject's\r\n * object graph is iterated/visited, and takes the same action for each item in the graph. A Visitor\r\n * base class has the freedom to override the order and which items to visit, and the items will execute\r\n * different callbacks for each type of item.\r\n */\r\nexport class Iterator {\r\n onIterateSubject(subject) {\r\n }\r\n iterate(subject) {\r\n this.onIterateSubject(subject);\r\n subject.iterate(this);\r\n }\r\n}\r\n\r\nexport class DetachFromDomIterator extends Iterator {\r\n onIterateSubject(subject) {\r\n subject.detachFromUI();\r\n }\r\n}\r\n\r\n\r\nexport class CustomIterator extends Iterator {\r\n constructor(onEachSubject) {\r\n super();\r\n this.onEachSubject = onEachSubject;\r\n }\r\n\r\n onIterateSubject(subject) {\r\n this.onEachSubject(subject);\r\n }\r\n}","import { ObjectUtils } from '../main/ObjectUtils.js';\r\n\r\nexport const ChildVisitOrder = {\r\n childrenFirst: 0,\r\n childrenLast: 1,\r\n noChildren: 2,\r\n};\r\n\r\nexport class Visitor {\r\n constructor() {\r\n }\r\n\r\n /** Called before we start visitation by calling guest.acceptVisitor(). */\r\n doBeforeVisit(guest) {\r\n }\r\n\r\n /** Called after we're done with visitation. */\r\n doAfterVisit(guest) {\r\n }\r\n\r\n visit(guest) {\r\n switch (this.childVisitOrder) {\r\n default:\r\n case ChildVisitOrder.childrenFirst:\r\n guest.visitChildren(this);\r\n return guest.acceptVisitor(this);\r\n case ChildVisitOrder.childrenLast: {\r\n const value = guest.acceptVisitor(this);\r\n guest.visitChildren(this);\r\n return value;\r\n }\r\n case ChildVisitOrder.noChildren:\r\n return guest.acceptVisitor(this);\r\n }\r\n }\r\n\r\n /** Main method called by user/owner when they want to visit all guests. */\r\n visitRoot(guest) {\r\n this.doBeforeVisit(guest);\r\n const value = this.visit(guest);\r\n this.doAfterVisit(guest);\r\n return value;\r\n }\r\n\r\n pushContext(data) {\r\n const context = {\r\n prior: this.currentContext,\r\n data: data,\r\n };\r\n return this.currentContext = context;\r\n }\r\n\r\n popContext() {\r\n const ctx = this.currentContext;\r\n this.currentContext = this.currentContext.prior;\r\n return ctx;\r\n }\r\n\r\n /**\r\n * Helper method which calls pushContext, then visitChildren on the parent, finally popContext.\r\n * @param {*} parent The parent of the child objects being visited.\r\n * @param {*} data User defined data, e.g. the parent html element.\r\n * @param {*} parentContext If defined the properties of this object will be assigned onto the\r\n * new currentContext.\r\n */\r\n visitChildren(parent, data, parentContext) {\r\n this.pushContext(data);\r\n if (parentContext) {\r\n ObjectUtils.assign(this.currentContext, parentContext);\r\n }\r\n parent.visitChildren(this);\r\n if (parentContext) {\r\n // Remove the properties we assigned:\r\n for (var property in parentContext) {\r\n delete this.currentContext[property];\r\n }\r\n }\r\n this.popContext();\r\n }\r\n}\r\n\r\nexport class ProductVisitor extends Visitor {\r\n constructor() {\r\n super();\r\n }\r\n\r\n /** Called by product component instances letting us know they are being visited. */\r\n visitComponent(component) {\r\n }\r\n\r\n visitDoorPanel(component) {\r\n }\r\n\r\n visitDoorDivider(component) {\r\n }\r\n\r\n visitDoorCore(component) {\r\n }\r\n\r\n visitDoorRail(component) {\r\n }\r\n\r\n visitDoorStile(component) {\r\n }\r\n\r\n visitDoorFrame(component) {\r\n }\r\n\r\n visitDoor(component) {\r\n }\r\n\r\n visitDoorBottomTrack(component) {\r\n }\r\n\r\n visitDoorTopTrack(component) {\r\n }\r\n\r\n visitDoorFront(component) {\r\n }\r\n\r\n visitSideWall(component) {\r\n }\r\n\r\n visitFlexiSide(component) {\r\n }\r\n\r\n visitFlexiBasketAndTracks(component) {\r\n }\r\n\r\n visitMeshBasketAndTracks(component) {\r\n }\r\n\r\n visitSupportRodWithBrackets(component) {\r\n }\r\n\r\n visitHangRodWithBrackets(component) {\r\n }\r\n\r\n visitFlexiShelf(component) {\r\n }\r\n\r\n visitTopShelf(component) {\r\n }\r\n\r\n visitFlexiSectionContents(component) {\r\n }\r\n\r\n visitFlexiSection(component) {\r\n }\r\n\r\n visitHangRodModule(component) {\r\n }\r\n\r\n visitTopShelfModule(component) {\r\n }\r\n\r\n visitClosetOrganizer(component) {\r\n }\r\n}\r\n\r\nexport const SizeStrategy = {\r\n none: 0,\r\n round: 1,\r\n ceil: 2,\r\n}\r\n\r\nexport const DefaultSizeOptions = {\r\n width: {\r\n strategy: SizeStrategy.ceil,\r\n decimals: 1,\r\n },\r\n height: {\r\n strategy: SizeStrategy.ceil,\r\n decimals: 1,\r\n },\r\n}\r\n\r\nexport const DoorSizeOptions = {\r\n width: {\r\n // Round door width to nearest whole percent to fix potential display bugs\r\n strategy: SizeStrategy.round,\r\n decimals: 0,\r\n },\r\n height: {\r\n strategy: SizeStrategy.ceil,\r\n decimals: 1,\r\n },\r\n}\r\n\r\nexport const OrganizerSizeOptions = {\r\n width: {\r\n strategy: SizeStrategy.none,\r\n },\r\n height: {\r\n strategy: SizeStrategy.none,\r\n },\r\n}\r\n\r\nexport class ProductDrawingVisitor extends ProductVisitor {\r\n constructor() {\r\n super();\r\n }\r\n\r\n clearDrawing() {\r\n }\r\n\r\n /** Called before base class starts visitation by calling component.acceptVisitor(). */\r\n doBeforeVisit(component) {\r\n super.doBeforeVisit(component);\r\n this.clearDrawing();\r\n }\r\n\r\n getRotation(component) {\r\n return (this.currentContext ? this.currentContext.rotation : null) ||\r\n (component ? component.rotation : null);\r\n }\r\n}\r\n\r\nexport class ToggleLabelVisitor extends ProductVisitor {\r\n constructor(toggleOn) {\r\n super();\r\n // We want to manually control when/how children are visited:\r\n this.childVisitOrder = ChildVisitOrder.noChildren;\r\n this.toggleOn = toggleOn;\r\n }\r\n\r\n visitDoorPanel(panel) {\r\n this.toggleLabel(panel);\r\n }\r\n\r\n visitDoor(door) {\r\n door.core.visitChildren(this);\r\n }\r\n\r\n visitDoorFront(front) {\r\n front.visitChildren(this);\r\n }\r\n\r\n visitSideWall(sideWall) {\r\n this.toggleLabel(sideWall);\r\n }\r\n\r\n visitFlexiSide(flexiSide) {\r\n this.toggleLabel(flexiSide);\r\n }\r\n\r\n visitFlexiBasketAndTracks(basket) {\r\n this.toggleLabel(basket);\r\n }\r\n\r\n visitMeshBasketAndTracks(basket) {\r\n this.toggleLabel(basket);\r\n }\r\n\r\n visitSupportRodWithBrackets(supportRod) {\r\n // Don't think we want to display labels on the rods\r\n }\r\n\r\n visitHangRodWithBrackets(hangRod) {\r\n // Don't think we want to display labels on the rods\r\n }\r\n\r\n visitTopShelf(topShelf) {\r\n this.toggleLabel(topShelf);\r\n }\r\n\r\n visitFlexiShelf(flexiShelf) {\r\n this.toggleLabel(flexiShelf);\r\n }\r\n\r\n visitFlexiSectionContents(contents) {\r\n contents.visitChildren(this);\r\n }\r\n\r\n visitFlexiSection(flexiSection) {\r\n flexiSection.visitChildren(this);\r\n }\r\n\r\n visitHangRodModule(module) {\r\n module.visitChildren(this);\r\n }\r\n\r\n visitTopShelfModule(module) {\r\n module.visitChildren(this);\r\n }\r\n\r\n visitClosetOrganizer(organizer) {\r\n organizer.visitChildren(this);\r\n }\r\n\r\n toggleLabel(component) {\r\n // Should be overridden by subclasses\r\n }\r\n}\r\n\r\nexport class ToggleInteractivityVisitor extends ProductVisitor {\r\n constructor(onToggleInteractive) {\r\n super();\r\n // We want to manually control when/how children are visited:\r\n this.childVisitOrder = ChildVisitOrder.noChildren;\r\n this.onToggleInteractive = onToggleInteractive;\r\n }\r\n\r\n visitDoorPanel(panel) {\r\n this.onToggleInteractive(panel);\r\n }\r\n\r\n visitDoor(door) {\r\n door.core.visitChildren(this);\r\n }\r\n\r\n visitDoorFront(front) {\r\n front.visitChildren(this);\r\n }\r\n\r\n visitSideWall(sideWall) {\r\n this.toggleInteractivity(sideWall);\r\n }\r\n\r\n visitFlexiSide(flexiSide) {\r\n this.toggleInteractivity(flexiSide);\r\n }\r\n\r\n visitFlexiBasketAndTracks(basket) {\r\n this.toggleInteractivity(basket);\r\n }\r\n\r\n visitMeshBasketAndTracks(basket) {\r\n this.toggleInteractivity(basket);\r\n }\r\n\r\n visitSupportRodWithBrackets(hangRod) {\r\n this.toggleInteractivity(hangRod);\r\n }\r\n\r\n visitHangRodWithBrackets(supportRod) {\r\n this.toggleInteractivity(supportRod);\r\n }\r\n\r\n visitTopShelf(topShelf) {\r\n this.toggleInteractivity(topShelf);\r\n }\r\n\r\n visitFlexiShelf(flexiShelf) {\r\n this.toggleInteractivity(flexiShelf);\r\n }\r\n\r\n visitFlexiSection(flexiSection) {\r\n flexiSection.visitChildren(this);\r\n }\r\n\r\n visitFlexiSectionContents(contents) {\r\n contents.visitChildren(this);\r\n }\r\n}\r\n","import { ProductVisitor } from './ProductVisitors.js';\r\n\r\nexport class UpdateMaterialImageVisitor extends ProductVisitor\r\n{\r\n updateMaterialImage(component) {\r\n throw Error('The updateMaterialImage method must be overridden by a subclass');\r\n }\r\n\r\n visitDoorPanel(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitDoorDivider(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitDoorRail(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitDoorStile(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitDoorBottomTrack(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitDoorTopTrack(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitSideWall(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitFlexiSide(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitHangRodWithBrackets(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitSupportRodWithBrackets(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitFlexiBasketAndTracks(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitMeshBasketAndTracks(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitFlexiShelf(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n\r\n visitTopShelf(component) {\r\n this.updateMaterialImage(component);\r\n }\r\n}\r\n","import { DetachFromDomIterator } from '../Iterator.js';\r\nimport { UpdateMaterialImageVisitor } from '../UpdateMaterialImageVisitor.js';\r\nimport {\r\n ChildVisitOrder, ProductDrawingVisitor, ToggleLabelVisitor, SizeStrategy, DefaultSizeOptions,\r\n DoorSizeOptions, OrganizerSizeOptions\r\n} from '../ProductVisitors.js';\r\nimport { ObjectUtils } from '../../main/ObjectUtils.js';\r\n\r\nexport class HtmlRenderVisitor extends ProductDrawingVisitor {\r\n constructor(finishResources, drawingElement) {\r\n super();\r\n this.finishResources = finishResources;\r\n // DOM elements:\r\n this.drawingElement = drawingElement;\r\n // The visitor wants to control when the children are visited:\r\n this.childVisitOrder = ChildVisitOrder.noChildren;\r\n /** When isInlineUpdate is true, the component structure has not changed and there's no need to\r\n * recreate any of the html elements. Instead each element is updated inline. */\r\n this.isInlineUpdate = false;\r\n }\r\n\r\n //#region *** Overridden methods ***\r\n\r\n doBeforeVisit(guest) {\r\n super.doBeforeVisit(guest);\r\n this.rootElement = document.createDocumentFragment();\r\n this.pushContext(this.rootElement);\r\n }\r\n\r\n doAfterVisit(guest) {\r\n super.doAfterVisit(guest);\r\n this.drawingElement.appendChild(this.rootElement);\r\n this.popContext();\r\n }\r\n\r\n clearDrawing() {\r\n super.clearDrawing();\r\n /* The iterator will call the detachFromUI() Component method to remove the bilateral reference(s)\r\n * between component and dom element. */\r\n const detachIterator = new DetachFromDomIterator();\r\n const parent = this.drawingElement;\r\n if (parent) {\r\n // Assuming removing lastChild is faster than firstChild...\r\n while (parent.lastChild) {\r\n if (parent.lastChild.dataComponent) {\r\n detachIterator.iterate(parent.lastChild.dataComponent);\r\n }\r\n parent.lastChild.remove();\r\n }\r\n }\r\n }\r\n\r\n clearChildren(parentElement) {\r\n // Assuming removing lastChild is faster than firstChild...\r\n while (parentElement.lastChild) {\r\n parentElement.lastChild.remove();\r\n }\r\n }\r\n\r\n //#endregion *** Overridden methods ***\r\n\r\n //#region *** Materials ***\r\n\r\n /**\r\n * Updates the element's (component.displayObject's) backgroundImage url.\r\n * @param {any} onJitLoadMaterial Will be called if the component's material image has not been\r\n * loaded yet. It's preferred to preload the material images, but sometimes new product finishes\r\n * are assigned (from the server-side) before the client's preload code has been updated.\r\n */\r\n static async updateMaterialImage(component, onJitLoadMaterial) {\r\n if (component.isColor) {\r\n component.displayObject.style.backgroundImage = null;\r\n component.displayObject.style.backgroundColor = component.color;\r\n } else if (component.material) {\r\n const currentImg = component.material.current;\r\n if (currentImg) {\r\n if (currentImg.url) {\r\n component.displayObject.style.backgroundImage = `url(\"${component.material.current.url}\")`;\r\n } else {\r\n console.warn(`Not sure what happened here; the image.url was undefined on material ${component.material.id}`);\r\n }\r\n } else {\r\n /* This probably means the product factory didn't list the material as one in use by the\r\n * product (see ProductViewModelFactory.getAllKnownProductMaterialIds() in subclass). */\r\n if (onJitLoadMaterial) {\r\n /* This async callback will await until the low-res image has been loaded, and later,\r\n * after the hi-res image is loaded, the \"inner\" callback will be executed. So, we update\r\n * the backgroundImage twice, first for the lo-res image, and later for the hi-res image. */\r\n await onJitLoadMaterial(component.material, () => {\r\n //console.log('Updating url to use the high-res image');\r\n // Recursive call, but we make sure the onJitLoadMaterial parameter is null to avoid stack overflow:\r\n HtmlRenderVisitor.updateMaterialImage(component, null);\r\n });\r\n //console.log('Setting background image url to use low-res image');\r\n // Recursive call, but we make sure the onJitLoadMaterial parameter is null to avoid stack overflow:\r\n HtmlRenderVisitor.updateMaterialImage(component, null);\r\n } else {\r\n console.warn(`Material ${component.material.id} was found, but it's image has not been loaded`);\r\n }\r\n }\r\n }\r\n }\r\n\r\n updateBackgroundImage(component) {\r\n // Note, it's the user's (owner's) responsibility to assign the this.onJitLoadMaterial callback.\r\n /*await*/ HtmlRenderVisitor.updateMaterialImage(component,\r\n async (material, onHisResImgLoaded) => await this.onJitLoadMaterial(material, onHisResImgLoaded));\r\n }\r\n\r\n //#endregion *** Materials ***\r\n\r\n //#region *** Positioning & Resizing Elements ***\r\n\r\n setBgImageSize(component, element) {\r\n // Any classes and styles added in the if clauses below must first be reset:\r\n element.classList.remove('bg-size-fill');\r\n element.classList.remove('bg-size-cover');\r\n element.classList.remove('bg-size-crop');\r\n element.style.backgroundSize = '';\r\n\r\n if (!component.material) {\r\n element.classList.add('bg-size-fill');\r\n return;\r\n }\r\n\r\n const { widthStrategy, heightStrategy } = component.material;\r\n if (widthStrategy == 'Fill' && heightStrategy == 'Fill') {\r\n element.classList.add('bg-size-fill');\r\n } else if (widthStrategy == 'Cover' && heightStrategy == 'Cover') {\r\n element.classList.add('bg-size-cover');\r\n } else {\r\n /* Width = Crop and Height = Proportional means we'll crop the image in the width dimension\r\n * based on how much of the image width the current product width represents. Height = Proportional\r\n * then means we'll crop (or display) the height such that the original width/height image\r\n * ratio is unchanged (we don't want to scale the image in one direction only). */\r\n const cropWidthAndScaleHeight = widthStrategy == 'Crop' && heightStrategy == 'Proportional';\r\n const cropHeightAndScaleWidth = heightStrategy == 'Crop' && widthStrategy == 'Proportional';\r\n if (cropWidthAndScaleHeight || cropHeightAndScaleWidth) {\r\n /* The background size must be set in code based on how much of the panel's width is used.\r\n * E.g. if the panel material is 1000 mm wide (what the image represents), and the current\r\n * panel is 800 mm wide, then 800/1000 = 80% of the image should be shown in the x-direction.\r\n * The image should then be scaled in the y-direction while maintaining width/height ratio.\r\n * The part of the image not needed in the y-direction will automatically be clipped.\r\n *\r\n * The background-size as a percent is the percentage of the background positioning area, not\r\n * of the image width. 50% means display the entire image in half the width of the positioning\r\n * area. 200% means displaying half the image in the positioning area.\r\n *\r\n * Percent = 100 x image width / needed image width\r\n * Needed Image Width = Image Width * Image Ratio\r\n * Image Ratio = Product Width / Product Material Width\r\n *\r\n * Example:\r\n * Image Ratio = 800 / 1000 = 0.8\r\n * Needed Image Width = 2923 px * 0.8 = 2338\r\n * Percent = 100 x 2923 / 2338 = 125%\r\n *\r\n * Solving the equation above:\r\n * Percent = 100 x Image Width / (Image Width * Image Ratio)\r\n * Percent = 100 x Image Width / (Image Width * Product Width / Product Material Width)\r\n * Percent = 100 / (Product Width / Product Material Width)\r\n *\r\n * Redoing the example:\r\n * Percent = 100 / (800 / 1000) = 100 / 0.8 = 125%\r\n */\r\n const widthPct = 100 / component.getMaterialWidthRatio(/*use2D:*/ true, this.getRotation());\r\n const heightPct = 100 / component.getMaterialHeightRatio(/*use2D:*/ true, this.getRotation());\r\n let width, height;\r\n const Pct100 = '101%'; // Use 101 insted of 100 to work around sub-pixel rounding issues\r\n if (cropWidthAndScaleHeight) {\r\n /* Don't allow a percentage less than 100. It means the product material is not as wide as the\r\n * panel in the drawing, but we don't want to show any gaps, and will allow the image to scale\r\n * to cover the entire drawing. */\r\n width = widthPct <= 100 ? Pct100 : widthPct + '%';\r\n /* Don't allow percentage less than 100. It means the product material is not as tall as the panel\r\n * in the drawing, but we don't want to show any gaps, and will allow the image to scale to\r\n * cover the entire drawing. If heightPct is >= 100, then we'll use auto scaling. */\r\n //height = heightPct < 100 ? '100%' : 'auto';\r\n const materialRatio = component.getMaterialWidthHeightRatio();\r\n const productRatio = component.getWidthHeightRatio(/*use2D:*/ true, this.getRotation());\r\n height = materialRatio > productRatio ? Pct100 : 'auto';\r\n } else {\r\n // Inverse of the above:\r\n height = heightPct <= 100 ? Pct100 : heightPct + '%';\r\n width = widthPct <= 100 ? Pct100 : 'auto';\r\n }\r\n element.style.backgroundSize = `${width} ${height}`;\r\n element.classList.add('bg-size-crop');\r\n }\r\n }\r\n }\r\n\r\n ceiling(value, decimals) {\r\n const factor = Math.pow(10, decimals);\r\n return (Math.floor(value * factor) / factor) + (1 / factor);\r\n }\r\n\r\n adjustSizePercent(sizePercent, options) {\r\n if (options.strategy === SizeStrategy.round) {\r\n return ObjectUtils.roundDec(sizePercent, options.decimals)\r\n } else if (options.strategy === SizeStrategy.ceil) {\r\n return this.ceiling(sizePercent, options.decimals);\r\n }\r\n return sizePercent;\r\n }\r\n\r\n setElementSize(component, element, widthSize, heightSize, options = DefaultSizeOptions, parentWidthCorrection) {\r\n switch (widthSize) {\r\n case 'UseProductRatio': {\r\n let widthPct = component.getWidthRatio(/*width:*/ null, /*use2D:*/ true, this.getRotation(), parentWidthCorrection) * 100;\r\n /* If the width is NaN we assume it's because the component doesn't have a parent,\r\n * i.e. it's the root component, In this case we should not set a width style here\r\n * and rely on the caller to set the style. E.g. see the invalidateDrawingSize()\r\n * method in the app; it calls the sizer.maximizeWithinParent(...) method to set\r\n * the width and height styles. */\r\n if (!isNaN(widthPct)) {\r\n widthPct = this.adjustSizePercent(widthPct, options.width);\r\n element.style.width = widthPct + '%';\r\n }\r\n break;\r\n }\r\n }\r\n switch (heightSize) {\r\n case 'UseProductRatio': {\r\n let heightPct = component.getHeightRatio(/*height:*/ null, /*use2D:*/ true, this.getRotation()) * 100;\r\n // See comment above for info the if statement below.\r\n if (!isNaN(heightPct)) {\r\n heightPct = this.adjustSizePercent(heightPct, options.height);\r\n element.style.height = heightPct + '%';\r\n }\r\n break;\r\n }\r\n }\r\n }\r\n\r\n calcYPositionPct(panel, panelRect) {\r\n const { top, height } = panelRect;\r\n const deltaHeight = height - panel.material.productHeight;\r\n let pct = 0;\r\n if (deltaHeight !== 0) {\r\n pct = -100 * top / deltaHeight;\r\n if (pct > 100) {\r\n /* If the sum of the height of each panel is larger than than the material product height,\r\n * we end up with a percentage larger than 100%. That means there will be a gap at the\r\n * bottom of the panel div. In reality this situation would force the door assembler (person)\r\n * to use material from 2 boards when putting the door together. We only have one material\r\n * image so we can't do that. Instead we'll keep the percentage at 100% meaning the top of\r\n * the bottom panel is the same part of the material image as the bottom of the panel above. */\r\n pct = 100;\r\n }\r\n }\r\n return pct;\r\n }\r\n\r\n /**\r\n * Returns a background image position (background-position-y) such that the the background image\r\n * is moved vertically for the purpose of displaying different parts of the material image for\r\n * each panel. This is a private helper method for visitDoorPanel.\r\n * @param {any} element The html element displaying the panel\r\n * @param {any} panel The panel object\r\n */\r\n getPanelBgImageYPosition(element, panel) {\r\n const material = panel.material;\r\n if (material && (material.heightStrategy != 'Fill' && material.heightStrategy != 'Cover')) {\r\n const core = panel.parent;\r\n let panelRects = this.currentContext ? this.currentContext.panelRects : null;\r\n if (!panelRects) {\r\n panelRects = core.getTopLeftBasedVisualPanelRects();\r\n }\r\n const index = core.panels.indexOf(panel);\r\n const panelRect = panelRects[index];\r\n const y = this.calcYPositionPct(panel, panelRect);\r\n return y + '%';\r\n }\r\n return '';\r\n }\r\n\r\n /**\r\n * We need to set the top margin of the doors element such that each door will be indented into\r\n * the top track.\r\n */\r\n setDoorListMarginTop(front, doorListElement) {\r\n const doorRect = front.doors[0].rect;\r\n const top = front.rect.height - (doorRect.bottom + doorRect.height);\r\n const topRatio = top / front.rect.height;\r\n // We need to subtract the top track's height ratio from the door list's top ratio\r\n const trackHeightRatio = front.topTrack.getHeightRatio();\r\n // Set top margin on the doors element equal to the difference between the ratios:\r\n let ratioDiffPct = (topRatio - trackHeightRatio) * 100;\r\n // TODO: Trying to round to nearest 1 decimal to see if that fixes gaps in the display.\r\n ratioDiffPct = ObjectUtils.roundDec(ratioDiffPct, 1);\r\n //doorListElement.style.marginTop = ratioDiffPct + '% !important'; // Doesn't work\r\n doorListElement.style.setProperty('margin-top', ratioDiffPct + '%', 'important');\r\n }\r\n\r\n /**\r\n * We need to set the bottom margin of the doors element such that each door's bottom position in\r\n * percent of the front's height equals the door object's bottom position. Note, the server's\r\n * Store api has moved the doorlist component's bottom position to each door.\r\n */\r\n setDoorListMarginBottom(front, doorListElement) {\r\n const bottom = front.doors[0].rect.bottom;\r\n const bottomRatio = bottom / front.rect.height;\r\n // We need to subtract the bottom track's height ratio from the door list's bottom ratio\r\n const trackHeightRatio = front.bottomTrack.getHeightRatio();\r\n // Set bottom margin on the doors element equal to the difference between the ratios:\r\n let ratioDiffPct = (bottomRatio - trackHeightRatio) * 100;\r\n // TODO: Trying to round to nearest 1 decimal to see if that fixes gaps in the display.\r\n ratioDiffPct = ObjectUtils.roundDec(ratioDiffPct, 1);\r\n //doorListElement.style.marginBottom = ratioDiffPct + '% !important'; // Doesn't work\r\n doorListElement.style.setProperty('margin-bottom', ratioDiffPct + '%', 'important');\r\n }\r\n\r\n setRelativeChildPosition(component, element, setLeft, setTop, leftCorrection, parentWidthCorrection) {\r\n if (setLeft) {\r\n const left = component.getRelative2dLeft(leftCorrection, parentWidthCorrection);\r\n if (left === 0) {\r\n element.style.removeProperty('left');\r\n } else {\r\n element.style.left = (left * 100) + '%';\r\n }\r\n }\r\n if (setTop) {\r\n const top = component.getRelative2dTop();\r\n if (top === 0) {\r\n element.style.removeProperty('top');\r\n } else {\r\n element.style.top = (top * 100) + '%';\r\n }\r\n }\r\n }\r\n\r\n //#endregion *** Positioning & Resizing Elements ***\r\n\r\n //#region *** Element Helper Methods ***\r\n\r\n createDivElement(classes) {\r\n const elem = document.createElement('div');\r\n elem.className = classes;\r\n return elem;\r\n }\r\n\r\n createComponentElement(classes, component) {\r\n const element = this.createDivElement(classes);\r\n component.displayObject = element;\r\n this.updateBackgroundImage(component);\r\n return element;\r\n }\r\n\r\n /** Adds the childElement to the parent of component */\r\n addChildElementToParentOf(component, childElement) {\r\n if (component.parent && component.parent.displayObject) {\r\n component.parent.displayObject.appendChild(childElement);\r\n } else {\r\n this.rootElement.appendChild(childElement);\r\n }\r\n return childElement;\r\n }\r\n\r\n /** Adds the childElement as a child of the current element (stored in currentContext.data). */\r\n addChildElement(childElement) {\r\n /* It's a bit strange, but we'll allow calling this method without having a parent element to\r\n * add the child element to. The original use case is to create isolated html elements which\r\n * will later be added to the dom (using the HtmlDrawingService methods). */\r\n if (this.currentContext) {\r\n this.currentContext.data.appendChild(childElement);\r\n }\r\n return childElement;\r\n }\r\n\r\n /**\r\n * Creates a new DIV element with classname 'prod-comp'. If component is assigned, then the\r\n * component's displayObject will be set to the new element. If we have a current context,\r\n * then we'll also add the element to the parent element (currentContext.data).\r\n */\r\n addEmptyDiv(component, className) {\r\n const newElement = this.createDivElement('prod-comp ' + className);\r\n if (component) {\r\n component.displayObject = newElement;\r\n }\r\n return this.addChildElement(newElement);\r\n }\r\n\r\n /**\r\n * Looks at this.isInlineUpdate to determine whether to create a new html element or reuse the\r\n * component's displayObject.\r\n * @param {string} classNames Class names to be set on the element if created.\r\n * @param {bool} pushContext true/false; if true, the element will be pushed onto the context stack.\r\n */\r\n getDivElementAndPushContext(component, classNames, pushContext, onLookupElement) {\r\n let element;\r\n if (this.isInlineUpdate) {\r\n element = component ? component.displayObject : onLookupElement(component, classNames);\r\n } else {\r\n element = this.addEmptyDiv(component, classNames);\r\n }\r\n if (pushContext) {\r\n this.pushContext(element);\r\n }\r\n return element;\r\n }\r\n\r\n //#endregion *** Element Helper Methods ***\r\n\r\n //#region *** Element Creation/Rendering Methods ***\r\n\r\n /** Will set height to 100% and width to specific px based on width/height ratio. */\r\n renderDivWithFullHeight(component, className) {\r\n const newElement = this.createDivElement('prod-comp ' + className);\r\n component.displayObject = newElement;\r\n\r\n const clientHeight = component.parent && component.parent.displayObjectHeight\r\n ? component.parent.displayObjectHeight\r\n : this.drawingElement.clientHeight;\r\n // const clientWidth = component.parent && component.parent.displayObjectWidth\r\n // ? component.parent.displayObjectWidth\r\n // : this.drawingElement.clientWidth;\r\n\r\n const widthRatio = component.getWidthHeightRatio(/*use2D:*/ true, this.getRotation());\r\n const width = clientHeight * widthRatio;\r\n\r\n //component.displayObjectWidth = width;\r\n component.displayObjectHeight = clientHeight;\r\n\r\n newElement.style.width = width + 'px';\r\n newElement.style.height = '100%';\r\n\r\n return this.addChildElementToParentOf(component, newElement);\r\n }\r\n\r\n renderStandardElement(component, classname, widthSize, heightSize, callback, sizeOptions) {\r\n let element;\r\n if (this.isInlineUpdate && component.displayObject) {\r\n element = component.displayObject;\r\n // Updates the element's backgroundImage url:\r\n this.updateBackgroundImage(component);\r\n } else {\r\n // Creates the element and then calls updateFinish():\r\n element = this.createComponentElement('prod-comp ' + classname, component);\r\n }\r\n this.setElementSize(component, element, widthSize, heightSize, sizeOptions);\r\n this.setBgImageSize(component, element);\r\n if (callback) {\r\n callback(element);\r\n }\r\n if (!element.parentNode) {\r\n this.addChildElement(element);\r\n }\r\n return element;\r\n }\r\n\r\n renderFlexiSectionContent(content, classes) {\r\n const element = this.renderStandardElement(content, classes + ' section-content', 'None', 'UseProductRatio', null, OrganizerSizeOptions);\r\n const top = content.getRelative2dTop();\r\n if (top === 0) {\r\n element.style.removeProperty('top');\r\n } else {\r\n element.style.top = (top * 100) + '%';\r\n }\r\n return element;\r\n }\r\n\r\n renderFloorModule(module, classNames, onVisitContents) {\r\n const moduleElement = this.getDivElementAndPushContext(module, 'floor-module ' + classNames, true);\r\n\r\n const { leftSide, rightSide } = module;\r\n if (leftSide) {\r\n this.visit(leftSide);\r\n }\r\n\r\n onVisitContents(module, moduleElement);\r\n\r\n if (rightSide) {\r\n this.visit(rightSide);\r\n }\r\n\r\n this.popContext();\r\n return moduleElement;\r\n }\r\n\r\n renderStandardModule(module, classNames, beforeVisitContents) {\r\n // The renderFloorModule method will render any flexi-sides. Anything in between should be\r\n // rendered in the callback below.\r\n const moduleElement = this.renderFloorModule(module, 'standard-module ' + classNames,\r\n (mdule, mduleElement) => {\r\n /* We are now in between the flexi-sides (if any). Let's create a parent flex element for each\r\n * floor module and other content: */\r\n const contentsElement = this.getDivElementAndPushContext(null, 'center-col', true, (comp, classes) => {\r\n /* (when this.isInlineUpdate == true) because this html element is not associated with any\r\n * component, we can't lookup the element from component.displayObject. So we must do it\r\n * manually here: */\r\n return mduleElement.querySelector('.standard-module > .center-col');\r\n });\r\n if (beforeVisitContents) {\r\n beforeVisitContents(mdule, contentsElement);\r\n }\r\n\r\n let leftCorrection;\r\n let parentWidthCorrection;\r\n if (mdule.leftSide) {\r\n /* Each floor module's left position is relative to the standard module, but in the html\r\n * the left position is relative to the contents element which is offset to the right by\r\n * the left flexi-side's thickness. So, we subtract the thickness from each floor module\r\n * in the foreach loop below. */\r\n leftCorrection = -mdule.leftSide.rect.depth;\r\n /* ...and the parent's width needs to be corrected for any flexi side thicknesses as well: */\r\n parentWidthCorrection = leftCorrection;\r\n }\r\n if (mdule.rightSide) {\r\n parentWidthCorrection -= mdule.rightSide.rect.depth;\r\n }\r\n mdule.floorModules.forEach(floorModule => {\r\n const element = this.visit(floorModule);\r\n this.setRelativeChildPosition(floorModule, element, true, true, leftCorrection, parentWidthCorrection);\r\n this.setElementSize(floorModule, element, 'UseProductRatio', 'UseProductRatio',\r\n OrganizerSizeOptions, parentWidthCorrection);\r\n });\r\n mdule.otherComponents.forEach(component => {\r\n const element = this.visit(component);\r\n this.setRelativeChildPosition(component, element, true, true, leftCorrection, parentWidthCorrection);\r\n this.setElementSize(component, element, 'UseProductRatio', 'UseProductRatio',\r\n OrganizerSizeOptions, parentWidthCorrection);\r\n });\r\n\r\n this.popContext(); // moduleElement\r\n });\r\n return moduleElement;\r\n }\r\n\r\n //#endregion *** Element Creation/Rendering Methods ***\r\n\r\n //#region *** Main Visitation Method ***\r\n\r\n visitDoorPanel(panel) {\r\n return this.renderStandardElement(panel, 'panel', 'None', 'UseProductRatio',\r\n element => {\r\n element.style.backgroundPositionY = this.getPanelBgImageYPosition(element, panel);\r\n if (panel.parent && panel.parent.design === 'Topaz') {\r\n // Add a css shadow to Topaz panels:\r\n element.classList.add('shadow');\r\n }\r\n });\r\n }\r\n\r\n visitDoorDivider(divider) {\r\n return this.renderStandardElement(divider, 'divider', 'None', 'UseProductRatio');\r\n }\r\n\r\n visitDoorRail(rail) {\r\n return this.renderStandardElement(rail, 'rail', 'None', 'UseProductRatio');\r\n }\r\n\r\n visitDoorStile(stile) {\r\n return this.renderStandardElement(stile, 'stile', 'UseProductRatio', 'None',\r\n element => {\r\n if (stile.isLeft) {\r\n /* The stile images are of the right stile. To display on the left side,\r\n * flip the image or rotate 180 degrees: */\r\n element.classList.add('rotate-180');\r\n }\r\n if (stile.design === 'Topaz') {\r\n // Add a css shadow to Topaz stiles:\r\n element.classList.add('shadow');\r\n }\r\n });\r\n }\r\n\r\n visitDoorCore(core) {\r\n let div;\r\n if (this.isReplacingDoorCore) {\r\n /* When isReplacingDoorCore is true, the core element already exists and we just want to add\r\n * child panels and dividers to it. */\r\n div = core.displayObject;\r\n } else {\r\n div = this.getDivElementAndPushContext(core, 'core', false);\r\n /* 11/1/2020: Safari (on iOS at least) requires the parent element to have a height in order\r\n * for its children to use percentage heights. Chrome doesn't require this as long as there's\r\n * a Flex property specifying height (i.e. flex-grow). So, for Chrome the height in percent\r\n * is not needed, while on Safari iOS it is (as of 11/1/2020). */\r\n let heightPct = core.getHeightRatio() * 100;\r\n div.style.height = heightPct + '%';\r\n }\r\n const panelRects = core.getTopLeftBasedVisualPanelRects();\r\n this.visitChildren(core, div, { panelRects });\r\n return div;\r\n }\r\n\r\n visitDoor(door) {\r\n const doorElement = this.getDivElementAndPushContext(door, 'door', true);\r\n\r\n this.setElementSize(door, doorElement, 'UseProductRatio', 'None', DoorSizeOptions);\r\n if (door.parent) {\r\n const leftOverlap = door.parent.getLeftOverlap(door);\r\n // Use a negative left margin to shift the door to the left (overlap):\r\n let overlapPct = -door.getWidthRatio(leftOverlap) * 100;\r\n if (!isNaN(overlapPct) && overlapPct !== 0) {\r\n // TODO: Trying to round to nearest 1 decimal to see if that fixes gaps in the display.\r\n overlapPct = ObjectUtils.roundDec(overlapPct, 1);\r\n doorElement.style.setProperty('margin-left', overlapPct + '%', 'important');\r\n }\r\n }\r\n // Use z-index to place doors on rails\r\n doorElement.style.zIndex = door.railNo ? door.railNo : 0;\r\n\r\n const { frame, core } = door;\r\n this.visit(frame.leftStile);\r\n\r\n this.getDivElementAndPushContext(null, 'center-col', true, (comp, classes) => {\r\n /* (when this.isInlineUpdate == true) because this html element is not associated with any\r\n * component, we can't lookup the element from component.displayObject. So we must do it\r\n * manually here: */\r\n return doorElement.querySelector('.center-col');\r\n });\r\n\r\n this.visit(frame.topRail);\r\n this.visit(core);\r\n this.visit(frame.bottomRail);\r\n this.popContext();\r\n\r\n this.visit(frame.rightStile);\r\n return this.popContext().data;\r\n }\r\n\r\n visitDoorBottomTrack(track) {\r\n return this.renderStandardElement(track, 'doortrack', 'None', 'UseProductRatio');\r\n }\r\n\r\n visitDoorTopTrack(track) {\r\n return this.renderStandardElement(track, 'doortrack', 'None', 'UseProductRatio');\r\n }\r\n\r\n visitDoorFront(front) {\r\n /*\r\n * 9/14/2020: When the front is the root product in the canvas, it's size and position are driven by:\r\n * - It's a flex item and the parent's orientation is \"row\" (left-to-right)\r\n * - The parent uses justify-content: center which means the front will be horizontally centered\r\n * - It's flex-grow is not set so by default = 0 which means we must set a width (both width and\r\n * height are set in javascript in our method HtmlDrawingEngine.bestFitStageAndCanvas() to\r\n * maximize the product drawing size while maintaining its width/height ratio).\r\n * - The parent's align-items is not set so by default = 'stretch' which means if we don't set\r\n * a height, the full height will be used. But we are specifying the height in javascript (see\r\n * above).\r\n */\r\n const frontElement = this.getDivElementAndPushContext(front, 'doorfront', true);\r\n this.visit(front.topTrack);\r\n\r\n const doorListElement = this.getDivElementAndPushContext(null, 'doors', true, (comp, classes) => {\r\n /* (when this.isInlineUpdate == true) because this html element is not associated with any\r\n * component, we can't lookup the element from component.displayObject. So we must do it\r\n * manually here: */\r\n return frontElement.querySelector('.doors');\r\n });\r\n this.setDoorListMarginBottom(front, doorListElement);\r\n this.setDoorListMarginTop(front, doorListElement);\r\n\r\n front.doors.forEach(door => door.acceptVisitor(this));\r\n this.popContext();\r\n\r\n this.visit(front.bottomTrack);\r\n return this.popContext().data;\r\n }\r\n\r\n visitSideWall(sideWall) {\r\n return this.renderStandardElement(sideWall, 'sidewall', 'None', 'None');\r\n }\r\n\r\n visitFlexiSide(flexiSide) {\r\n return this.renderStandardElement(flexiSide, 'flexiside', 'UseProductRatio', 'None', null, OrganizerSizeOptions);\r\n }\r\n\r\n visitHangRodWithBrackets(hangRod) {\r\n return this.renderStandardElement(hangRod, 'hangrod', 'UseProductRatio', 'UseProductRatio', null, OrganizerSizeOptions);\r\n }\r\n\r\n visitSupportRodWithBrackets(supportRod) {\r\n return this.renderStandardElement(supportRod, 'supportrod', 'UseProductRatio', 'UseProductRatio', null, OrganizerSizeOptions);\r\n }\r\n\r\n visitFlexiBasketAndTracks(basket) {\r\n return this.renderStandardElement(basket, 'basket', 'None', 'UseProductRatio', null, OrganizerSizeOptions);\r\n }\r\n\r\n visitMeshBasketAndTracks(basket) {\r\n return this.renderStandardElement(basket, 'basket', 'None', 'UseProductRatio', null, OrganizerSizeOptions);\r\n }\r\n\r\n visitTopShelf(topShelf) {\r\n return this.renderStandardElement(topShelf, 'topshelf', 'UseProductRatio', 'UseProductRatio', null, OrganizerSizeOptions);\r\n }\r\n\r\n visitFlexiShelf(flexiShelf) {\r\n return this.renderStandardElement(flexiShelf, 'flexishelf', 'None', 'UseProductRatio', null, OrganizerSizeOptions);\r\n }\r\n\r\n visitFlexiSectionContents(contents) {\r\n const contentsElement = this.getDivElementAndPushContext(contents, 'center-col section-contents');\r\n\r\n this.pushContext(contentsElement);\r\n contents.components.forEach(content => {\r\n const element = this.visit(content);\r\n element.classList.add('section-content');\r\n this.setRelativeChildPosition(content, element, false, true);\r\n });\r\n this.popContext();\r\n\r\n return contentsElement;\r\n }\r\n\r\n visitFlexiSection(section) {\r\n const sectionElement = this.renderFloorModule(section, 'flexi-section', sction => {\r\n this.visit(sction.contents);\r\n });\r\n return sectionElement;\r\n }\r\n\r\n visitHangRodModule(module) {\r\n // The hangrod module is a standard module, typically within an organizer:\r\n const moduleElement = this.renderStandardModule(module, 'hangrod-module', (mdule, contentsElement) => {\r\n mdule.hangRods.forEach(rod => {\r\n const element = this.visit(rod);\r\n this.setRelativeChildPosition(rod, element, true, true);\r\n });\r\n mdule.supportRods.forEach(rod => {\r\n const element = this.visit(rod);\r\n this.setRelativeChildPosition(rod, element, true, true);\r\n });\r\n mdule.shelves.forEach(shelf => {\r\n const element = this.visit(shelf);\r\n this.setRelativeChildPosition(shelf, element, true, true);\r\n });\r\n });\r\n return moduleElement;\r\n }\r\n\r\n visitTopShelfModule(module) {\r\n const moduleElement = this.getDivElementAndPushContext(module, 'topshelf-module', true);\r\n this.setElementSize(module, moduleElement, 'None', 'UseProductRatio', OrganizerSizeOptions);\r\n module.components.forEach(shelf => {\r\n const element = this.visit(shelf);\r\n this.setRelativeChildPosition(shelf, element, true, true);\r\n });\r\n return this.popContext().data;\r\n }\r\n\r\n visitClosetOrganizer(organizer) {\r\n // The organizer is a standard module, possibly within another organizer:\r\n const organizerElement = this.renderStandardModule(organizer, 'closet-organizer', org => {\r\n this.visit(org.topShelfModule);\r\n });\r\n return organizerElement;\r\n }\r\n\r\n //#endregion *** Main Visitation Method ***\r\n}\r\n\r\n/**\r\n * Updates the backgroundImage css style on each div (component) which has a material. When adding\r\n * new product/component types to the framework, then a method for each which has a material must\r\n * be added to this class.\r\n */\r\nexport class HtmlUpdateMaterialImageVisitor extends UpdateMaterialImageVisitor {\r\n updateMaterialImage(component) {\r\n HtmlRenderVisitor.updateMaterialImage(component);\r\n }\r\n}\r\n\r\nexport class HtmlLabelVisitor extends ToggleLabelVisitor {\r\n constructor(toggleOn, getProductFinishName) {\r\n super(toggleOn);\r\n this.getProductFinishName = getProductFinishName;\r\n }\r\n\r\n static isLabelVisible(component) {\r\n return component.finishLabel && component.finishLabel.parentNode === component.displayObject;\r\n }\r\n\r\n toggleLabel(component) {\r\n let label = component.finishLabel;\r\n if (this.toggleOn) {\r\n if (!label) {\r\n component.finishLabel = label = document.createElement('span');\r\n label.className = 'product-label';\r\n }\r\n if (!HtmlLabelVisitor.isLabelVisible(component)) {\r\n component.displayObject.appendChild(label);\r\n }\r\n } else if (HtmlLabelVisitor.isLabelVisible(component)) {\r\n component.displayObject.removeChild(label);\r\n }\r\n // Always update the label content (even if the label isn't currently displayed):\r\n if (label) {\r\n label.textContent = this.getProductFinishName(component.finish);//component.material.finish;\r\n }\r\n }\r\n}\r\n","import { DrawingService2020 } from '../DrawingService2020.js';\r\nimport { HtmlUpdateMaterialImageVisitor, HtmlLabelVisitor, HtmlRenderVisitor } from './HtmlRenderVisitor.js';\r\nimport { ToggleInteractivityVisitor } from '../ProductVisitors.js';\r\n\r\n/**\r\n * The HtmlDrawingService implements the interface referenced by the Component/Product classes for\r\n * updating the drawing (in this case a html/css based 2D drawing).\r\n */\r\nexport class HtmlDrawingService extends DrawingService2020 {\r\n constructor(productDrawing, loadedMaterials, getProductFinishName, onLoadSingleMaterial) {\r\n super(productDrawing, loadedMaterials, getProductFinishName, onLoadSingleMaterial);\r\n }\r\n\r\n /**\r\n * Return true if we want the door front object to add the doors in odd index position first.\r\n * Return false if we want to add the doors in the original sequential order.\r\n */\r\n addOddDoorsFirst() {\r\n return false;\r\n }\r\n\r\n //#region DisplayObject Methods\r\n\r\n performInlineUpdate(component, onInitVisitor) {\r\n if (this.isDrawingUpdatesEnabled) {\r\n const visitor = new HtmlRenderVisitor(this.loadedMaterials, this.productDrawing);\r\n visitor.isInlineUpdate = true;\r\n this.assignMaterialJitLoaderTo(visitor);\r\n if (onInitVisitor) {\r\n onInitVisitor(visitor);\r\n }\r\n visitor.visit(component);\r\n }\r\n }\r\n\r\n /** E.g. Called for each panel and divider after the door core has been reconfigured. */\r\n setDisplayObjectPosition(component) {\r\n this.performInlineUpdate(component);\r\n }\r\n\r\n refreshMaterialImages(component) {\r\n if (this.isDrawingUpdatesEnabled) {\r\n const visitor = new HtmlUpdateMaterialImageVisitor();\r\n visitor.visit(component);\r\n }\r\n }\r\n\r\n /** Creates a new html element (depending on the component type and material). */\r\n createDisplayObject(component) {\r\n if (this.isDrawingUpdatesEnabled) {\r\n const visitor = new HtmlRenderVisitor(this.loadedMaterials, this.productDrawing);\r\n this.assignMaterialJitLoaderTo(visitor);\r\n return visitor.visit(component);\r\n }\r\n }\r\n\r\n /** Creates a new html element (depending on the component type and material). */\r\n createMaterialObject(component) {\r\n return this.createDisplayObject(component);\r\n }\r\n\r\n /** Creates a new html element (depending on the component type and material). */\r\n createContainer(component) {\r\n return this.createDisplayObject(component);\r\n }\r\n\r\n /**\r\n * Adds the display object as a child of the parent display object.\r\n */\r\n addToParentDisplayObject(parent, displayObject) {\r\n if (this.isDrawingUpdatesEnabled && parent && displayObject) {\r\n parent.appendChild(displayObject);\r\n }\r\n }\r\n\r\n /**\r\n * Adds the component's display object as a child of the parent component's display object.\r\n */\r\n addChildDisplayObject(component) {\r\n if (component.parent) {\r\n this.addToParentDisplayObject(component.parent.displayObject, component.displayObject);\r\n }\r\n }\r\n\r\n removeChildDisplayObject(displayObject) {\r\n if (this.isDrawingUpdatesEnabled) {\r\n if (displayObject.parentElement) {\r\n displayObject.parentElement.removeChild(displayObject);\r\n }\r\n // displayObject.destroy();\r\n }\r\n }\r\n\r\n /**\r\n * Replaces an old display object with a new one in the parent's child list.\r\n */\r\n replaceDisplayObject(oldChild, newChild) {\r\n if (this.isDrawingUpdatesEnabled && oldChild && oldChild.parentElement) {\r\n if (newChild) {\r\n oldChild.parentElement.replaceChild(newChild, oldChild); // Yes, new before old!\r\n }\r\n oldChild.parentElement.removeChild(oldChild);\r\n }\r\n }\r\n\r\n //#endregion DisplayObject Methods\r\n\r\n /**\r\n * Currently only used in the simulator app. The code here is similar to the code in\r\n * HtmlDrawingEngine.toggleDisplayObjectInteractive.\r\n */\r\n toggleInteractivity(rootComponent, on, clickHandler) {\r\n // The visitor is responsible for adding/removing interactivity on appropriate product components.\r\n const visitor = new ToggleInteractivityVisitor(component => {\r\n const { displayObject } = component;\r\n if (displayObject) {\r\n displayObject.style.cursor = on ? 'pointer' : '';\r\n if (on) {\r\n displayObject.addEventListener('click', clickHandler);\r\n } else {\r\n displayObject.removeEventListener('click', clickHandler);\r\n }\r\n }\r\n });\r\n visitor.visitRoot(rootComponent);\r\n }\r\n\r\n doorLayoutWasReplaced(door) {\r\n this.performInlineUpdate(door.core, visitor => {\r\n visitor.isReplacingDoorCore = true;\r\n visitor.clearChildren(door.core.displayObject);\r\n });\r\n }\r\n\r\n //#region Component Labels\r\n\r\n toggleFinishLabels(component, on) {\r\n const visitor = new HtmlLabelVisitor(on, this.getProductFinishName);\r\n visitor.visitRoot(component);\r\n }\r\n\r\n updateFinishLabel(component) {\r\n if (HtmlLabelVisitor.isLabelVisible(component)) {\r\n const visitor = new HtmlLabelVisitor(true, this.getProductFinishName);\r\n visitor.visitRoot(component);\r\n }\r\n }\r\n\r\n /**\r\n * Perform necessary clean up to help the browser's memory management and to avoid leaks.\r\n */\r\n detachFinishLabel(component) {\r\n component.finishLabel = null;\r\n }\r\n\r\n //#endregion Component Labels\r\n\r\n}\r\n","export const HtmlSizerStrategy = {\r\n pctWidth: 0,\r\n pctWidthPxHeight: 1,\r\n};\r\n\r\nexport class HtmlAspectRatioSizer {\r\n /**\r\n * @param {SizerStragety} sizerStrategy Determines whether we only set the width, of if we set both width and height.\r\n * @param {bool} alwaysUseWidthPct If false, then the height might be set to 100% in some cases. If true, then we'll\r\n * instead convert from 100% to the corresponding px value.\r\n */\r\n constructor(sizerStrategy, alwaysUseWidthPct) {\r\n this.sizerStrategy = sizerStrategy;\r\n this.alwaysUseWidthPct = alwaysUseWidthPct;\r\n }\r\n\r\n alignCenter(child, usePreCalculatedSizes) {\r\n let childLength = usePreCalculatedSizes ? this.childWidth : child.clientWidth;\r\n let diff = child.parentNode.clientWidth - childLength;\r\n child.style.left = (diff / 2) + 'px';\r\n\r\n childLength = usePreCalculatedSizes ? this.childHeight : child.clientHeight;\r\n diff = child.parentNode.clientHeight - childLength;\r\n child.style.top = diff > 1 ? (diff / 2) + 'px' : 0;\r\n }\r\n\r\n changeZoom(child, currentZoomPct, delta) {\r\n if (!child.parentNode) {\r\n // We have a case there the targetElement doesn't have a parent. Not sure why yet. 11/22/2021.\r\n return currentZoomPct;\r\n }\r\n const newZoomPct = currentZoomPct + delta;\r\n this.childWidth = child.parentNode.clientWidth * newZoomPct / 100;\r\n const childWHRatio = child.clientWidth / child.clientHeight;\r\n this.childHeight = this.childWidth / childWHRatio;\r\n return newZoomPct;\r\n }\r\n\r\n /**\r\n * If width/height are specified, use them for the calculation. Otherwise, if the element has\r\n * a NaturalWidth/-height, use them. Otherwise, use the clientWidth/-Height.\r\n * @param {Element} element The element whose w/h ratio we are calculating\r\n * @param {int} width A user specified width for the element.\r\n * @param {int} height A user specified height for the element.\r\n */\r\n static getWidthHeightRatio(element, width, height) {\r\n if (width && height) {\r\n return width / height;\r\n } else if (element.naturalWidth) {\r\n return element.naturalWidth / element.naturalHeight;\r\n }\r\n return element.clientWidth / element.clientHeight;\r\n }\r\n\r\n static hasHigherWHRatioThanParent(child, childWHRatio) {\r\n // If childWHRatio is specified, use that. Otherwise try to get the ratio from the child element:\r\n childWHRatio = childWHRatio || HtmlAspectRatioSizer.getWidthHeightRatio(child);\r\n const parent = child.parentNode;\r\n const parentWHRatio = parent.clientWidth / parent.clientHeight;\r\n return childWHRatio > parentWHRatio;\r\n }\r\n\r\n /**\r\n * Contain the entire child element within the parent by setting both a width and height.\r\n * @param {Element} child The html element which will be sized.\r\n * @param {int} logicalWidth For calculating the width/height ratio to be used for sizing the child element.\r\n * @param {int} logicalHeight For calculating the width/height ratio to be used for sizing the child element.\r\n * @param {double} childWHRatio If provided, this is the w/h ratio used and logicalWidth/-Height will be ignored.\r\n * @returns { width, height, cssWidth, cssHeight } Returns an object with width/height integers and\r\n * css width/height styles to be set on the child element (must be done by the caller).\r\n */\r\n containUsingWidthAndHeight(child, logicalWidth, logicalHeight, childWHRatio) {\r\n // If childWHRatio is specified, use that. Otherwise try to get the ratio from the child element:\r\n childWHRatio = childWHRatio || HtmlAspectRatioSizer.getWidthHeightRatio(child, logicalWidth, logicalHeight);\r\n const parent = child.parentNode;\r\n const parentWidth = parent.clientWidth;\r\n //const parentHeight = parent.clientHeight;\r\n let tmpHeight = 0;\r\n let tmpParent = parent;\r\n while (!tmpHeight && tmpParent)\r\n {\r\n tmpHeight = tmpParent.clientHeight;\r\n tmpParent = tmpParent.parentNode;\r\n }\r\n const parentHeight = tmpHeight;\r\n const parentWHRatio = parentWidth / parentHeight;\r\n const result = {};\r\n if (childWHRatio > parentWHRatio) {\r\n // Child should use 100% of the parent's width, and calculate the height based on its ratio\r\n result.cssWidth = '100%';\r\n result.width = parentWidth; // Since it's 100% of the parent's width\r\n // Using absolute value for the height:\r\n result.height = result.width / childWHRatio;\r\n result.cssHeight = result.height + 'px';\r\n } else {\r\n result.height = parentHeight; // Since it's 100% of the parent's height\r\n result.width = result.height * childWHRatio;\r\n if (this.alwaysUseWidthPct) {\r\n const childPct = 100 * result.width / parentWidth;\r\n result.cssWidth = childPct + '%';\r\n result.cssHeight = result.height + 'px';\r\n } else {\r\n result.cssWidth = result.width + 'px';\r\n // Child should use 100% of the parent's height, and calculate the width based on its ratio.\r\n // Code here is the inverse of the above.\r\n result.cssHeight = '100%';\r\n }\r\n }\r\n return result;\r\n }\r\n\r\n /**\r\n * Contain the entire child element within the parent by setting a percent width and 'auto' height.\r\n * @param {Element} child The html element which will be sized.\r\n * @param {int} logicalWidth For calculating the width/height ratio to be used for sizing the child element.\r\n * @param {int} logicalHeight For calculating the width/height ratio to be used for sizing the child element.\r\n * @param {double} childWHRatio If provided, this is the w/h ratio used and logicalWidth/-Height will be ignored.\r\n * @returns { width, height, cssWidth, cssHeight } Returns an object with width/height integers and\r\n * css width/height styles to be set on the child element (must be done by the caller).\r\n */\r\n containUsingWidthOnly(child, logicalWidth, logicalHeight, childWHRatio) {\r\n // If childWHRatio is specified, use that. Otherwise try to get the ratio from the child element:\r\n childWHRatio = childWHRatio || HtmlAspectRatioSizer.getWidthHeightRatio(child, logicalWidth, logicalHeight);\r\n const parent = child.parentNode;\r\n const parentWidth = parent.clientWidth;\r\n const parentHeight = parent.clientHeight;\r\n const parentWHRatio = parentWidth / parentHeight;\r\n const result = {};\r\n if (childWHRatio > parentWHRatio) {\r\n // Child should use 100% of the parent's width\r\n result.cssWidth = '100%';\r\n result.width = parentWidth;\r\n result.height = result.width / childWHRatio;\r\n } else {\r\n // Child should use 100% of the parent's height.\r\n result.height = parentHeight;\r\n result.width = result.height * childWHRatio;\r\n const childPct = 100 * result.width / parentWidth;\r\n result.cssWidth = childPct + '%';\r\n }\r\n result.cssHeight = 'auto';\r\n return result;\r\n }\r\n\r\n /**\r\n * Calculates the size of the child when sizing such that the entire child is placed within its\r\n * parent's client area while maintaining the child's width/height ratio.\r\n * @param {Element} child The element whose size we are calculating.\r\n * @param {int} logicalWidth For calculating the width/height ratio to be used for sizing the child element.\r\n * @param {int} logicalHeight For calculating the width/height ratio to be used for sizing the child element.\r\n * @param {double} childWHRatio If provided, this is the w/h ratio used and logicalWidth/-Height will be ignored.\r\n * @returns { width, height, cssWidth, cssHeight } Returns an object with width/height integers and\r\n * css width/height styles to be set on the child element (must be done by the caller).\r\n */\r\n getContainedChildSize(child, logicalWidth, logicalHeight, childWHRatio) {\r\n switch (this.sizerStrategy) {\r\n case HtmlSizerStrategy.pctWidthPxHeight:\r\n return this.containUsingWidthAndHeight(child, logicalWidth, logicalHeight, childWHRatio);\r\n case HtmlSizerStrategy.pctWidth:\r\n return this.containUsingWidthOnly(child, logicalWidth, logicalHeight, childWHRatio);\r\n default:\r\n return {};\r\n }\r\n }\r\n\r\n /**\r\n * Resizes the child element such that the entire child is placed within its parent's client\r\n * area while maintaining the child's width/height ratio.\r\n * @param {Element} child The element whose size we are calculating.\r\n * @param {double} childWHRatio If provided, this is the w/h ratio used (instead of the ratio\r\n * from the current size of the child element).\r\n */\r\n contain(child, childWHRatio) {\r\n const { cssWidth, cssHeight, width, height } = this.getContainedChildSize(\r\n child, child.clientWidth, child.clientHeight, childWHRatio);\r\n child.style.width = cssWidth;\r\n child.style.height = cssHeight;\r\n this.childWidth = width;\r\n this.childHeight = height;\r\n }\r\n\r\n sizeToFullWidth(child, childWHRatio) {\r\n // If childWHRatio is specified, use that. Otherwise try to get the ratio from the child element:\r\n childWHRatio = childWHRatio || HtmlAspectRatioSizer.getWidthHeightRatio(child);\r\n const childWidth = child.parentNode.clientWidth;\r\n const childHeight = childWidth / childWHRatio;\r\n child.style.width = '100%';\r\n switch (this.sizerStrategy) {\r\n case HtmlSizerStrategy.pctWidthPxHeight: {\r\n child.style.height = childHeight + 'px';\r\n break;\r\n }\r\n case HtmlSizerStrategy.pctWidth: {\r\n child.style.height = 'auto';\r\n break;\r\n }\r\n }\r\n this.childHeight = childHeight;\r\n this.childWidth = childWidth;\r\n }\r\n\r\n sizeToFullHeight(child, childWHRatio) {\r\n // If childWHRatio is specified, use that. Otherwise try to get the ratio from the child element:\r\n childWHRatio = childWHRatio || HtmlAspectRatioSizer.getWidthHeightRatio(child);\r\n const childHeight = child.parentNode.clientHeight;\r\n const childWidth = childHeight * childWHRatio;\r\n const childWidthPct = 100 * childWidth / child.parentNode.clientWidth;\r\n child.style.width = childWidthPct + '%';\r\n switch (this.sizerStrategy) {\r\n case HtmlSizerStrategy.pctWidthPxHeight: {\r\n child.style.height = childHeight + 'px';\r\n break;\r\n }\r\n case HtmlSizerStrategy.pctWidth: {\r\n child.style.height = 'auto';\r\n break;\r\n }\r\n }\r\n this.childHeight = childHeight;\r\n this.childWidth = childWidth;\r\n }\r\n\r\n maximizeWithinParent(child, logicalWidth, logicalHeight) {\r\n const { cssWidth, cssHeight } = this.getContainedChildSize(child, logicalWidth, logicalHeight);\r\n child.style.width = cssWidth;\r\n child.style.height = cssHeight;\r\n }\r\n}\r\n","import { EngineRegistry } from '../DrawingEngine.js';\r\nimport { DrawingEngine2020 } from '../DrawingEngine2020.js';\r\nimport { HtmlDrawingService } from './HtmlDrawingService.js';\r\nimport { HtmlAspectRatioSizer, HtmlSizerStrategy } from './HtmlAspectRatioSizer.js';\r\n\r\n/**\r\n * The HtmlDrawingEngine is responsible for creating product drawings using html and css.\r\n */\r\nexport class HtmlDrawingEngine extends DrawingEngine2020 {\r\n constructor(name, options) {\r\n super(name, options);\r\n this.hoverCursor = 'pointer';\r\n this.sizer = new HtmlAspectRatioSizer(HtmlSizerStrategy.pctWidthPxHeight);\r\n //this.usesStageProduct = true;\r\n }\r\n\r\n createDrawingService() {\r\n return new HtmlDrawingService(this.productDrawing, this.loader.loadedMaterials, this.getFinishName,\r\n // Give the service a call back to use if it needs to load a single material just-in-time:\r\n async (material, loadHighResAsWell, onHisResImgLoaded) => {\r\n return await this.loadSingleMaterial(material, loadHighResAsWell, onHisResImgLoaded);\r\n });\r\n }\r\n\r\n /**\r\n * The owner class (e.g. ProductDrawing) can call this method to get the display object to be\r\n * associated with the stage product. The stage product is a code created root product instance\r\n * and the parent of the product being displayed/edited.\r\n */\r\n getStageDisplayObject() {\r\n // We don't need a stage display object\r\n return null;\r\n }\r\n\r\n /** Needed if the user want's to move the html element into a full screen display. */\r\n getRootHtmlElement(rootDisplayObject) {\r\n /* Canvas-based engines need to return the Canvas element (the rootDisplayObject is a mesh or\r\n * other proprietary object), but in this html based engine the rootDisplayObject is also the\r\n * root html element. */\r\n return rootDisplayObject;\r\n }\r\n\r\n /**\r\n * Is responsible for adding a display object to the drawing. Typically this only needs to happen\r\n * for the root display object, and with some engine this is already done by the fact that the\r\n * display objects were added to the drawing when they were instantiated (Pixi, Babylon). These\r\n * subclasses may therefore implement this method with a do-nothing statement.\r\n * @param {any} displayObject The html element, mesh or sprite representing a (root) product component\r\n */\r\n addToDrawing(displayObject) {\r\n if (displayObject) {\r\n this.productDrawing.appendChild(displayObject);\r\n }\r\n }\r\n\r\n /**\r\n * Returns an object with the width and height of the drawing. This should match the size of the\r\n * image returned by the getDrawingImageUrl method.\r\n */\r\n getDrawingSize() {\r\n throw Error('getDrawingSize has not been implemented yet');\r\n }\r\n\r\n getDrawingImageUrl() {\r\n throw Error('getDrawingImageUrl has not been implemented yet');\r\n }\r\n\r\n /**\r\n * Turns interaction on/off for the displayObject.\r\n * @param {displayObject} displayObject The object whose interaction is toggled.\r\n * @param {bool} on Whether to turn interaction on or off.\r\n * @param {callback} clickHandler Handler for the displayObject's click event.\r\n */\r\n toggleDisplayObjectInteractive(displayObject, on, clickHandler) {\r\n if (displayObject) {\r\n displayObject.style.cursor = on ? this.hoverCursor : '';\r\n if (on) {\r\n displayObject.addEventListener('click', clickHandler);\r\n } else {\r\n displayObject.removeEventListener('click', clickHandler);\r\n }\r\n displayObject.interactive = on; // Our custom attribute\r\n }\r\n }\r\n\r\n startRendering() {\r\n if (!this.isRendering()) {\r\n // The HtmlDrawingEngine doesn't have a need for a render loop. It's done automatically by the browser.\r\n this._isRendering = true;\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n stopRendering() {\r\n if (this.isRendering()) {\r\n // The HtmlDrawingEngine doesn't have a need for a render loop. It's done automatically by the browser.\r\n this._isRendering = false;\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n isRendering() {\r\n return this._isRendering;\r\n }\r\n\r\n renderOnce() {\r\n /* The HtmlDrawingEngine doesn't have a need for manually rendering the drawing. It's done\r\n * automatically by the browser. */\r\n }\r\n\r\n //#region Canvas Methods\r\n\r\n bestFitStageAndCanvas(fitCanvasAroundStage, renderOnce) {\r\n const displayObject = this.productDrawing.firstChild;\r\n if (displayObject && displayObject.dataComponent) {\r\n const rect = displayObject.dataComponent.rect;\r\n let width;\r\n let height;\r\n const rotation = displayObject.dataComponent.rotation;\r\n if (rotation.x === -90) {\r\n // E.g. a flexi shelf\r\n width = rect.width;\r\n height = rect.depth;\r\n } else if (rotation.y === 90) {\r\n // E.g. a flexi side\r\n width = rect.depth;\r\n height = rect.height;\r\n } else {\r\n width = rect.width;\r\n height = rect.height;\r\n }\r\n this.sizer.maximizeWithinParent(displayObject, width, height);\r\n if (fitCanvasAroundStage) {\r\n this.resizeCanvasToFitAroundStage(false);\r\n }\r\n }\r\n }\r\n\r\n // As of 8/17/2020 not in use, but should still be functional\r\n resizeCanvasToFitInFullScreen(renderOnce) {\r\n throw Error('resizeCanvasToFitInFullScreen must be implemented by the subclass');\r\n }\r\n\r\n resizeCanvasToFitInFullWindow(renderOnce) {\r\n // TODO: Implement\r\n if (renderOnce) {\r\n this.renderOnce();\r\n }\r\n }\r\n\r\n resizeCanvasToFitAroundStage(renderOnce) {\r\n // TODO: Implement if needed\r\n if (renderOnce) {\r\n this.renderOnce();\r\n }\r\n }\r\n\r\n //#endregion Canvas Methods\r\n}\r\n\r\nEngineRegistry.register('HtmlDrawingEngine', HtmlDrawingEngine);\r\n","/**\r\n * Many of the Babylon mesh builder methods take a faceUV array as a part of the options object.\r\n * Each item in the faceUV array is a BABYLON.Vector4 object describing which part (sprite) of\r\n * the material's texture should be mapped to each face of the resulting 3D mesh object. This\r\n * FaceUVHelper class has helper functions for setting up the faceUV array as well as orienting\r\n * the faceUV items such that they are displayed correctly.\r\n *\r\n * This class was developed as a part of the prototyping of our mesh basket here:\r\n * https://playground.babylonjs.com/#WVLDLM#35\r\n */\r\nexport class FaceUVHelper {\r\n /**\r\n * This function in-place updates a faceUV item to flip the item sprite (texture area) horizontally over the Y-axis.\r\n *\r\n * See https://doc.babylonjs.com/features/featuresDeepDive/materials/using/texturePerBoxFace#how-to-orientate-a-sprite-on-a-face-with-faceuv.\r\n * @param {array} faceUV Each item in the faceUV array is a BABYLON.Vector4 object whose constructor\r\n * has parameters x, y, z, w.\r\n * @param {int} index Index into the item in the faceUV array we are updating.\r\n */\r\n flipUVOverYAxis(faceUV, index) {\r\n if (faceUV.length >= index + 1) {\r\n let xLeft = faceUV[index].x;\r\n //let yBottom = faceUV[index].y;\r\n let xRight = faceUV[index].z;\r\n //let yTop = faceUV[index].w;\r\n faceUV[index].x = xRight;\r\n faceUV[index].z = xLeft;\r\n }\r\n }\r\n\r\n /**\r\n * This function in-place updates a faceUV item to flip the item sprite (texture area) vertically over the X-axis.\r\n *\r\n * See https://doc.babylonjs.com/features/featuresDeepDive/materials/using/texturePerBoxFace#how-to-orientate-a-sprite-on-a-face-with-faceuv.\r\n * @param {array} faceUV Each item in the faceUV array is a BABYLON.Vector4 object whose constructor\r\n * has parameters x, y, z, w.\r\n * @param {int} index Index into the item in the faceUV array we are updating.\r\n */\r\n flipUVOverXAxis(faceUV, index) {\r\n if (faceUV.length >= index + 1) {\r\n //let xLeft = faceUV[index].x;\r\n let yBottom = faceUV[index].y;\r\n //let xRight = faceUV[index].z;\r\n let yTop = faceUV[index].w;\r\n faceUV[index].y = yTop;\r\n faceUV[index].w = yBottom;\r\n }\r\n }\r\n\r\n /**\r\n * Creates a faceUV array for an image with sprites divided into columns and rows.\r\n * @param {int} columns Column count\r\n * @param {int} rows Row count\r\n * @param {bool} useFullImageOnEachSprite If true, then each faceUV item will be initialized with (0, 0, 1, 1)\r\n * @returns An array of BABYLON.Vector4\r\n */\r\n setupFaceUV(columns, rows, useFullImageOnEachSprite) {\r\n let faceUV = new Array(rows * columns);\r\n if (useFullImageOnEachSprite) {\r\n for (let x = 0; x < columns; x++) {\r\n for (let y = 0; y < rows; y++) {\r\n faceUV[x] = new BABYLON.Vector4(0, 0, 1, 1);\r\n }\r\n }\r\n } else {\r\n for (let x = 0; x < columns; x++) {\r\n const xLeft = x / columns;\r\n const xRight = (x + 1) / columns;\r\n for (let y = 0; y < rows; y++) {\r\n const yBottom = y / rows;\r\n const yTop = (y + 1) / rows;\r\n faceUV[x] = new BABYLON.Vector4(xLeft, yBottom, xRight, yTop);\r\n }\r\n }\r\n }\r\n return faceUV;\r\n }\r\n}\r\n","/** QuadriLateralFrustum (QLF) UV face indeces */\r\nexport const QLFFaceNdx = {\r\n front: 0,\r\n back: 1,\r\n left: 2,\r\n right: 3,\r\n top: 4,\r\n bottom: 5,\r\n};\r\n\r\n/**\r\n * Creates a 3D quadrilateral frustum shape (kind of a trapezoidal prism). The shape is created\r\n * using the BABYLON.MeshBuilder.CreatePolyhedron function. 4/7/2023.\r\n * This class was developed as a part of the prototyping of our mesh basket here:\r\n * https://playground.babylonjs.com/#WVLDLM#35\r\n */\r\nexport class QuadriLateralFrustumBuilder {\r\n /**\r\n * Creates and returns the mesh.\r\n * @param {string} name For display/debugging\r\n * @param {object} origin Object with properties (x, y, z) setting the of the left, bottom, front\r\n * position of the frustum.\r\n * @param {object} dimensions Object with properties (topWidth, botWidth, topDepth, botDepth, height).\r\n * @param {array} faceUV Each item in the faceUV array is a BABYLON.Vector4 object.\r\n * @param {array} faceColors Array of BABYLON.Color3\r\n * @param {array} invisibleFaces Array[6] of bool (front, back, left, right, top, bottom).\r\n * @param {object} scene Scene object\r\n * @returns {object} Mesh\r\n */\r\n createMesh(name, origin, dimensions, faceUV, faceColors, invisibleFaces, scene) {\r\n // Vertex positions on the X-axis:\r\n const xBotOffset = (dimensions.topWidth - dimensions.botWidth) / 2;\r\n const topXLeft = origin.x;\r\n const topXRight = origin.x + dimensions.topWidth;\r\n const botXLeft = origin.x + xBotOffset;\r\n const botXRight = origin.x + xBotOffset + dimensions.botWidth;\r\n\r\n // Vertex positions on the Y-axis:\r\n const topY = origin.y + dimensions.height;\r\n const botY = origin.y;\r\n\r\n // Vertex positions on the Z-axis:\r\n const zBotOffset = (dimensions.topDepth - dimensions.botDepth) / 2;\r\n const topZFront = origin.z;\r\n const topZBack = origin.z + dimensions.topDepth;\r\n const botZFront = origin.z + zBotOffset;\r\n const botZBack = origin.z + zBotOffset + dimensions.botDepth;\r\n\r\n const faces = [\r\n [0, 1, 2, 3], // 0: Front\r\n [7, 6, 5, 4], // 1: Back (counterclockwise)\r\n [3, 7, 4, 0], // 2: Left\r\n [1, 5, 6, 2], // 3: Right\r\n [4, 5, 1, 0], // 4: Top\r\n [3, 2, 6, 7], // 5: Bottom\r\n ];\r\n let hasInvisibleFaces = false;\r\n if (invisibleFaces && invisibleFaces.length > 0) {\r\n for (let i = 0; i < faces.length; i++) {\r\n if (invisibleFaces[i]) {\r\n faces[i] = [0, 0, 0, 0];\r\n hasInvisibleFaces = true;\r\n }\r\n }\r\n }\r\n const customOptions = {\r\n vertex: [\r\n [topXLeft, topY, topZFront], // 0: left/top/front\r\n [topXRight, topY, topZFront], // 1: right/top/front\r\n [botXRight, botY, botZFront], // 2: right/bottom/front\r\n [botXLeft, botY, botZFront], // 3: left/bottom/front\r\n [topXLeft, topY, topZBack], // 4: left/top/back\r\n [topXRight, topY, topZBack], // 5: right/top/back\r\n [botXRight, botY, botZBack], // 6: right/bottom/back\r\n [botXLeft, botY, botZBack] // 7: left/bottom/back\r\n ],\r\n face: faces\r\n };\r\n\r\n // If any of the faces are removed, then we need to render both sides:\r\n const orientation = hasInvisibleFaces ? BABYLON.Mesh.DOUBLESIDE : BABYLON.Mesh.DEFAULTSIDE;\r\n\r\n const options = {\r\n custom: customOptions,\r\n sideOrientation: orientation,\r\n faceUV: faceUV,\r\n faceColors: faceColors,\r\n //wrap: true,\r\n };\r\n return BABYLON.MeshBuilder.CreatePolyhedron(name || 'quadrilateral_frustum', options, scene);\r\n }\r\n}\r\n","import { FaceUVHelper } from './FaceUVHelper.js';\r\nimport { QuadriLateralFrustumBuilder, QLFFaceNdx } from './QuadriLateralFrustumBuilder.js';\r\n\r\n/**\r\n * Creates rim which goes on top of all four sides of the basket. The shape is created\r\n * using the BABYLON.MeshBuilder.ExtrudeShape function. 4/9/2023.\r\n * This class was developed as a part of the prototyping of our mesh basket here:\r\n * https://playground.babylonjs.com/#WVLDLM#35\r\n*/\r\nclass BasketRimBuilder {\r\n /**\r\n * Creates the 2D profile of the rim if we made a vertical cut through it and looked at it\r\n * horizontally down the Z-axis. In our case this shape is vertical rectangle with rounded corners,\r\n * typically 10 mm wide and 2.5 mm high.\r\n */\r\n createRimShape(width, height, cornerRadius) {\r\n /* If width = 1.0, height = 0.25, and cornerRadius = 0.05, then:\r\n const myShape = [\r\n new BABYLON.Vector3(0.00, 0.05, 0),\r\n new BABYLON.Vector3(0.00, 0.20, 0),\r\n new BABYLON.Vector3(0.05, 0.25, 0),\r\n new BABYLON.Vector3(0.95, 0.25, 0),\r\n new BABYLON.Vector3(1.00, 0.20, 0),\r\n new BABYLON.Vector3(1.00, 0.05, 0),\r\n new BABYLON.Vector3(0.95, 0.00, 0),\r\n new BABYLON.Vector3(0.05, 0.00, 0),\r\n ];\r\n */\r\n return [\r\n new BABYLON.Vector3(0.00, cornerRadius, 0),\r\n new BABYLON.Vector3(0.00, height - cornerRadius, 0),\r\n new BABYLON.Vector3(cornerRadius, height, 0),\r\n new BABYLON.Vector3(width - cornerRadius, height, 0),\r\n new BABYLON.Vector3(width, height - cornerRadius, 0),\r\n new BABYLON.Vector3(width, cornerRadius, 0),\r\n new BABYLON.Vector3(width - cornerRadius, 0.00, 0),\r\n new BABYLON.Vector3(cornerRadius, 0.00, 0),\r\n ];\r\n }\r\n\r\n /**\r\n * Creates a path forming a rounded rectangle as seen vertically down the Y-axis. The 2D shape\r\n * created by the createRimShape function will be extruded along this path.\r\n */\r\n createRimPath(origin, width, depth, cornerRadius) {\r\n const x = origin.x;\r\n const y = origin.y;\r\n const z = origin.z;\r\n const path = [\r\n new BABYLON.Vector3(x, y, z + cornerRadius),\r\n new BABYLON.Vector3(x, y, z + depth - cornerRadius),\r\n new BABYLON.Vector3(x + cornerRadius, y, z + depth),\r\n new BABYLON.Vector3(x + width - cornerRadius, y, z + depth),\r\n new BABYLON.Vector3(x + width, y, z + depth - cornerRadius),\r\n new BABYLON.Vector3(x + width, y, z + cornerRadius),\r\n new BABYLON.Vector3(x + width - cornerRadius, y, z),\r\n new BABYLON.Vector3(cornerRadius, y, z),\r\n ];\r\n path.push(path[0]);\r\n return path;\r\n }\r\n\r\n /**\r\n * Creates and returns the mesh.\r\n * @param {string} name For display/debugging\r\n * @param {object} origin Object with properties (x, y, z) setting the of the left, bottom, front\r\n * position of the rim.\r\n * @param {object} dimensions Object with properties (basketWidth, basketDepth, yCornerRadius, edgeWidth,\r\n * edgeHeight, zCornerRadius).\r\n * @param {object} scene Scene object\r\n * @returns {object} Mesh\r\n */\r\n createMesh(name, origin, dimensions, scene) {\r\n // Shape profile in XY plane:\r\n const shape = this.createRimShape(dimensions.edgeWidth, dimensions.edgeHeight, dimensions.zCornerRadius);\r\n const path = this.createRimPath(origin, dimensions.basketWidth, dimensions.basketDepth, dimensions.yCornerRadius);\r\n const options = {\r\n shape: shape,\r\n closeShape: true,\r\n path: path,\r\n closePath: true,\r\n sideOrientation: BABYLON.Mesh.DOUBLESIDE, // TODO: Can we change to DEFAULTSIDE?\r\n cap: BABYLON.Mesh.CAP_ALL,\r\n //adjustFrame: true,\r\n //firstNormal: new BABYLON.Vector3(1, 1, 1),\r\n };\r\n /* NOTE, there might be something wrong about my understanding of how the ExtrudeShape\r\n * works. There are some artifacts in the corners, and possibly some unexpected coloring/shading\r\n * on the top. Or, I have a bug in the shape/path creation code. 4/10/2023. */\r\n return BABYLON.MeshBuilder.ExtrudeShape(name, options, scene);\r\n }\r\n}\r\n\r\n/* The original BasketBuilder class was developed in the Babylon Playground:\r\n * https://playground.babylonjs.com/#EUNZR2#28 */\r\nclass BaseBasketBuilder {\r\n constructor(scene) {\r\n this.scene = scene;\r\n\r\n let material = this.scene.getMaterialByID('Transparent');\r\n if (!material) {\r\n material = new BABYLON.StandardMaterial('Transparent', this.scene);\r\n material.alpha = 0;\r\n material.freeze();\r\n }\r\n this.transparentMaterial = material;\r\n // Cached instance we can use for cloning\r\n this.OriginalBasket = null;\r\n }\r\n\r\n createVector3Array(points) {\r\n return points.map(v => new BABYLON.Vector3(v[0], v[1], v[2]));\r\n }\r\n\r\n createContainerBox(name, rect) {\r\n const box = BABYLON.MeshBuilder.CreateBox(name, {\r\n width: rect.width,\r\n height: rect.height,\r\n depth: rect.depth,\r\n //faceUV: faceUV,\r\n //topBaseAt: options.topBaseAt,\r\n //bottomBaseAt: options.bottomBaseAt,\r\n //wrap: true,\r\n //updatable: true\r\n }, this.scene);\r\n box.material = this.transparentMaterial;\r\n box.isPickable = false;\r\n return box;\r\n }\r\n\r\n /**\r\n * Add multiple clones of the mesh created by the createMesh callback. The position and size of each clone\r\n * can be varied by using the startRect and endRect.\r\n */\r\n addMultipleClones(parent, cloneCount, startRect, endRect, createMesh, isImplicit = false) {\r\n let divisor = cloneCount - 1;\r\n if (!isImplicit)\r\n divisor += 2;\r\n const div = new BABYLON.Vector3(divisor, divisor, divisor);\r\n\r\n let deltaLoc = endRect.location.subtract(startRect.location);\r\n deltaLoc = deltaLoc.divide(div);\r\n\r\n let deltaScale = endRect.size.subtract(startRect.size);\r\n deltaScale = deltaScale.divide(div);\r\n\r\n const location = startRect.location;\r\n const scale = startRect.size;\r\n\r\n if (!isImplicit) {\r\n location.addInPlace(deltaLoc);\r\n scale.addInPlace(deltaScale);\r\n }\r\n\r\n let original;\r\n for (let i = 0; i < cloneCount; i++) {\r\n let clone;\r\n if (i == 0) {\r\n clone = original = createMesh();\r\n } else {\r\n // If we weren't merging meshes (see addBasket method), then we could've used createInstance instead:\r\n //clone = original.createInstance(`${original.name} ${i + 1}`);\r\n clone = original.clone(`${original.name} ${i + 1}`);\r\n }\r\n clone.parent = parent;\r\n clone.position.copyFrom(location);\r\n clone.scaling.copyFrom(scale);\r\n clone.freezeWorldMatrix(); // Performance! I think it's safe to do this (but we can't manipulate in Inspector anymore)\r\n\r\n location.addInPlace(deltaLoc);\r\n scale.addInPlace(deltaScale);\r\n }\r\n }\r\n}\r\n\r\nexport class FlexiBasketBuilder extends BaseBasketBuilder {\r\n constructor(scene) {\r\n super(scene);\r\n this.tubeTesselation = 3;\r\n }\r\n\r\n /** Helper method for creating a wire mesh given a path, radius, and tesselation. */\r\n createWire(name, path, radius, material, tessellation, freeze = false) {\r\n const tube = BABYLON.MeshBuilder.CreateTube(name, {\r\n path: path,\r\n radius: radius,\r\n tessellation: tessellation || this.tubeTesselation,\r\n }, this.scene);\r\n tube.material = tube.material || material;\r\n tube.isPickable = false;\r\n if (freeze) {\r\n tube.freezeWorldMatrix();\r\n }\r\n return tube;\r\n }\r\n\r\n addBasket(name, basketWidth, basketDepth, basketHeight, color, scale) {\r\n /* The wire geometry used in this code was generated by Langlo Designer via the Designer\r\n * Playground app. If we were to use the 3 dimension parameters above, then we would end up with\r\n * a partially correct model (some geometry based on the original dimensions and some on the actual\r\n * dimensions). As a work around we calculate the scale between the original dimensions and the\r\n * actual dimensions and apply this scale to the basket container mesh. This work around is more\r\n * resource efficient since we can reuse a single basket. But, baskets of other sizes than the\r\n * original will not look exactly like the real world baskets (they're stretched instead of\r\n * having more/less wires). */\r\n const origBasketWidth = 40.6;\r\n const origBasketDepth = 50;\r\n const origBasketHeight = 15.2;\r\n const basketScale = new BABYLON.Vector3(\r\n basketWidth / origBasketWidth, basketHeight / origBasketHeight, basketDepth / origBasketDepth);\r\n\r\n let material = null;\r\n if (color) {\r\n material = new BABYLON.StandardMaterial(name + ' material', this.scene);\r\n material.diffuseColor = BABYLON.Color3.FromHexString(color);\r\n material.freeze();\r\n }\r\n\r\n if (this.OriginalBasket) {\r\n // We can create a cloned basket instead of wasting resources on full new copies\r\n const clonedBasket = this.OriginalBasket.clone(name);\r\n clonedBasket.parent = null; // Reset parent\r\n clonedBasket.position = new BABYLON.Vector3(0, 0, 0); // Reset the position\r\n // The first \"basketScale\" scales from the original basket size to the current actual size\r\n // The second \"scale\" is used for converting units, i.e. from cm to mm\r\n if (scale) {\r\n basketScale.multiplyInPlace(new BABYLON.Vector3(scale, scale, scale));\r\n }\r\n clonedBasket.scaling = basketScale;\r\n const wireMeshes = clonedBasket.getChildMeshes(true);\r\n wireMeshes[0].material = material;\r\n return clonedBasket;\r\n }\r\n\r\n //#region ****** CONSTANTS & DECLARATIONS ******\r\n\r\n const ThinWireRadius = 0.15;\r\n const StandardWireRadius = 0.3;\r\n const XAxisWireCount = 14;\r\n const ZAxisWireCount = 11; //isWideBasket ? 15 : 11;\r\n const ShortWireCount = 3;\r\n const XMargin = 1.25;\r\n const YTopMargin = 1.5;\r\n const ZFrontMargin = 1.0;\r\n const topWireCornerLen = 1.0; // The arc is drawn inside a square with each side 1.0 cm long\r\n const wireCornerLen = 0.5; // The arc is drawn inside a square with each side 0.5 cm long\r\n\r\n const BasketNetWidth = origBasketWidth - (XMargin * 2);\r\n const BasketNetDepth = origBasketDepth - ZFrontMargin;\r\n const BasketNetHeight = origBasketHeight - YTopMargin;\r\n const XAxisOffset = BasketNetWidth / ZAxisWireCount;\r\n // Offset from the left & right edge to the first & last wire running from front to back on the Z-axis:\r\n const XAxisOffset2 = XAxisOffset - wireCornerLen;\r\n // Offset from the front & back edge to the first & last wire running from left to right on the X-axis:\r\n const ZAxisOffset = BasketNetDepth / XAxisWireCount;\r\n const ZAxisOffset2 = ZAxisOffset - wireCornerLen;\r\n\r\n // Length of wires running from left to right on the front and back side:\r\n const XShortWireScale = new BABYLON.Vector3(BasketNetWidth - (XAxisOffset * 2.0), 1.0, 1.0);\r\n // Length of wires running from front to back on the left and right side:\r\n const ZShortWireScale = new BABYLON.Vector3(1.0, 1.0, BasketNetDepth - (ZAxisOffset * 2.0));\r\n const unitSize = BABYLON.Vector3.One();\r\n\r\n //#endregion ****** CONSTANTS & DECLARATIONS ******\r\n\r\n // The basket box is the parent of all the wire meshes:\r\n const basket = this.createContainerBox(name, { width: origBasketWidth, height: origBasketHeight, depth: origBasketDepth });\r\n // We'll add all wire meshes to this temp parent before finally merging them.\r\n const tempParent = new BABYLON.Node('temp');\r\n\r\n //#region ***** Add Wires *****\r\n\r\n // 1. Add wire on the top of the basket; wraps around all sides:\r\n const topWirePath = this.createVector3Array([[0, 13.7, 1], [0, 13.7, 48], [0.015625, 13.7, 48.15625], [0.125, 13.7, 48.5], [0.421875, 13.7, 48.84375], [1, 13.7, 49], [37.1, 13.7, 49], [37.25625, 13.7, 48.984375], [37.6, 13.7, 48.875], [37.94375, 13.7, 48.578125], [38.1, 13.7, 48], [38.1, 13.7, 1], [38.084375, 13.7, 0.84375], [37.975, 13.7, 0.5], [37.678125, 13.7, 0.15625], [37.1, 13.7, 0], [1, 13.7, 0], [0.84375, 13.7, 0.015625], [0.5, 13.7, 0.125], [0.15625, 13.7, 0.421875], [0, 13.7, 1]]);\r\n const topWire = this.createWire('TopWire', topWirePath, StandardWireRadius, material);\r\n topWire.parent = tempParent;\r\n\r\n // 2. Add wires running from left to right on the front side\r\n let startLocation = new BABYLON.Vector3(XAxisOffset, 0.0, BasketNetDepth - ZAxisOffset2);\r\n let startSize = XShortWireScale;\r\n let endLocation = new BABYLON.Vector3(XAxisOffset, BasketNetHeight, BasketNetDepth);\r\n let endSize = XShortWireScale;\r\n this.addMultipleClones(tempParent, ShortWireCount,\r\n { location: startLocation, size: startSize }, { location: endLocation, size: endSize },\r\n () => {\r\n const wirePath = this.createVector3Array([[0, 0, 0], [1, 0, 0]]);\r\n return this.createWire('LeftToRightWire (Front)', wirePath, ThinWireRadius, material);\r\n });\r\n\r\n\r\n // 3. Add wires running from left to right on the back side\r\n startLocation = new BABYLON.Vector3(XAxisOffset, 0.0, ZAxisOffset2);\r\n startSize = XShortWireScale;\r\n endLocation = new BABYLON.Vector3(XAxisOffset, BasketNetHeight, 0.0);\r\n endSize = XShortWireScale;\r\n this.addMultipleClones(tempParent, ShortWireCount,\r\n { location: startLocation, size: startSize }, { location: endLocation, size: endSize },\r\n () => {\r\n const wirePath = this.createVector3Array([[0, 0, 0], [1, 0, 0]]);\r\n return this.createWire('LeftToRightWire (Back)', wirePath, ThinWireRadius, material);\r\n });\r\n\r\n\r\n // 4. Add wires running from front to back on the left side\r\n startLocation = new BABYLON.Vector3(XAxisOffset2, 0.0, ZAxisOffset);\r\n startSize = ZShortWireScale;\r\n endLocation = new BABYLON.Vector3(0.0, BasketNetHeight, ZAxisOffset);\r\n endSize = ZShortWireScale;\r\n this.addMultipleClones(tempParent, ShortWireCount,\r\n { location: startLocation, size: startSize }, { location: endLocation, size: endSize },\r\n () => {\r\n const wirePath = this.createVector3Array([[0, 0, 0], [0, 0, 1]]);\r\n return this.createWire('FrontToBackWire (Left)', wirePath, ThinWireRadius, material);\r\n });\r\n\r\n\r\n // 5. Add wires running from front to back on the right side\r\n startLocation = new BABYLON.Vector3(BasketNetWidth - XAxisOffset2, 0.0, ZAxisOffset);\r\n startSize = ZShortWireScale;\r\n endLocation = new BABYLON.Vector3(BasketNetWidth, BasketNetHeight, ZAxisOffset);\r\n endSize = ZShortWireScale;\r\n this.addMultipleClones(tempParent, ShortWireCount,\r\n { location: startLocation, size: startSize }, { location: endLocation, size: endSize },\r\n () => {\r\n const wirePath = this.createVector3Array([[0, 0, 0], [0, 0, 1]]);\r\n return this.createWire('FrontToBackWire (Right)', wirePath, ThinWireRadius, material);\r\n });\r\n\r\n\r\n // 6. Add base wires running from left to right (on X-axis)\r\n startLocation = new BABYLON.Vector3(0.0, 0.0, ZAxisOffset);\r\n startSize = unitSize;\r\n endLocation = new BABYLON.Vector3(0.0, 0.0, BasketNetDepth - ZAxisOffset);\r\n endSize = unitSize;\r\n this.addMultipleClones(tempParent, XAxisWireCount,\r\n { location: startLocation, size: startSize }, { location: endLocation, size: endSize },\r\n () => {\r\n const wirePath = this.createVector3Array([[0, 13.7, 0], [2.96363636363636, 0.5, 0], [2.97144886363636, 0.421875, 0], [3.02613636363636, 0.25, 0], [3.17457386363636, 0.078125, 0], [3.46363636363636, 0, 0], [34.6363636363636, 0, 0], [34.9254261363636, 0.078125, 0], [35.0738636363636, 0.25, 0], [35.1285511363636, 0.421875, 0], [35.1363636363636, 0.5, 0], [38.1, 13.7, 0]]);\r\n return this.createWire('X-axis Wire', wirePath, ThinWireRadius, material);\r\n }, true);\r\n\r\n\r\n // 7. Add base wires running from front to back (on Z-axis)\r\n startLocation = new BABYLON.Vector3(XAxisOffset, 0.0, 0.0);\r\n startSize = unitSize;\r\n endLocation = new BABYLON.Vector3(BasketNetWidth - XAxisOffset, 0.0, 0.0);\r\n endSize = unitSize;\r\n this.addMultipleClones(tempParent, ZAxisWireCount,\r\n { location: startLocation, size: startSize }, { location: endLocation, size: endSize },\r\n () => {\r\n const wirePath = this.createVector3Array([[0, 13.7, 0], [0, 0.5, 3], [0, 0.421875, 3.0078125], [0, 0.25, 3.0625], [0, 0.078125, 3.2109375], [0, 0, 3.5], [0, 0, 45.5], [0, 0.0078125, 45.578125], [0, 0.0625, 45.75], [0, 0.2109375, 45.921875], [0, 0.5, 46], [0, 13.7, 49]]);\r\n return this.createWire('Z-axis Wire', wirePath, ThinWireRadius, material);\r\n }, true);\r\n\r\n //#endregion ***** Add Wires *****\r\n\r\n // Performance optimization: merge all the child wire meshes:\r\n const childMeshes = tempParent.getChildMeshes(true);\r\n const wireMesh = BABYLON.Mesh.MergeMeshes(childMeshes);\r\n wireMesh.name = 'Wires';\r\n wireMesh.parent = basket;\r\n tempParent.dispose();\r\n\r\n /* The purpose of the code below is to move the wires such that they are centered inside the parent basket box.\r\n * Most Babylon meshes have their local origin set to the center of their bounds, but tubes's local origin\r\n * are set to the bottom/left/front of the bounds. */\r\n wireMesh.position.x = -(origBasketWidth / 2) + XMargin;\r\n wireMesh.position.y = -origBasketHeight / 2;\r\n wireMesh.position.z = -(origBasketDepth / 2) + ZFrontMargin;\r\n\r\n // The first \"basketScale\" scales from the original basket size to the current actual size\r\n // The second \"scale\" is used for converting units, i.e. from cm to mm\r\n if (scale) {\r\n basketScale.multiplyInPlace(new BABYLON.Vector3(scale, scale, scale))\r\n }\r\n basket.scaling = basketScale;\r\n this.OriginalBasket = basket;\r\n return basket;\r\n }\r\n}\r\n\r\n/**\r\n * Creates a mesh basket including its top rim using the QuadriLateralFrustumBuilder and\r\n * BasketRimBuilder helper classes.\r\n *\r\n * This class was developed as a part of the prototyping of our mesh basket here:\r\n * https://playground.babylonjs.com/#WVLDLM#35\r\n */\r\nexport class MeshBasketBuilder extends BaseBasketBuilder {\r\n constructor(scene) {\r\n super(scene);\r\n }\r\n\r\n /* Obsolete, only used for testing!!!\r\n createBasketUsingBox(name, width, height, depth, scene, material) {\r\n //const widthRatio = component.getMaterialWidthRatio();\r\n //const heightRatio = component.getMaterialHeightRatio();\r\n //const depthRatio = component.getMaterialDepthRatio();\r\n let faceUV = [];\r\n faceUV[0] = new BABYLON.Vector4(0.0, 0.0, 1.0, 1.0); // Rear face\r\n faceUV[1] = new BABYLON.Vector4(0.0, 0.0, 1.0, 1.0); // Front face\r\n faceUV[2] = new BABYLON.Vector4(0.0, 0.0, 1.0, 1.0); // Right side\r\n faceUV[3] = new BABYLON.Vector4(0.0, 0.0, 1.0, 1.0); // Left side\r\n faceUV[4] = new BABYLON.Vector4(0.0, 0.0, 0, 0); // On top\r\n faceUV[5] = new BABYLON.Vector4(0.0, 0.0, 1.0, 1.0); // At bottom\r\n\r\n const mesh = BABYLON.MeshBuilder.CreateBox(name, {\r\n width: width,\r\n height: height,\r\n depth: depth,\r\n sideOrientation: BABYLON.Mesh.DOUBLESIDE,\r\n //faceUV: faceUV,\r\n frontUV: faceUV,\r\n backUV: faceUV,\r\n //topBaseAt: options.topBaseAt,\r\n //bottomBaseAt: options.bottomBaseAt,\r\n //wrap: false,\r\n updatable: true\r\n }, scene);\r\n return mesh;\r\n }\r\n */\r\n\r\n /**\r\n * Creates a 3D basket shape. This shape can be looked at as a trapezoidal prism, and is also\r\n * called a quadrilateral frustum or a square frustum. The basket shape is created by using\r\n * a custom extrude function. \"Extrude\" here means defining a 2D shape and then \"duplicating\"\r\n * it on a defined path. We'll define a square in the XY plane, \"duplicate\" it on a straight\r\n * line path in the XZ direction, and finally scale it to our millimeter dimensions, rotate\r\n * it 90 degrees to make the open end of the basket be on top, and move it into our preferred\r\n * position.\r\n * This function was developed in the Babylon Playground (https://playground.babylonjs.com/#AUL9SE#8), 4/6/2023.\r\n **/\r\n /* Obsolete, only used for testing\r\n createBasketUsingExtrudeShape(name, width, height, depth, scene, material) {\r\n // First, define a unit square in the XY plane with 0,0 as the center:\r\n const rectangleShape = [\r\n new BABYLON.Vector3(-0.5, -0.5, 0), // bottom left\r\n new BABYLON.Vector3(-0.5, 0.5, 0), // top left\r\n new BABYLON.Vector3(0.5, 0.5, 0), // top right\r\n new BABYLON.Vector3(0.5, -0.5, 0), // bottom right\r\n ];\r\n rectangleShape.push(rectangleShape[0]); // close profile\r\n // Extrusion path, in unit size:\r\n const path = [new BABYLON.Vector3(0, 0, 0), new BABYLON.Vector3(0, 0, 1)];\r\n\r\n // Scale the extruded square to make the trapezoidal shape:\r\n const scaleFunc = function (i, distance) {\r\n if (i === 0) return 1.0;\r\n // bottom width (mm) / top width (mm) = scale between bottom and top width of basket\r\n return 340 / 405;\r\n }\r\n\r\n let mesh = BABYLON.MeshBuilder.ExtrudeShapeCustom(name,\r\n {\r\n shape: rectangleShape,\r\n path: path,\r\n scaleFunction: scaleFunc,\r\n sideOrientation: BABYLON.Mesh.DOUBLESIDE, // We want to see the inside\r\n //cap: BABYLON.Mesh.CAP_END, // Covers the bottom of the shape\r\n },\r\n scene);\r\n // Scale to the actual dimensions of the basket (in decimeter)\r\n mesh.scaling = new BABYLON.Vector3(width, depth, height);\r\n // Rotate 90 degrees around X-axis because extrusions are done in the Z-axis direction:\r\n mesh.rotation.x = BABYLON.Tools.ToRadians(90);\r\n\r\n // Position the basket such that its bottom/left/front is at 0,0,0. Note,\r\n // in Langlo Store we might need to align to the back instead of the front.\r\n mesh.position.x = width / 2;\r\n mesh.position.y = height;\r\n mesh.position.z = depth / 2;\r\n\r\n if (material) {\r\n mesh.material = material;\r\n }\r\n\r\n return mesh;\r\n }\r\n */\r\n\r\n /**\r\n * Flips the various UV faces such that their orientation is correct for a quadrilateral frustum\r\n * shape created with the BABYLON.MeshBuilder.CreatePolyHedron function.\r\n */\r\n reOrientBoxUVSprites(faceUVHelper, faceUV) {\r\n faceUVHelper.flipUVOverYAxis(faceUV, QLFFaceNdx.front);\r\n faceUVHelper.flipUVOverXAxis(faceUV, QLFFaceNdx.back);\r\n faceUVHelper.flipUVOverXAxis(faceUV, QLFFaceNdx.left);\r\n faceUVHelper.flipUVOverYAxis(faceUV, QLFFaceNdx.right);\r\n faceUVHelper.flipUVOverYAxis(faceUV, QLFFaceNdx.top);\r\n faceUVHelper.flipUVOverYAxis(faceUV, QLFFaceNdx.bottom);\r\n }\r\n\r\n /**\r\n * Creates a mesh basket including its top rim using the QuadriLateralFrustumBuilder and\r\n * BasketRimBuilder helper classes. This method was developed as a part of the prototyping of our\r\n * mesh basket here: https://playground.babylonjs.com/#WVLDLM#35\r\n */\r\n createBasketUsingQuadriLateralFrustum(name, width, height, depth, basketMaterial, rimMaterial, scene) {\r\n const rimDimensions = {\r\n basketWidth: width,\r\n basketDepth: depth,\r\n yCornerRadius: 5,\r\n edgeWidth: 10,\r\n edgeHeight: 2.5,\r\n zCornerRadius: 0.5,\r\n };\r\n const rimOrigin = { x: 0, y: height, z: 0 };\r\n\r\n const rimBuilder = new BasketRimBuilder();\r\n const rim = rimBuilder.createMesh('Rim', rimOrigin, rimDimensions, scene);\r\n rim.isPickable = false;\r\n if (rimMaterial) {\r\n rim.material = rimMaterial;\r\n }\r\n\r\n /* Define the quadrilateral frustum parameters. This code assumes the rim will be\r\n * positioned with half of it outside the top edge of the basket part, and the other\r\n * half of the rim inside the basket. It's possible that the entire rim should be\r\n * placed outside the basket, we'll have to revisit this after seeing the basket in\r\n * person. 4/10/2023. */\r\n const topBotRatio = 340 / 405; // Known top and bottom width of our mesh basket i mm.\r\n // Define the quadrilateral frustum parameters.\r\n const basketDimensions = {\r\n topWidth: width - rimDimensions.edgeWidth,\r\n botWidth: (width - rimDimensions.edgeWidth) * topBotRatio,\r\n topDepth: depth - rimDimensions.edgeWidth,\r\n botDepth: (depth - rimDimensions.edgeWidth) * topBotRatio,\r\n height: height,\r\n };\r\n const basketOrigin = {\r\n x: (rimDimensions.edgeWidth / 2),\r\n y: 0,\r\n z: (rimDimensions.edgeWidth / 2),\r\n };\r\n\r\n let useFullImageOnEachSprite;\r\n const useImageWithSprites = false;\r\n if (useImageWithSprites) {\r\n // The texture's image should be a rectangle with 6 sprites on 1 row.\r\n useFullImageOnEachSprite = false;\r\n } else {\r\n // The image has a single sprite used on every face of the frustum.\r\n useFullImageOnEachSprite = true;\r\n }\r\n const faceUVHelper = new FaceUVHelper();\r\n const faceUV = faceUVHelper.setupFaceUV(6, 1, useFullImageOnEachSprite);\r\n this.reOrientBoxUVSprites(faceUVHelper, faceUV);\r\n\r\n const invisibleFaces = [];\r\n invisibleFaces[QLFFaceNdx.top] = true;\r\n\r\n const basketBuilder = new QuadriLateralFrustumBuilder();\r\n const basket = basketBuilder.createMesh('Basket', basketOrigin, basketDimensions, faceUV,\r\n /*faceColors:*/ null, invisibleFaces, scene);\r\n basket.isPickable = false;\r\n if (basketMaterial) {\r\n basket.material = basketMaterial;\r\n }\r\n /* This code can be used to \"fill\" the edges of the basket. If we decide to proceed, then we\r\n * need to come up with ideal edgesWidth value and colors for the different basket finishes. */\r\n //basket.enableEdgesRendering();\r\n //basket.edgesWidth = 80.0;\r\n //basket.edgesColor = new BABYLON.Color4(0.8, 0.8, 0.8); // A silver variation\r\n\r\n const containerRect = {\r\n width: width,\r\n height: height,\r\n depth: depth,\r\n };\r\n\r\n const basketWithRim = this.createContainerBox(name, containerRect);\r\n basket.parent = basketWithRim;\r\n rim.parent = basketWithRim;\r\n\r\n /* The 2 child meshes (basket and rim) have their left/bottom/front aligned with the world's\r\n * left/bottom/front. The basketWithRim container box, on the other hand, has its origin in the\r\n * middle of the box which means the box is centered round the world's (0,0,0). The purpose of\r\n * the next few lines is to move the 2 child meshes so that they are positioned relative to the\r\n * parent basketWithRim. If all child and parent meshes had their origin at the world (0,0,0),\r\n * then this code wouldn't be needed. 4/18/2023. */\r\n const lbfOffset = new BABYLON.Vector3(containerRect.width / 2, containerRect.height / 2, containerRect.depth / 2);\r\n basket.position.subtractInPlace(lbfOffset);\r\n rim.position.subtractInPlace(lbfOffset);\r\n /* The basketWithRim including child meshes is now centered around the world's (0,0,0). If we want to\r\n * align the basket's left/bottom/front with the world's left/bottom/front, then enable the next line: */\r\n //basketWithRim.position.addInPlace(lbfOffset);\r\n //basketWithRim.showBoundingBox = true;\r\n return basketWithRim;\r\n }\r\n\r\n addBasket(name, compRect) {\r\n //const basket = this.createBasketUsingExtrudeShape(name, compRect.width, compRect.height, compRect.depth, this.scene);\r\n //const basket = this.createBasketUsingBox(name, compRect.width, compRect.height, compRect.depth, this.scene);\r\n const basket = this.createBasketUsingQuadriLateralFrustum(name,\r\n compRect.width, compRect.height, compRect.depth, null, null, this.scene);\r\n basket.isPickable = false;\r\n return basket;\r\n }\r\n}\r\n","/* global BABYLON */\r\nimport { UpdateMaterialImageVisitor } from '../UpdateMaterialImageVisitor.js';\r\nimport { ChildVisitOrder, ProductDrawingVisitor } from '../ProductVisitors.js';\r\nimport { FlexiBasketBuilder, MeshBasketBuilder } from './BabylonBasketBuilders.js';\r\n//import { AxisBuilder } from './BabylonAxisBuilder.js';\r\n\r\nexport class BabylonRenderVisitor extends ProductDrawingVisitor {\r\n constructor(finishResources, drawingElement, scene) {\r\n super();\r\n this.finishResources = finishResources;\r\n this.drawingElement = drawingElement;\r\n this.scene = scene;\r\n // The visitor wants to control when the children are visited:\r\n this.childVisitOrder = ChildVisitOrder.noChildren;\r\n /** When isInlineUpdate is true, the component structure has not changed and there's no need to\r\n * recreate any of the html elements. Instead each element is updated inline. */\r\n this.isInlineUpdate = false;\r\n this.vector2 = new BABYLON.Vector3(2, 2, 2); // Constant reused in the mesh positioning code\r\n }\r\n\r\n //#region *** Materials ***\r\n\r\n static lookupColorMaterial(component, scene) {\r\n const compMatr = component.material;\r\n // There is one color material per scene in the compMatr object\r\n const sceneId = scene.name;\r\n compMatr.BLColorMaterials = compMatr.BLColorMaterials || {};\r\n let material = compMatr.BLColorMaterials[sceneId];\r\n if (!material) {\r\n material = new BABYLON.StandardMaterial(compMatr.id, scene);\r\n material.diffuseColor = BABYLON.Color3.FromHexString(compMatr.color);\r\n if (compMatr.specularColor) {\r\n material.specularColor = BABYLON.Color3.FromHexString(compMatr.specularColor);\r\n }\r\n material.freeze(); // Comment this if you need to debug the material in the BJS Inspector\r\n compMatr.BLColorMaterials[sceneId] = material;\r\n //console.log(`%cCreated material ${material.id} for ${sceneId}`, 'color: green');\r\n }\r\n return material;\r\n }\r\n\r\n static lookupMaterial(component, scene, needsImageMaterial) {\r\n const compMatr = component.material;\r\n if (compMatr.isColor && !needsImageMaterial) {\r\n return BabylonRenderVisitor.lookupColorMaterial(component, scene);\r\n }\r\n if (compMatr.current) {\r\n const currentImg = compMatr.current;\r\n const resolution = currentImg.resolution;\r\n\r\n // There is one material per scene in the currentImg object\r\n const sceneId = scene.name;\r\n currentImg.BLMaterials = currentImg.BLMaterials || {};\r\n\r\n let material = currentImg.BLMaterials[sceneId];\r\n if (!material) {\r\n const texture = new BABYLON.Texture(currentImg.url, scene);\r\n if (compMatr.rotation) {\r\n texture.wAng = BABYLON.Tools.ToRadians(compMatr.rotation);\r\n }\r\n material = new BABYLON.StandardMaterial(`${compMatr.id}-${resolution}`, scene);\r\n material.diffuseTexture = texture;\r\n\r\n if (compMatr.hasAlpha === true) {\r\n /* These assignments were chosen by studying the\r\n * https://doc.babylonjs.com/features/featuresDeepDive/materials/advanced/transparent_rendering\r\n * article, and our own trial and error for how to get the best display quality and performance\r\n * for mesh baskets. 4/18/2023. */\r\n material.diffuseTexture.hasAlpha = true;\r\n material.backFaceCulling = true;\r\n material.useAlphaFromDiffuseTexture = true;\r\n //material.needDepthPrePass = true;\r\n }\r\n material.freeze();\r\n\r\n currentImg.BLMaterials[sceneId] = material;\r\n //console.log(`%cCreated material ${material.id} for ${sceneId}`, 'color: green');\r\n }\r\n return material;\r\n } else {\r\n console.warn(`Material ${compMatr.id} was found, but it's image has not been loaded`);\r\n }\r\n }\r\n\r\n // Not used?\r\n findMaterial(component) {\r\n return BabylonRenderVisitor.lookupMaterial(component, this.scene, /* needsImageMaterial: */ true);\r\n }\r\n\r\n /**\r\n * Replaces the mesh's (component.displayObject's) material based on the properties of\r\n * component.material (which is our own material type, not Babylon's). The method is async because\r\n * of the async onJitLoadMaterial callback which will await until the image is loaded.\r\n * @param {callback} onJitLoadMaterial (async) Will be called if the component's material image has not been\r\n * loaded yet. It's preferred to preload the material images, but sometimes new product finishes\r\n * are assigned (from the server-side) before the client's preload code has been updated.\r\n * @param {object} mesh This parameter allows us to update the display object (mesh) before it has been\r\n * assigned to the component. If the parameter is not used, then component.displayObject is used.\r\n * @param {bool} needsImageMaterial Some materials, e.g. MeshBasket, uses both an image and a color\r\n * for its rendering. In these cases, the needsImageMaterial parameter must be set to true for the\r\n * image material to be used.\r\n */\r\n static async replaceMeshMaterialStatic(component, onJitLoadMaterial, mesh, scene, needsImageMaterial) {\r\n scene = scene || component.drawingService.scene;\r\n mesh = mesh || component.displayObject;\r\n if (!mesh) {\r\n //throw Error('Mesh was unassigned');\r\n /* It's possible this method was called before the component was added to the drawing for the\r\n * first time. Let's just return now. */\r\n return;\r\n }\r\n if (component.material) {\r\n if (component.material.isColor && !needsImageMaterial) {\r\n mesh.material = BabylonRenderVisitor.lookupColorMaterial(component, scene);\r\n } else if (component.material.isImage) {\r\n const currentImg = component.material.current;\r\n if (currentImg) {\r\n if (currentImg.url) {\r\n mesh.material = BabylonRenderVisitor.lookupMaterial(component, scene, needsImageMaterial);\r\n } else {\r\n console.warn(`Not sure what happened here; the image.url was undefined on material ${component.material.id}`);\r\n }\r\n } else {\r\n /* This probably means the product factory didn't list the material as one in use by the\r\n * product (see ProductViewModelFactory.getAllKnownProductMaterialIds() in subclass). */\r\n if (onJitLoadMaterial) {\r\n /* This async callback will await until the low-res image has been loaded, and later,\r\n * after the hi-res image is loaded, the \"inner\" callback will be executed. So, we update\r\n * the mesh.material twice, first for the lo-res image, and later for the hi-res image. */\r\n await onJitLoadMaterial(component.material, () => {\r\n //console.log('Updating url to use the high-res image');\r\n // Recursive call, but we make sure the onJitLoadMaterial parameter is null to avoid stack overflow:\r\n BabylonRenderVisitor.replaceMeshMaterialStatic(component, null, mesh, scene, needsImageMaterial);\r\n });\r\n //console.log('Setting background image url to use low-res image');\r\n // Recursive call, but we make sure the onJitLoadMaterial parameter is null to avoid stack overflow:\r\n BabylonRenderVisitor.replaceMeshMaterialStatic(component, null, mesh, scene, needsImageMaterial);\r\n } else {\r\n console.warn(`Material ${component.material.id} was found, but it's image has not been loaded`);\r\n }\r\n }\r\n }\r\n }\r\n }\r\n\r\n /**\r\n * Replaces the mesh's (component.displayObject's) material based on the properties of\r\n * component.material (which is our own material type, not Babylon's). The method is async because\r\n * of the async this.onJitLoadMaterial callback which will await until the image is loaded.\r\n * @param {any} mesh This parameter allows us to update the display object (mesh) before it has been\r\n * assigned to the component. If the parameter is not used, then component.displayObject is used.\r\n */\r\n async replaceMeshMaterial(component, mesh, needsImageMaterial) {\r\n // Note, it's the user's (owner's) responsibility to assign the this.onJitLoadMaterial callback.\r\n await BabylonRenderVisitor.replaceMeshMaterialStatic(component,\r\n async (material, onHisResImgLoaded) => await this.onJitLoadMaterial(material, onHisResImgLoaded),\r\n mesh, this.scene, needsImageMaterial);\r\n }\r\n\r\n //#endregion *** Materials ***\r\n\r\n //#region *** Positioning & Resizing Meshes ***\r\n\r\n /**\r\n * Moves the Lower/Bottom/Back position (LBB) of the mesh to the LBB of the parent mesh\r\n * (or world if no parent).\r\n */\r\n moveLbbToParentLbb(mesh, relativePosition = null) {\r\n /* This method/algorithm was developed in the Babylon Playground: https://playground.babylonjs.com/#PTR26K#45\r\n * I also started the outline of a blog article on the subject: https://dev.to/tormnator/positioning-sub-meshes-in-babylon-js-7eh-temp-slug-1296673?preview=32eaa4260ae64e5420decb924e140a00a2c2ed1f48de4d6ba34bd8d2f9b7ae14ea505f0c204009a8a7cf08eefbc5b0c449e46e38a403806c7b22618d\r\n */\r\n /* TODO: Once we trust this method is bug free we can make performance optimizations (but keep\r\n * the original code also). */\r\n\r\n // **** The first segment below is functionally equivalent to the moveLbfToParentLbf method. ****\r\n\r\n if (mesh.parent) {\r\n /* Note: In Babylon v4 the force parameter was not needed in order to compute the correct\r\n * world matrix, but in v5 the function would not take rotations into consideration. The\r\n * force: true parameter fixes that. 4/18/2023. */\r\n mesh.parent.computeWorldMatrix(/*force:*/ true);\r\n }\r\n mesh.computeWorldMatrix(/*force:*/ true);\r\n let bbox = mesh.getBoundingInfo().boundingBox;\r\n let min = bbox.minimumWorld;\r\n let max = bbox.maximumWorld;\r\n let size = max.subtract(min); // The size of the mesh\r\n const meshDepth = size.z;\r\n // The distance from the local origin to the Left/Bottom/Front position:\r\n let lbf = size.divide(this.vector2);\r\n // This position places the LBF of the child mesh in the local origin of the parent mesh (or world if no parent):\r\n let position = lbf;\r\n //console.log(`Inner box lbf to parent origin x: ${position.x}`);\r\n let parentDepth;\r\n if (mesh.parent) {\r\n // Now we need to position the child mesh in the LBF of the parent mesh:\r\n bbox = mesh.parent.getBoundingInfo().boundingBox;\r\n min = bbox.minimumWorld;\r\n max = bbox.maximumWorld;\r\n size = max.subtract(min); // The size of the parent mesh\r\n parentDepth = size.z;\r\n // The distance from the local origin of the parent mesh to the Left/bottom/front position:\r\n lbf = size.divide(this.vector2);\r\n const position2 = lbf;\r\n position.subtractInPlace(position2);\r\n // We also have take the local scale into consideration:\r\n position.divideInPlace(mesh.parent.scaling);\r\n }\r\n mesh.position = relativePosition ? position.add(relativePosition) : position;\r\n\r\n // **** The code above is functionally equivalent to the moveLbfToParentLbf method. ****\r\n\r\n\r\n /* Now that we have the mesh in the LBF position, lets move the child mesh into the opposite\r\n * side of the X-axis (e.g. from positive Z to negative Z). */\r\n\r\n if (mesh.parent) {\r\n const delta = parentDepth - meshDepth;\r\n mesh.position.z += delta;\r\n if (relativePosition) {\r\n /* Move the mesh to a new position relative to the position of the parent.\r\n * We multiply by two because we first have to undo what the code above did,\r\n * then move it again. */\r\n mesh.position.z -= (relativePosition.z * 2);\r\n }\r\n } else { // Just move the mesh to the opposite side of the x-axis:\r\n mesh.position.z = -mesh.position.z;\r\n }\r\n }\r\n\r\n /**\r\n * Sets the child component's mesh position based on 1) the child component's position in the\r\n * product, and 2) the fact that in Babylon every mesh's (0,0,0) position is the local origin in\r\n * the 3D center of the mesh, and that the child origin is placed on top of the parent's origin.\r\n * @param {any} childComp Child product component\r\n */\r\n setChildPosition(childComp) {\r\n let { left, bottom, back } = childComp.rect; // The left, bottom, and back positions of the product component:\r\n const relPosition = new BABYLON.Vector3(left, bottom, back);\r\n this.moveLbbToParentLbb(childComp.displayObject, relPosition);\r\n }\r\n\r\n setMeshRotation(mesh, rotation) {\r\n let x, y, z;\r\n if (mesh.metadata && mesh.metadata.intrinsicRotation) {\r\n /* intrinsicRotation is set in the createRod method because the Babylon cylinder mesh is\r\n * vertical by default and we need it to be horizontal. */\r\n ({ x, y, z } = mesh.metadata.intrinsicRotation);\r\n } else {\r\n x = y = z = 0;\r\n }\r\n mesh.rotation.x = BABYLON.Tools.ToRadians(x + rotation.x);\r\n mesh.rotation.y = BABYLON.Tools.ToRadians(y + rotation.y);\r\n mesh.rotation.z = BABYLON.Tools.ToRadians(z + rotation.z);\r\n }\r\n\r\n setDefaultMeshRotation(component) {\r\n const rotation = this.getRotation(component);\r\n this.setMeshRotation(component.displayObject, rotation);\r\n }\r\n\r\n visitAndUpdatePosition(component) {\r\n const compMesh = this.visit(component);\r\n if (compMesh) {\r\n // With the new positioning algorithm we must set rotation before we do the positioning:\r\n this.setDefaultMeshRotation(component);\r\n\r\n const parent = component.parent;\r\n if (parent) {\r\n this.setChildPosition(component);\r\n }\r\n //this.setDefaultMeshRotation(component);\r\n }\r\n return compMesh;\r\n }\r\n\r\n //#endregion *** Positioning & Resizing Meshes ***\r\n\r\n //#region *** Mesh Helper Methods ***\r\n\r\n /** Creates a empty BABYLON.Mesh without any vertices or materials. */\r\n createEmptyMesh(name) {\r\n return new BABYLON.Mesh(name, this.scene);\r\n }\r\n\r\n /** Adds the childMesh as a child of the current mesh (stored in currentContext.data). */\r\n addChildMesh(childMesh) {\r\n /* It's a bit strange, but we'll allow calling this method without having a parent mesh to\r\n * add the child mesh to. The original use case is to create isolated meshes which\r\n * will later be added to the drawing (using the BabylonDrawingService methods). */\r\n if (this.currentContext) {\r\n childMesh.parent = this.currentContext.data;\r\n }\r\n return childMesh;\r\n }\r\n\r\n //[Obsolete('Not currently used, but might be used (again) in the future')]\r\n /**\r\n * Creates a empty BABYLON.Mesh without any vertices or materials. If component is assigned, then\r\n * we'else assign the mesh to the component's displayObject property. If we have a current context,\r\n * then we'll also add the mesh to the parent mesh (currentContext.data).\r\n */\r\n addEmptyMesh(component, name) {\r\n const newMesh = this.createEmptyMesh(name || (component ? component.name : null));\r\n if (component) {\r\n component.displayObject = newMesh;\r\n }\r\n return this.addChildMesh(newMesh);\r\n }\r\n\r\n /**\r\n * Looks at this.isInlineUpdate to determine whether to create a new mesh or reuse the\r\n * component's displayObject. If creating a new mesh, then an empty BABYLON.Mesh without any\r\n * vertices or materials will be created.\r\n * @param {bool} pushContext true/false; if true, the element will be pushed onto the context stack.\r\n * @param {function} onLookupMesh If this.isInlineUpdate and component is unassigned, then use the\r\n * onLookupMesh callback to acquire the mesh.\r\n */\r\n getEmptyMeshAndPushContext(component, name, pushContext, onLookupMesh) {\r\n let mesh;\r\n if (this.isInlineUpdate) {\r\n mesh = component && component.displayObject ? component.displayObject : onLookupMesh(component, name);\r\n } else {\r\n mesh = this.addEmptyMesh(component, name);\r\n }\r\n if (pushContext) {\r\n this.pushContext(mesh);\r\n }\r\n return mesh;\r\n }\r\n\r\n /**\r\n * Looks at this.isInlineUpdate to determine whether to create a new mesh or reuse the\r\n * component's displayObject. If creating a new mesh, then a Box Mesh with vertices, but without\r\n * any materials, will be created.\r\n * @param {bool} pushContext true/false; if true, the element will be pushed onto the context stack.\r\n * @param {function} onLookupMesh If this.isInlineUpdate and component is unassigned, then use the\r\n * onLookupMesh callback to acquire the mesh.\r\n */\r\n getContainerMeshAndPushContext(component, name, pushContext, onLookupMesh) {\r\n let mesh;\r\n if (this.isInlineUpdate) {\r\n mesh = component && component.displayObject ? component.displayObject : onLookupMesh(component, name);\r\n } else {\r\n mesh = this.createBox(component, name, /*isTransparent:*/ true);\r\n // If we don't want to create meshes with vertices:\r\n //mesh = this.addEmptyMesh(component, name);\r\n }\r\n if (pushContext) {\r\n this.pushContext(mesh);\r\n }\r\n return mesh;\r\n }\r\n\r\n getChildMeshByName(mesh, name, recursive) {\r\n const meshes = mesh.getChildMeshes(!recursive, node => node.name === name);\r\n return meshes.length > 0 ? meshes[0] : null;\r\n }\r\n\r\n //#endregion *** Mesh Helper Methods ***\r\n\r\n\r\n //#region *** Mesh Creation Methods ***\r\n\r\n createBox(component, name, isTransparent = false, onGetFaceUV = null) {\r\n const compRect = component.rect;\r\n let mesh;\r\n if (this.isInlineUpdate) {\r\n mesh = component.displayObject;\r\n // TODO: Update size\r\n } else {\r\n let faceUV;\r\n if (!isTransparent) {\r\n const widthRatio = component.getMaterialWidthRatio();\r\n const heightRatio = component.getMaterialHeightRatio();\r\n const depthRatio = component.getMaterialDepthRatio();\r\n if (onGetFaceUV) {\r\n faceUV = onGetFaceUV(widthRatio, heightRatio, depthRatio);\r\n } else {\r\n faceUV = [];\r\n // TODO: Consider the product material's width- and heightStrategy here\r\n faceUV[0] = new BABYLON.Vector4(0.0, 0.0, widthRatio, heightRatio); // Rear face\r\n faceUV[1] = new BABYLON.Vector4(0.0, 0.0, widthRatio, heightRatio); // Front face\r\n faceUV[2] = new BABYLON.Vector4(0.0, 0.0, depthRatio, heightRatio); // Right side\r\n faceUV[3] = new BABYLON.Vector4(0.0, 0.0, depthRatio, heightRatio); // Left side\r\n faceUV[4] = new BABYLON.Vector4(0.0, 0.0, widthRatio, depthRatio); // On top\r\n faceUV[5] = new BABYLON.Vector4(0.0, 0.0, widthRatio, depthRatio); // At bottom\r\n }\r\n }\r\n\r\n mesh = BABYLON.MeshBuilder.CreateBox(name || component.name, {\r\n width: compRect.width,\r\n height: compRect.height,\r\n depth: compRect.depth,\r\n faceUV: faceUV,\r\n //topBaseAt: options.topBaseAt,\r\n //bottomBaseAt: options.bottomBaseAt,\r\n wrap: true,\r\n updatable: true\r\n }, this.scene);\r\n mesh.isPickable = false;\r\n component.displayObject = mesh;\r\n //console.log(`Created ${mesh.name} box for scene ${this.scene.name}`);\r\n }\r\n if (isTransparent) {\r\n let material = this.scene.getMaterialByID('Transparent');\r\n if (!material) {\r\n material = new BABYLON.StandardMaterial('Transparent', this.scene);\r\n material.alpha = 0;\r\n material.freeze();\r\n }\r\n mesh.material = material;\r\n } else {\r\n /* await */ this.replaceMeshMaterial(component, mesh);\r\n }\r\n if (!mesh.parent) {\r\n this.addChildMesh(mesh);\r\n }\r\n return mesh;\r\n }\r\n\r\n createRod(component, isSupportRod) {\r\n const compRect = component.rect;\r\n let mesh;\r\n if (this.isInlineUpdate) {\r\n mesh = component.displayObject;\r\n // TODO: Update size\r\n } else {\r\n mesh = new BABYLON.MeshBuilder.CreateCylinder(component.name, {\r\n diameter: compRect.depth,\r\n //subdivisions: 6,\r\n tessellation: 6,\r\n height: isSupportRod ? compRect.height : compRect.width,\r\n }, this.scene);\r\n if (!isSupportRod) {\r\n // Cylinders are vertical by default; we want them horizontal. We'd like to make it simple:\r\n //mesh.rotation.z = Math.PI / 2;\r\n /* ... but rotation will be overwritten later by our code, so we need to save it for now,\r\n * and apply it later. */\r\n mesh.metadata = mesh.metadata || {};\r\n mesh.metadata.intrinsicRotation = new BABYLON.Vector3(0, 0, 90);\r\n }\r\n mesh.isPickable = false;\r\n component.displayObject = mesh;\r\n }\r\n /* await */ this.replaceMeshMaterial(component, mesh);\r\n if (!mesh.parent) {\r\n this.addChildMesh(mesh);\r\n }\r\n return mesh;\r\n }\r\n\r\n /*async*/ createFlexiBasket(component) {\r\n let mesh;\r\n if (this.isInlineUpdate) {\r\n mesh = component.displayObject;\r\n // TODO: Update size\r\n } else {\r\n if (!this.basketBuilder) {\r\n this.basketBuilder = new FlexiBasketBuilder(this.scene);\r\n }\r\n const { width, height, depth } = component.rect;\r\n mesh = this.basketBuilder.addBasket(component.name || 'FlexiBasket', width / 10, depth / 10, height / 10, null, 10);\r\n component.displayObject = mesh;\r\n }\r\n\r\n // WARNING: The code below should be kept in sync with the code in BabylonUpdateMaterialImageVisitor.visitFlexiBasketAndTracks()\r\n const wireMeshes = mesh.getChildMeshes(true);\r\n /* await */ this.replaceMeshMaterial(component, wireMeshes[0]);\r\n\r\n if (!mesh.parent) {\r\n this.addChildMesh(mesh);\r\n }\r\n return mesh;\r\n }\r\n\r\n /*async*/ createMeshBasket(component) {\r\n let mesh;\r\n if (this.isInlineUpdate) {\r\n mesh = component.displayObject;\r\n // TODO: Update size\r\n } else {\r\n if (!this.meshBasketBuilder) {\r\n this.meshBasketBuilder = new MeshBasketBuilder(this.scene);\r\n }\r\n const compRect = component.rect;\r\n mesh = this.meshBasketBuilder.addBasket(component.name || 'MeshBasket', compRect);\r\n component.displayObject = mesh;\r\n //console.log(`Created ${mesh.name} mesh basket for scene ${this.scene.name}`); // TODO: Remove\r\n\r\n //const axes = new BABYLON.AxesViewer(this.scene, component.rect.width); // TODO: Debug!!!!\r\n\r\n // Our own helper class below (looks better than Babylon's built-in axis function)\r\n //const axisBuilder = new AxisBuilder();\r\n //axisBuilder.showAxes(50, scene);\r\n }\r\n\r\n // WARNING: The code below should be kept in sync with the code in BabylonUpdateMaterialImageVisitor.visitMeshBasketAndTracks()\r\n const childMeshes = mesh.getChildMeshes(true);\r\n /*await*/ this.replaceMeshMaterial(component, childMeshes[0], /* needsImageMaterial: */ true); // Basket\r\n /*await*/ this.replaceMeshMaterial(component, childMeshes[1]); // Rim\r\n\r\n if (!mesh.parent) {\r\n this.addChildMesh(mesh);\r\n }\r\n return mesh;\r\n }\r\n\r\n createPanel(panel, name, onGetFaceUV) {\r\n return this.createBox(panel, name, false, onGetFaceUV);\r\n }\r\n\r\n createFloorModule(module, onVisitContents) {\r\n const moduleMesh = this.getContainerMeshAndPushContext(module, null, true);\r\n\r\n const { leftSide, rightSide } = module;\r\n if (leftSide) {\r\n this.visitAndUpdatePosition(leftSide);\r\n }\r\n\r\n onVisitContents(module, moduleMesh);\r\n\r\n if (rightSide) {\r\n this.visitAndUpdatePosition(rightSide);\r\n }\r\n\r\n this.popContext();\r\n return moduleMesh;\r\n }\r\n\r\n createStandardModule(module, beforeVisitContents) {\r\n // The createFloorModule method will render any flexi-sides. Anything in between should be\r\n // created in the callback below.\r\n const moduleMesh = this.createFloorModule(module,\r\n (mdule, mduleMesh) => {\r\n /* We are now in between the flexi-sides (if any). Let's create a parent mesh for each floor\r\n * module and other content. First let's create a fake component with the size of the mesh: */\r\n const contentsComp = {\r\n rect: {\r\n left: 0,\r\n bottom: 0,\r\n back: 0,\r\n width: mdule.rect.width,\r\n height: mdule.rect.height,\r\n depth: mdule.rect.depth,\r\n rotation: { x: 0, y: 0, z: 0 }\r\n },\r\n };\r\n const contentsMesh = this.getContainerMeshAndPushContext(contentsComp, 'std-module-contents', true,\r\n (comp, classes) => {\r\n /* (when this.isInlineUpdate == true) because this mesh is not associated with any\r\n * component, we can't lookup the mesh from component.displayObject. So we must do it\r\n * manually here: */\r\n return this.getChildMeshByName(mduleMesh, 'std-module-contents');\r\n });\r\n /* The std.module's contents are always in position (0,0,0), even if the module has flexi-sides.\r\n * The floor modules will have their left position adjusted for the flexiside's thickness.\r\n * Hence, we don't need to set any position here !!! */\r\n //this.setChildPosition(contentsComp);\r\n if (beforeVisitContents) {\r\n // This is where hangrods are created for a HangRodModule, and the TopShelfModule in an Organizer:\r\n beforeVisitContents(mdule, contentsMesh);\r\n }\r\n\r\n mdule.floorModules.forEach(floorModule => this.visitAndUpdatePosition(floorModule));\r\n mdule.otherComponents.forEach(component => this.visitAndUpdatePosition(component));\r\n this.popContext(); // moduleMesh\r\n });\r\n return moduleMesh;\r\n }\r\n\r\n //#endregion *** Mesh Creation Methods ***\r\n\r\n //#region *** Main Visitation Methods ***\r\n\r\n visitSideWall(sideWall) {\r\n return this.createPanel(sideWall);\r\n }\r\n\r\n visitFlexiSide(flexiSide) {\r\n return this.createPanel(flexiSide);\r\n }\r\n\r\n visitHangRodWithBrackets(hangRod) {\r\n return this.createRod(hangRod);\r\n }\r\n\r\n visitSupportRodWithBrackets(supportRod) {\r\n return this.createRod(supportRod, /*isSupportRod:*/ true);\r\n }\r\n\r\n visitFlexiBasketAndTracks(basket) {\r\n return this.createFlexiBasket(basket);\r\n }\r\n\r\n visitMeshBasketAndTracks(basket) {\r\n return this.createMeshBasket(basket);\r\n }\r\n\r\n visitFlexiShelf(flexiShelf) {\r\n //const shelfMesh = this.createPanel(flexiShelf);\r\n //if (!flexiShelf.parent) {\r\n // /* We want to showcase the the top of the shelf. Exactly what angles we choose here also\r\n // * depends on what camera angles we set up and lighting positions/directions: */\r\n // this.setMeshRotation(shelfMesh, { x: 150, y: 10, z: 0 });\r\n //}\r\n //return shelfMesh;\r\n return this.createPanel(flexiShelf);\r\n }\r\n\r\n visitTopShelf(topShelf) {\r\n const shelfMesh = this.createPanel(topShelf);\r\n if (!topShelf.parent) {\r\n /* We want to showcase the the top of the shelf. Exactly what angles we choose here also\r\n * depends on what camera angles we set up and lighting positions/directions: */\r\n this.setMeshRotation(shelfMesh, { x: 150, y: 10, z: 0 });\r\n }\r\n return shelfMesh;\r\n }\r\n\r\n visitFlexiSectionContents(contents) {\r\n const contentsMesh = this.getContainerMeshAndPushContext(contents, null, true);\r\n contents.components.forEach(content => {\r\n return this.visitAndUpdatePosition(content);\r\n });\r\n this.popContext();\r\n return contentsMesh;\r\n }\r\n\r\n visitFlexiSection(section) {\r\n const sectionMesh = this.createFloorModule(section, (sction, sctionMesh) => this.visitAndUpdatePosition(sction.contents));\r\n return sectionMesh;\r\n }\r\n\r\n visitHangRodModule(module) {\r\n // The hangrod module is a standard module, typically within an organizer:\r\n const moduleMesh = this.createStandardModule(module, (mdule, contentsMesh) => {\r\n mdule.hangRods.forEach(rod => this.visitAndUpdatePosition(rod));\r\n mdule.supportRods.forEach(rod => this.visitAndUpdatePosition(rod));\r\n mdule.shelves.forEach(shelf => this.visitAndUpdatePosition(shelf));\r\n });\r\n return moduleMesh;\r\n }\r\n\r\n visitTopShelfModule(module) {\r\n const moduleMesh = this.getContainerMeshAndPushContext(module, null, true);\r\n module.components.forEach(shelf => {\r\n return this.visitAndUpdatePosition(shelf);\r\n });\r\n this.popContext();\r\n return moduleMesh;\r\n }\r\n\r\n visitClosetOrganizer(organizer) {\r\n // The organizer is a standard module, possibly within another organizer:\r\n const organizerMesh = this.createStandardModule(organizer, org => this.visitAndUpdatePosition(org.topShelfModule));\r\n return organizerMesh;\r\n }\r\n\r\n //#endregion *** Main Visitation Methods ***\r\n}\r\n\r\n/** Used when we're first downloading low-res images, and later downloading hi-res images. */\r\nexport class BabylonUpdateMaterialImageVisitor extends UpdateMaterialImageVisitor {\r\n updateMaterialImage(component, mesh, needsImageMaterial) {\r\n /* await */ BabylonRenderVisitor.replaceMeshMaterialStatic(component, null, mesh, null, needsImageMaterial);\r\n }\r\n\r\n visitFlexiBasketAndTracks(component) {\r\n if (component.displayObject) {\r\n // The basket has a inner mesh which is the one with the material:\r\n const wireMeshes = component.displayObject.getChildMeshes(true);\r\n this.updateMaterialImage(component, wireMeshes[0]);\r\n }\r\n }\r\n\r\n visitMeshBasketAndTracks(component) {\r\n if (component.displayObject) {\r\n /* The basket's first child mesh is the one with the \"material\". In this case the material\r\n * is a png image with a transparent mesh pattern. The second child mesh is the basket's rim,\r\n * and this mesh just needs a color material. */\r\n const childMeshes = component.displayObject.getChildMeshes(true);\r\n this.updateMaterialImage(component, childMeshes[0], /* needsImageMaterial: */ true); // Basket\r\n this.updateMaterialImage(component, childMeshes[1]); // Rim\r\n }\r\n }\r\n\r\n}\r\n","import { DrawingService2020 } from '../DrawingService2020.js';\r\nimport { BabylonUpdateMaterialImageVisitor, BabylonRenderVisitor } from './BabylonRenderVisitor.js';\r\n\r\n/**\r\n * The BabylonDrawingService primarily implements the interface referenced by the Component/Product\r\n * classes for updating the drawing (in this case a based 3D drawing).\r\n */\r\nexport class BabylonDrawingService extends DrawingService2020 {\r\n constructor(productDrawing, loadedMaterials, getProductFinishName, scene, onLoadSingleMaterial) {\r\n super(productDrawing, loadedMaterials, getProductFinishName, onLoadSingleMaterial);\r\n this.scene = scene;\r\n }\r\n\r\n /**\r\n * Used when we're first downloading low-res images, followed by download of the hi-res images.\r\n */\r\n refreshMaterialImages(component) {\r\n if (this.isDrawingUpdatesEnabled) {\r\n const visitor = new BabylonUpdateMaterialImageVisitor();\r\n visitor.visit(component);\r\n }\r\n }\r\n\r\n createDisplayObject(component) {\r\n if (this.isDrawingUpdatesEnabled) {\r\n const visitor = new BabylonRenderVisitor(this.loadedMaterials, this.productDrawing, this.scene);\r\n this.assignMaterialJitLoaderTo(visitor);\r\n return visitor.visit(component);\r\n }\r\n }\r\n\r\n /**\r\n * Returns a new display object (depending on the material).\r\n */\r\n createMaterialObject(component) {\r\n return this.createDisplayObject(component);\r\n }\r\n\r\n /**\r\n * Creates a light-weight display object whose only purpose is to contain child display objects.\r\n */\r\n createContainer(component) {\r\n return this.createDisplayObject(component);\r\n }\r\n\r\n /**\r\n * Adds the display object as a child of the parent display object.\r\n */\r\n addToParentDisplayObject(parent, displayObject) {\r\n if (this.isDrawingUpdatesEnabled && parent && displayObject) {\r\n displayObject.parent = parent;\r\n //console.log('Babylon Drawing Service: set displayObject.parent = parent');\r\n }\r\n }\r\n\r\n /**\r\n * Adds the component's display object as a child of the parent component's display object.\r\n */\r\n addChildDisplayObject(component) {\r\n if (component.parent) {\r\n this.addToParentDisplayObject(component.parent.displayObject, component.displayObject);\r\n }\r\n }\r\n\r\n removeChildDisplayObject(displayObject) {\r\n if (this.isDrawingUpdatesEnabled) {\r\n if (displayObject.parent) {\r\n displayObject.parent = null;\r\n //console.log('Babylon Drawing Service: set displayObject.parent = null');\r\n } else {\r\n const index = this.scene.removeMesh(displayObject, true);\r\n //console.log('Babylon Drawing Service: scene.removeMesh(displayObject)');\r\n }\r\n displayObject.dispose();\r\n }\r\n }\r\n\r\n performInlineUpdate(component, onInitVisitor) {\r\n if (this.isDrawingUpdatesEnabled) {\r\n const visitor = new BabylonRenderVisitor(this.loadedMaterials, this.productDrawing, this.scene);\r\n visitor.isInlineUpdate = true;\r\n this.assignMaterialJitLoaderTo(visitor);\r\n if (onInitVisitor) {\r\n onInitVisitor(visitor);\r\n }\r\n visitor.visit(component);\r\n }\r\n }\r\n\r\n //#region Component Labels\r\n\r\n toggleFinishLabels(component, on) {\r\n // TODO: Implement this\r\n //const visitor = new HtmlLabelVisitor(on, this.getProductFinishName);\r\n //visitor.visitRoot(component);\r\n }\r\n\r\n updateFinishLabel(component) {\r\n // TODO: Implement this\r\n //if (HtmlLabelVisitor.isLabelVisible(component)) {\r\n // const visitor = new HtmlLabelVisitor(true, this.getProductFinishName);\r\n // visitor.visitRoot(component);\r\n //}\r\n }\r\n\r\n /**\r\n * Perform necessary clean up to help the browser's memory management and to avoid leaks.\r\n */\r\n detachFinishLabel(component) {\r\n // TODO: Implement this\r\n //component.finishLabel = null;\r\n }\r\n\r\n //#endregion Component Labels\r\n\r\n}","/* global BABYLON */\r\n\r\nexport const RoomAlign = {\r\n left: 0,\r\n center: 1,\r\n right: 2,\r\n bottom: 3,\r\n top: 4,\r\n back: 5,\r\n front: 6,\r\n};\r\n\r\n/**\r\n * This class is responsible for creating a room into which we can place the product.\r\n * Initial development was done here: https://playground.babylonjs.com/#BSHTJZ#33 based on the work\r\n * done by here: https://playground.babylonjs.com/#CGA05F#66.\r\n * */\r\nexport class Room {\r\n constructor(scene) {\r\n this.scene = scene;\r\n this.DEFAULT_ROOM_DIMENSIONS = {\r\n width: 3000,\r\n depth: 2000,\r\n height: 2500\r\n };\r\n this.BASEBOARD_HEIGHT = 100;\r\n this.align = {};\r\n this.materials = {};\r\n }\r\n\r\n createColorMaterial(name, color, alpha, removeSpecularColor) {\r\n if (!color)\r\n return;\r\n\r\n let material = this.materials[name];\r\n if (!material) {\r\n material = new BABYLON.StandardMaterial(name, this.scene);\r\n this.materials[name] = material;\r\n }\r\n material.diffuseColor = color.length === 7\r\n ? BABYLON.Color3.FromHexString(color)\r\n : BABYLON.Color4.FromHexString(color);\r\n if (removeSpecularColor) {\r\n // Remove glare from the wall:\r\n material.specularColor = BABYLON.Color3.Black();\r\n }\r\n if (alpha !== undefined) {\r\n material.alpha = alpha;\r\n }\r\n return material;\r\n }\r\n\r\n removeRoomFromDrawing() {\r\n if (this.floor) {\r\n this.floor.dispose();\r\n this.floor = null;\r\n }\r\n if (this.walls) {\r\n this.walls.forEach(wall => wall.dispose());\r\n this.walls = null;\r\n }\r\n if (this.baseboards) {\r\n this.baseboards.forEach(baseboard => baseboard.dispose());\r\n this.baseboards = null;\r\n }\r\n }\r\n\r\n createFloor(options) {\r\n const { floorMaterial, origin, dimensions } = options;\r\n // In this case the 'height' of the ground is actually the depth of the room\r\n // because the ground is a 2 dimensional object.\r\n const floor = BABYLON.MeshBuilder.CreateGround(\r\n \"Floor\",\r\n {\r\n width: dimensions.width,\r\n height: dimensions.depth\r\n },\r\n this.scene\r\n );\r\n\r\n // Due to a phenomenon called 'z-fighting', we want the floor to be a smidge lower than all the meshes we load into the scene\r\n floor.position = new BABYLON.Vector3(origin.x, origin.y - 0.01, origin.z);\r\n if (floorMaterial) {\r\n floor.material = floorMaterial;\r\n }\r\n floor.isPickable = false;\r\n return floor;\r\n }\r\n\r\n createWalls({ wallData, origin = { x: 0, y: 0, z: 0 }, dimensions = this.DEFAULT_ROOM_DIMENSIONS,\r\n baseboardMaterial = null }) {\r\n const walls = new Array(4);\r\n const baseboards = this.includeBaseboards ? new Array(4) : null;\r\n wallData.forEach((wallDatum, index) => {\r\n const { rotation, material } = wallDatum;\r\n const isShortWall = !index || index === 3;\r\n const width = isShortWall ? dimensions.depth : dimensions.width;\r\n const wall = BABYLON.MeshBuilder.CreatePlane(\r\n `Wall ${index}`,\r\n { width, height: dimensions.height },\r\n this.scene\r\n );\r\n walls[index] = wall;\r\n\r\n const multiplier = index < 2 ? -1 : 1;\r\n const x = multiplier * (isShortWall ? dimensions.width / 2 : 0);\r\n const y = dimensions.height / 2;\r\n const z = multiplier * (!isShortWall ? dimensions.depth / 2 : 0);\r\n wall.position = new BABYLON.Vector3(\r\n origin.x + x,\r\n origin.y + y,\r\n origin.z + z);\r\n wall.rotationQuaternion = new BABYLON.Quaternion.FromEulerAngles(\r\n rotation.x,\r\n rotation.y,\r\n rotation.z\r\n );\r\n wall.material = material;\r\n wall.isPickable = false;\r\n\r\n if (this.includeBaseboards) {\r\n const baseboard = new BABYLON.MeshBuilder.CreatePlane(\r\n `baseboard${index}`,\r\n { width: width, height: this.BASEBOARD_HEIGHT, depth: 0.1 },\r\n this.scene\r\n );\r\n const baseboardX = x > 0 ? x - 5 : x + 5;\r\n const baseboardZ = z > 0 ? z - 5 : z + 5;\r\n baseboard.position = new BABYLON.Vector3(\r\n origin.x + baseboardX,\r\n origin.y + this.BASEBOARD_HEIGHT / 2,\r\n origin.z + baseboardZ\r\n );\r\n baseboards[index] = baseboard;\r\n baseboard.rotationQuaternion = new BABYLON.Quaternion.FromEulerAngles(\r\n rotation.x,\r\n rotation.y,\r\n rotation.z\r\n );\r\n baseboard.material = baseboardMaterial;\r\n baseboard.isPickable = false;\r\n }\r\n });\r\n return { walls, baseboards };\r\n }\r\n\r\n updateSizesAndPositions() {\r\n const dims = this.contentDims = {\r\n }\r\n if (this.content) {\r\n this.content.computeWorldMatrix();\r\n let bbox = this.content.getBoundingInfo().boundingBox;\r\n dims.min = bbox.minimumWorld;\r\n dims.max = bbox.maximumWorld;\r\n dims.size = dims.max.subtract(dims.min);\r\n const leftGap = this.leftGap || 0;\r\n const rightGap = this.rightGap || 0;\r\n if (this.autoWidth) {\r\n this.width = dims.size.x + leftGap + rightGap;\r\n const deltaGap = (leftGap - rightGap) / 2;\r\n this.content.position.x = deltaGap;\r\n } else if (this.align.x === RoomAlign.left) {\r\n this.content.position.x = -(this.width / 2) - dims.min.x + leftGap;\r\n } else if (this.align.x === RoomAlign.right) {\r\n this.content.position.x = (this.width / 2) - dims.max.x - rightGap;\r\n }\r\n\r\n const bottomGap = this.bottomGap || 0;\r\n const topGap = this.topGap || 0;\r\n if (this.autoHeight) {\r\n this.height = dims.size.y + topGap + bottomGap;\r\n const deltaGap = (bottomGap - topGap) / 2;\r\n this.content.position.y = deltaGap;\r\n } else if (this.align.y === RoomAlign.bottom) {\r\n this.content.position.y = -(this.height / 2) - dims.min.y + bottomGap;\r\n } else if (this.align.y === RoomAlign.top) {\r\n this.content.position.y = (this.height / 2) - dims.max.y - topGap;\r\n }\r\n\r\n const frontGap = this.frontGap || 0;\r\n const backGap = this.backGap || 0;\r\n if (this.autoDepth) {\r\n this.depth = dims.size.z + frontGap + backGap;\r\n const deltaGap = (frontGap - backGap) / 2;\r\n this.content.position.z = deltaGap;\r\n } else if (this.align.z === RoomAlign.front) {\r\n this.content.position.z = -(this.depth / 2) - dims.min.z + frontGap;\r\n } else if (this.align.z === RoomAlign.back) {\r\n this.content.position.z = (this.depth / 2) - dims.max.z - backGap;\r\n }\r\n } else {\r\n dims.min = BABYLON.Vector3.Zero();\r\n dims.max = BABYLON.Vector3.Zero();\r\n dims.size = BABYLON.Vector3.Zero();\r\n }\r\n\r\n this.roomDimensions = {\r\n width: this.width || this.DEFAULT_ROOM_DIMENSIONS.width,\r\n height: this.height || this.DEFAULT_ROOM_DIMENSIONS.height,\r\n depth: this.depth || this.DEFAULT_ROOM_DIMENSIONS.depth,\r\n };\r\n }\r\n\r\n rebuildAndAddToDrawing() {\r\n this.removeRoomFromDrawing();\r\n this.updateSizesAndPositions();\r\n // Use this.floorMaterial if assigned. Otherwise, create a color material\r\n const floorMaterial = this.floorMaterial ||\r\n this.createColorMaterial('Floor material', this.floorColor, this.floorAlpha);\r\n const options = {\r\n floorMaterial,\r\n origin: { x: 0, y: -this.roomDimensions.height / 2, z: 0 },\r\n dimensions: this.roomDimensions\r\n };\r\n this.floor = this.createFloor(options);\r\n\r\n const wallMaterial = this.wallMaterial ||\r\n this.createColorMaterial('Wall material', this.wallColor, this.wallAlpha, true);\r\n const baseboardMaterial = this.includeBaseboards\r\n ? this.baseboardMaterial || this.createColorMaterial('Baseboard material', this.baseboardColor, this.baseboardAlpha, true)\r\n : null;\r\n const wallData = [\r\n {\r\n // Left\r\n rotation: new BABYLON.Vector3(0, -Math.PI / 2, 0),\r\n material: wallMaterial\r\n },\r\n {\r\n // Front\r\n rotation: new BABYLON.Vector3(0, Math.PI, 0),\r\n material: wallMaterial\r\n },\r\n {\r\n // Back\r\n rotation: new BABYLON.Vector3(0, 0, 0),\r\n material: wallMaterial\r\n },\r\n {\r\n // Right\r\n rotation: new BABYLON.Vector3(0, Math.PI / 2, 0),\r\n material: wallMaterial\r\n }\r\n ];\r\n\r\n const { walls, baseboards } = this.createWalls({\r\n wallData,\r\n origin: { x: 0, y: -this.roomDimensions.height / 2, z: 0 },\r\n dimensions: this.roomDimensions,\r\n baseboardMaterial\r\n });\r\n this.walls = walls;\r\n this.baseboards = baseboards;\r\n }\r\n}\r\n","/* global BABYLON */\r\nimport { Align, EngineRegistry } from '../DrawingEngine.js';\r\nimport { DrawingEngine2020 } from '../DrawingEngine2020.js';\r\nimport { BabylonDrawingService } from './BabylonDrawingService.js';\r\nimport { RoomAlign, Room } from './BabylonRoom.js';\r\nimport { Utils } from '../../main/ObjectUtils.js';\r\n\r\n/**\r\n * The BabylonDrawingEngine is responsible for creating product drawings using the Babylon.js WebGL library.\r\n */\r\nexport class BabylonDrawingEngine extends DrawingEngine2020 {\r\n constructor(name, options) {\r\n super(name, options);\r\n this.assignConfig(options.config);\r\n\r\n this.usesStageProduct = false;\r\n this.canDoFullScreen = true;\r\n\r\n /* Notes, this.productDrawing should be a element. If adaptToDeviceRatio = true, then\r\n * the canvas will be rendered at a higher resolution; if the window.deviceToPixelRatio = 2,\r\n * then engine._hardwareScalingLevel will be set to 1/2 = 0.5. If this scaling level = 0.5, then\r\n * the canvas' width will be doubled (divided by 0.5). So, adaptToDeviceRatio = true and\r\n * deviceToPixelRatio > 1 leads to higher resolution (canvas.width > canvas.clientWidth). */\r\n this.engine = new BABYLON.Engine(this.productDrawing, /*antialias:*/ true, /*options:*/ null,\r\n /*adaptToDeviceRatio:*/ true);\r\n\r\n // Create a basic BJS Scene object.\r\n this.scene = new BABYLON.Scene(this.engine);\r\n this.scene.name = name; // For debugging\r\n // Make the scene transparent:\r\n this.scene.clearColor = null; // BABYLON.Color3.Red();\r\n //this.scene.ambientColor = new BABYLON.Color3(0.3, 0.3, 0.3);\r\n //this.scene.hoverCursor = 'pointer'; // This is the default\r\n\r\n this.createCamera();\r\n this.createLights();\r\n\r\n //this.scene.debugLayer.show();\r\n\r\n //// Create a built-in \"sphere\" shape.\r\n //this.sphere = BABYLON.MeshBuilder.CreateSphere('sphere', { segments: 16, diameter: 2 }, this.scene);\r\n //// Move the sphere upward 1/2 of its height.\r\n //this.sphere.position.y = 1;\r\n // Create a built-in \"ground\" shape.\r\n //this.ground = BABYLON.MeshBuilder.CreateGround('ground1', { height: 6, width: 6, subdivisions: 2 }, this.scene);\r\n\r\n //**** DEBUG: Improve visual quality of the scene */\r\n\r\n //const pp = new BABYLON.SharpenPostProcess(\"sharpen\", 1, this.camera);\r\n //pp.samples = 8;\r\n //pp.edgeAmount = .3;\r\n\r\n /* These next 2 lines might improve the display of mesh baskets. 4/6/2023.\r\n * After more fine tuning of how to configure the transparent mesh pattern texture/material\r\n * it looks like we don't need to make any further optimizations here. See the\r\n * BabyloneRenderVisitor.lookupMaterial method, the code inside the \"if compMatr.hasAlpha\"\r\n * statement for details. 4/18/2023. */\r\n //this.engine.setHardwareScalingLevel(.5);\r\n /* TODO: The next line (called \"FXAA\", antialiasing) causes a bug (probably in our code) where\r\n * the entire scene isn't fully redrawn after rotating/moving the product around. 4/6/2023. */\r\n //new BABYLON.FxaaPostProcess(\"fxaa\", 2, this.camera); // Can also try 1 instead of 2?\r\n // Note, if we enable the previous line, then also try to turn off antialiasing in the engine constructor higher up\r\n // to see if that improves rendering (particularly on mesh baskets).\r\n // TODO: Try this, called \"FSAA 4X antialiasing\" (from demo at https://www.babylonjs.com/demos/csg/):\r\n //let fx = new BABYLON.PassPostProcess(\"fsaa\", 2, this.camera);\r\n //fx.renderTargetSamplingMode = BABYLON.Texture.BILINEAR_SAMPLINGMODE;\r\n\r\n /**** END DEBUG */\r\n }\r\n\r\n assignConfig(config) {\r\n const defaultAlpha = 1.0;\r\n this.config = config || {};\r\n // Default configuration (fallback):\r\n this.config.bgColor = this.config.bgColor || 'white';\r\n if (this.config.displayRoom === undefined) {\r\n this.config.displayRoom = true;\r\n }\r\n if (this.config.displayRoom && !this.config.room) {\r\n this.config.room = {\r\n width: 2500,\r\n height: 3000,\r\n depth: 2000,\r\n\r\n autoWidth: true,\r\n leftGap: 0,\r\n rightGap: 500,\r\n\r\n autoDepth: true,\r\n frontGap: 500,\r\n backGap: 0,\r\n\r\n autoHeight: true,\r\n bottomGap: 0,\r\n topGap: 500,\r\n\r\n align: {\r\n x: 'left',\r\n y: 'bottom',\r\n z: 'back'\r\n },\r\n\r\n floorColor: '#E2E4DA',\r\n floorAlpha: defaultAlpha,\r\n\r\n wallColor: 'white',\r\n wallAlpha: defaultAlpha,\r\n };\r\n }\r\n if (!this.config.camera) {\r\n this.config.camera = {\r\n horizDegree: 18, // closet degrees --> about -1.25 alpha (same as 5.0 alpha)\r\n vertDegree: 4, // --> closet degrees about 1.5 beta\r\n distance: 3000, // mm\r\n };\r\n }\r\n if (!this.config.hemiLight) {\r\n this.config.hemiLight = {\r\n x: -0.6, // Direction from the light source\r\n y: -0.25,\r\n z: 0.75,\r\n intensity: 1.0,\r\n };\r\n }\r\n if (!this.config.dirLight) {\r\n this.config.dirLight = {\r\n x: 0.5,\r\n y: 1.0,\r\n z: -0.5,\r\n intensity: 0.3,\r\n };\r\n }\r\n }\r\n\r\n createCamera() {\r\n //const useUniversalCamera = false;\r\n //if (useUniversalCamera) {\r\n // // Create a FreeCamera, and set its position to (x:0, y:5, z:-10).\r\n // const cam = this.camera = new BABYLON.UniversalCamera(this.name + ' Camera', new BABYLON.Vector3(0, 0, -1000), this.scene);\r\n // cam.inputs.attached.mouse.touchEnabled = true; // Bug work around - makes touch events work on mobile devices\r\n // cam.minZ = 1;\r\n // cam.maxZ = 10000;\r\n // // Target the camera to scene origin.\r\n // cam.setTarget(BABYLON.Vector3.Zero());\r\n // cam.inputs.addMouseWheel();\r\n // cam.inputs.attached.mousewheel.wheelPrecisionY = 50;\r\n // cam.angularSensibility = 5000;\r\n // //cam.inputs.addPointers();\r\n // //cam.touchAngularSensibility;\r\n // //cam.touchMoveSensibility;\r\n // cam.attachControl(false);\r\n\r\n // /* If I wanted to make my own camera input implementation, this is a good start:\r\n // * https://doc.babylonjs.com/divingDeeper/cameras/customizingCameraInputs */\r\n //}\r\n\r\n // Orig: -1.33, 1.33, 3000\r\n // Testing: -1.25, 1.5, 3000\r\n const config = this.config.camera;\r\n //console.log(`-1.25 alpha = ${ClosetDegrees.FromAlphaRadians(-1.25)}`);\r\n //console.log(`1.5 beta = ${ClosetDegrees.FromBetaRadians(1.5)}`);\r\n const alpha = ClosetDegrees.ToAlphaRadians(config.horizDegree);\r\n const beta = ClosetDegrees.ToBetaRadians(config.vertDegree);\r\n const cam = this.camera = new BABYLON.ArcRotateCamera(this.name + ' Camera', alpha, beta,\r\n config.distance, new BABYLON.Vector3.Zero(), this.scene);\r\n cam.wheelDeltaPercentage = 0.01;\r\n cam.pinchDeltaPercentage = 0.001;\r\n cam.minZ = 1;\r\n cam.maxZ = 10000;\r\n cam.lowerRadiusLimit = 500;\r\n cam.upperRadiusLimit = 5000;\r\n /* When camera is in the PI * 3 / 2 position we are looking towards the positive Z axis. At our\r\n * lower limit (PI) we are looking towards the positive X axis. When we are at the upper\r\n * limit (PI * 2) we are looking towards the negative X-axis. */\r\n //cam.lowerAlphaLimit = -Math.PI;\r\n //cam.upperAlphaLimit = 0;\r\n cam.lowerAlphaLimit = Math.PI;\r\n cam.upperAlphaLimit = Math.PI * 2;\r\n cam.lowerBetaLimit = 0;\r\n cam.upperBetaLimit = Math.PI;\r\n //cam.panningDistanceLimit = 1000;\r\n cam.inputs.attached.keyboard.panningSensibility = 0.3;\r\n cam.inputs.attached.pointers.panningSensibility = 1;\r\n //// Allows the camera to automatically position itself relative to the target mesh.\r\n //cam.useFramingBehavior = true;\r\n //// This must also be done by the BabylonRenderVisitor (along with the useFramingBehavior above):\r\n ////cam.setTarget(box);\r\n //if (cam.behaviors.length > 0) {\r\n // const beh = cam.behaviors[0];\r\n // beh.framingTime = 500; // 0.5 second vs 1.6 second by default\r\n // beh.autoCorrectCameraLimitsAndSensibility = false;\r\n //}\r\n cam.useAutoRotationBehavior = false;\r\n\r\n //this.observer = this.scene.onPointerObservable.add(\r\n // (info, state) => {\r\n // if (info.event.type != 'pointermove') {\r\n // console.log(`Scene ${info.event.type} event!!!`);\r\n // };\r\n // },\r\n // BABYLON.PointerEventTypes.POINTERDOWN | BABYLON.PointerEventTypes.POINTERUP |\r\n // BABYLON.PointerEventTypes.POINTERMOVE | BABYLON.PointerEventTypes.MOUSEDOWN );\r\n\r\n cam.attachControl(false);\r\n\r\n // Prevent the owl carousel and other listeners of the touchstart event from doing so:\r\n this.productDrawing.addEventListener('touchstart', evnt => {\r\n //console.log('ProductDrawing touchstart, preventing and stopping propagation!');\r\n //evnt.preventDefault(); // Babylon does this\r\n evnt.stopPropagation(); // But doesn't do this; we need to do it ourselves!\r\n });\r\n }\r\n\r\n createLights() {\r\n const hemiLightCfg = this.config.hemiLight;\r\n if (hemiLightCfg) {\r\n /* The hemispheric light was created with the idea that there are two light sources, one from\r\n * the sky (HemisphericLight.diffuse color) and one from the ground (HemisphericLight.groundColor).\r\n * Your meshes are in between the sky and the ground and the vertices facing the sky will get\r\n * the sky color and the vertices facing the ground will get the ground color. The given\r\n * direction is the direction to the sky (if the sky is right above, the direction would be 0,1,0).\r\n * This means that the sky light will shine in the opposite direction, and the ground light will\r\n * shine (if not black) in the same direction. */\r\n\r\n const skyDirection = new BABYLON.Vector3(hemiLightCfg.x, hemiLightCfg.y, hemiLightCfg.z).negateInPlace();\r\n this.hemiLight = new BABYLON.HemisphericLight('Light (hemispheric)', skyDirection, this.scene);\r\n this.hemiLight.intensity = hemiLightCfg.intensity;\r\n }\r\n\r\n // this.frontLight = new BABYLON.DirectionalLight('Front Light (directional)',\r\n // new BABYLON.Vector3(0.5, -1, 0.5), this.scene);\r\n // this.frontLight.intensity = 1.75;\r\n\r\n const dirLightCfg = this.config.dirLight;\r\n if (dirLightCfg) {\r\n this.dirLight = new BABYLON.DirectionalLight('Light (directional)',\r\n new BABYLON.Vector3(dirLightCfg.x, dirLightCfg.y, dirLightCfg.z), this.scene);\r\n this.dirLight.intensity = dirLightCfg.intensity;\r\n }\r\n }\r\n\r\n static canShareLoader() { return true; }\r\n\r\n createDrawingService() {\r\n return new BabylonDrawingService(this.productDrawing, this.loader.loadedMaterials,\r\n this.getFinishName, this.scene,\r\n // Give the service a call back to use if it needs to load a single material just-in-time:\r\n async (material, loadHighResAsWell, onHisResImgLoaded) => {\r\n return await this.loadSingleMaterial(material, loadHighResAsWell, onHisResImgLoaded);\r\n });\r\n }\r\n\r\n getMaterialImagesFolder() {\r\n return this.finishImagesBaseUrl;\r\n }\r\n\r\n toggleDebugView(on) {\r\n if (on) {\r\n this.scene.debugLayer.show();\r\n } else {\r\n this.scene.debugLayer.hide();\r\n }\r\n }\r\n\r\n toggleFullScreen() {\r\n this.engine.switchFullscreen();\r\n }\r\n\r\n /** Returns true if the mesh is a descendant of the ancestor (mesh). */\r\n // Note, this method is not currently in use (see commented code in toggleDisplayObjectInteractive).\r\n //isDescendant(ancestor, mesh) {\r\n // if (!ancestor || !mesh) return false;\r\n // if (mesh === ancestor) return true;\r\n // return this.isDescendant(ancestor, mesh.parent);\r\n //}\r\n\r\n /**\r\n * Turns interaction on/off for the displayObject.\r\n * @param {displayObject} displayObject The object whose interaction is toggled.\r\n * @param {bool} on Whether to turn interaction on or off.\r\n * @param {callback} clickHandler Handler for the displayObject's click event.\r\n */\r\n toggleDisplayObjectInteractive(displayObject, on, clickHandler) {\r\n //const status = on ? 'on' : 'off';\r\n if (displayObject) {\r\n if (on) {\r\n if (!displayObject.actionManager) {\r\n displayObject.actionManager = new BABYLON.ActionManager(this.scene);\r\n /* Setting isRecursive to true enables events to \"reach\" the actions registered on this\r\n * displayObject. If set to false, only direct hits on the displayObject would execute the\r\n * action. 1/2/2021: since we now set mesh.isClickable = false by default, we don't have to\r\n * set isRecursive to true here. Warning: we'll have to check later what happens if a submesh\r\n * extends outside the bounds of the parent, is it still clickable? */\r\n //displayObject.actionManager.isRecursive = true;\r\n //console.log(`%cToggle ${displayObject.name} Interaction ${status}: assigned new displayObject.actionManager`, 'color: orange');\r\n }\r\n //console.log(`%cToggle ${displayObject.name} Interaction ${status}: created new clickAction`, 'color: orange');\r\n this.clickAction = new BABYLON.ExecuteCodeAction(\r\n {\r\n trigger: BABYLON.ActionManager.OnPickTrigger,\r\n },\r\n event => {\r\n /* Only respond to left-click events. We could've used OnLeftPickTrigger instead, but\r\n * that trigger ended up interfering with the built-in mouse events for the\r\n * ArcRotateCamera, probably because OnLeftPickTrigger is raise on button down\r\n * (vs button up). 1/1/2021. */\r\n if (event.sourceEvent.button == 0) { // 0 -> Left button\r\n /* Event handlers expect an event where target is the object which was clicked, and\r\n * currentTarget is the object who has the attached event handler. And, both of these\r\n * objects should have a dataComponent property assigned to the appropriate component. */\r\n //console.log(`%cToggle ${displayObject.name} Interaction ${status}: received click event`, 'color: orange');\r\n clickHandler({\r\n //target: event.meshUnderPointer, // This is the same as scene.meshUnderPointer\r\n target: event.source, // This is the mesh which was picked\r\n //currentTarget: event.source, // This is the mesh which was picked, but...\r\n // ... we need to assign the mesh which we attached this event to instead:\r\n currentTarget: displayObject,\r\n });\r\n }\r\n });\r\n displayObject.actionManager.registerAction(this.clickAction);\r\n displayObject.isPickable = true;\r\n\r\n /* There's a flaw in Babylon ActionManager. If you set isRecursive to true, then the action\r\n * also is triggered on submeshes. But, the mouse pointer is not updated to use the hoverCursor\r\n * when over the submeshes. The purpose of the code below is to set the mouse pointer in those\r\n * cases. This code can be removed if Babylon fixes the issue in the future. 1/1/2021.\r\n * 1/2/2021: since we now set mesh.isClickable = false by default, we don't have to set\r\n * isRecursive to true above, and that means we also don't need this code below to set the\r\n * cursor. */\r\n //const cursor = displayObject.actionManager.hoverCursor || this.scene.hoverCursor;\r\n //const canvasStyle = this.productDrawing.style;\r\n //let priorMesh = null;\r\n //this.scene.onPointerMove = (evt, pickResult) => {\r\n // if (pickResult.hit) {\r\n // const mesh = pickResult.pickedMesh;\r\n // if (mesh && mesh !== displayObject) { // If mesh == displayObject then default handling is good enough\r\n // let isDescendant = mesh === priorMesh; // Performance optimization\r\n // if (!isDescendant) {\r\n // isDescendant = this.isDescendant(displayObject, mesh);\r\n // }\r\n // if (isDescendant) {\r\n // canvasStyle.cursor = cursor;\r\n // priorMesh = mesh;\r\n // }\r\n // }\r\n // }\r\n //}\r\n\r\n } else {\r\n if (displayObject.actionManager) {\r\n //console.log(`%cToggle ${displayObject.name} Interaction ${status}: unregistering the clickAction`, 'color: orange');\r\n displayObject.actionManager.unregisterAction(this.clickAction);\r\n this.clickAction = null;\r\n } else {\r\n //console.log(`%cToggle ${displayObject.name} Interaction ${status}: the displayObject did not have an actionManager`, 'color: orange');\r\n }\r\n displayObject.isPickable = false;\r\n //this.scene.onPointerMove = null; // Remove the event we installed above (line is now commented because the code above also is commented)\r\n }\r\n\r\n displayObject.interactive = on; // Our custom attribute\r\n } else {\r\n //console.log(`%cToggle Interaction ${status}: displayObject was unassigned!`, 'color: red');\r\n }\r\n }\r\n\r\n /**\r\n * The owner class (e.g. ProductDrawing) can call this method to get the display object to be\r\n * associated with the stage product. The stage product is a code created root product instance\r\n * and the parent of the product being displayed/edited.\r\n */\r\n getStageDisplayObject() {\r\n // We don't need a stage display object\r\n return null;\r\n }\r\n\r\n /** Needed if the user want's to move the html element into a full screen display. */\r\n getRootHtmlElement(rootDisplayObject) {\r\n return this.productDrawing; // This is the element\r\n }\r\n\r\n zoomInOnTarget(target) {\r\n const cam = this.scene.activeCamera;\r\n if (cam /*&& cam.setTarget*/) {\r\n //if (!cam.useFramingBehavior) {\r\n // // Allows the camera to automatically position itself relative to the target mesh.\r\n // cam.useFramingBehavior = true;\r\n // // This must also be done by the BabylonRenderVisitor (along with the useFramingBehavior above):\r\n // //cam.setTarget(target);\r\n // if (cam.behaviors.length > 0) {\r\n // const beh = cam.behaviors[0];\r\n // beh.framingTime = 500; // 0.5 second vs 1.6 second by default\r\n // beh.autoCorrectCameraLimitsAndSensibility = false;\r\n // }\r\n //}\r\n //cam.setTarget(target, true);\r\n\r\n //setTimeout(() => {\r\n // cam.zoomOn(null, /*doNotUpdateMaxZ:*/ true);\r\n //}, 100);\r\n target.computeWorldMatrix();\r\n cam.zoomOn([target], /*doNotUpdateMaxZ:*/ true);\r\n // The zoomOn method seems to put the camera a bit too close. Let's add some more distance:\r\n cam.radius *= 1.2;\r\n //cam.target.y = -200;\r\n // Maybe alternatively try out this: https://forum.babylonjs.com/t/frameing-all-objects-into-view-isinfrustum-isoccluded-not-updating-as-expected/4098/4\r\n }\r\n }\r\n\r\n getHexColorStr(color) {\r\n if (color && color[0] === '#') {\r\n return color;\r\n }\r\n return Utils.cssColorStr(color);\r\n }\r\n\r\n addRoom() {\r\n if (this.config.displayRoom) {\r\n const config = this.config.room;\r\n const room = new Room(this.scene);\r\n room.width = config.width;\r\n room.height = config.height;\r\n room.depth = config.depth;\r\n\r\n room.autoWidth = config.autoWidth;\r\n room.leftGap = config.leftGap; // Gap between left wall and left edge of content\r\n room.rightGap = config.rightGap;\r\n room.align.x = RoomAlign[config.align.x];\r\n\r\n room.autoDepth = config.autoDepth;\r\n room.backGap = config.backGap; // Gap between back wall and back edge of content\r\n room.frontGap = config.frontGap;\r\n room.align.z = RoomAlign[config.align.z];\r\n\r\n room.autoHeight = config.autoHeight;\r\n room.topGap = config.topGap; // Gap between back wall and back edge of content\r\n room.bottomGap = config.bottomGap;\r\n room.align.y = RoomAlign[config.align.z];\r\n\r\n room.floorColor = this.getHexColorStr(config.floorColor);\r\n room.floorAlpha = config.floorAlpha;\r\n //room.floorMaterial = drawing.createFloorMaterial();\r\n\r\n room.wallColor = this.getHexColorStr(config.wallColor);\r\n room.wallAlpha = config.wallAlpha;\r\n\r\n room.includeBaseboards = false;\r\n room.baseboardColor = '#ffffff';\r\n room.baseboardAlpha = 1.0;\r\n return room;\r\n }\r\n }\r\n\r\n /**\r\n * Is responsible for adding a display object to the drawing. Typically this only needs to happen\r\n * for the root display object, and with some engine this is already done by the fact that the\r\n * display objects were added to the drawing when they were instantiated (Pixi, Babylon). These\r\n * subclasses may therefore implement this method with a do-nothing statement.\r\n * @param {any} productDrawing The or
    element hosting the drawing\r\n * @param {any} displayObject The html element, mesh or sprite representing the (root) product component\r\n */\r\n addToDrawing(displayObject) {\r\n this.productDrawing.style.backgroundColor = this.config.bgColor;\r\n const includeRoom = true; // TODO: Move to config\r\n if (includeRoom) {\r\n if (!this.room) {\r\n this.room = this.addRoom();\r\n }\r\n if (this.room) {\r\n this.room.content = displayObject;\r\n this.room.rebuildAndAddToDrawing();\r\n }\r\n }\r\n this.zoomInOnTarget(displayObject);\r\n }\r\n\r\n stopShowingFps() {\r\n if (this.intervalHandle > 0) {\r\n clearInterval(this.intervalHandle);\r\n console.log(`${this.name}: Cleared the FPS interval for handle ${this.intervalHandle}`);\r\n this.intervalHandle = 0;\r\n }\r\n }\r\n\r\n showFpsOnConsole(interval, expiration) {\r\n this.stopShowingFps();\r\n const lastTime = new Date().getTime();\r\n this.intervalHandle = window.setInterval(() => {\r\n let fps;\r\n if (!this.isRendering()) {\r\n fps = 0;\r\n } else {\r\n fps = this.engine.getFps();\r\n if (this.isSkippingEvery2nd) {\r\n fps = fps / 2;\r\n }\r\n }\r\n console.log(`${this.name}: ${fps.toFixed()} FPS`);\r\n const curTime = new Date().getTime();\r\n if ((curTime - lastTime).toFixed() > expiration) {\r\n this.stopShowingFps();\r\n }\r\n }, interval);\r\n console.log(`${this.name}: Set the FPS interval, handle = ${this.intervalHandle}`);\r\n }\r\n\r\n startRendering() {\r\n if (!this.isRendering()) {\r\n //this.showFpsOnConsole(2000, 100000);\r\n this.isSkippingEvery2nd = true;\r\n let renderNow = true;\r\n this.engine.runRenderLoop(() => {\r\n // We simply halfing the FPS here by skipping every 2nd iteration in the loop\r\n // (without letting the Babylon engine now about it.)\r\n if (renderNow) {\r\n this.scene.render();\r\n }\r\n renderNow = !renderNow;\r\n });\r\n this._isRendering = true;\r\n console.log(`${this.name}: Started render loop`);\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n stopRendering() {\r\n if (this.isRendering()) {\r\n this.engine.stopRenderLoop();\r\n this._isRendering = false;\r\n //this.stopShowingFps();\r\n console.log(`${this.name}: Stopped render loop`);\r\n return true;\r\n }\r\n return false;\r\n }\r\n\r\n isRendering() {\r\n return this._isRendering;\r\n }\r\n\r\n async renderOnce() {\r\n if (!this.isRendering()) {\r\n await this.scene.whenReadyAsync();\r\n this.scene.render();\r\n console.log(`${this.name}: Rendered the drawing`);\r\n //this.startRendering();\r\n }\r\n }\r\n\r\n toggleRendering() {\r\n if (this.isRendering()) {\r\n return this.stopRendering();\r\n } else {\r\n return this.startRendering();\r\n }\r\n }\r\n\r\n resizeCanvas(width, height) {\r\n this.productDrawing.width = width;\r\n this.productDrawing.height = height;\r\n }\r\n\r\n resizeCanvasInsideElement(element, alsoUpdateClientSize) {\r\n this.resizeCanvas(element.clientWidth, element.clientHeight);\r\n if (alsoUpdateClientSize) {\r\n /* Remember the canvas width/height can be larger than the clientWidth/-Height (style.width/height).\r\n * E.g. this will be the case on high dpi devices (is dependent on the owner calling the\r\n * Babylon engine.resize() method after this call completes). */\r\n this.productDrawing.style.width = '100%';\r\n this.productDrawing.style.height = '100%';\r\n }\r\n }\r\n\r\n syncCanvasSizeWithParent(alsoUpdateClientSize) {\r\n this.resizeCanvasInsideElement(this.productDrawing.parentNode, alsoUpdateClientSize);\r\n }\r\n\r\n resizeCanvasToFitAroundStage(renderOnce) {\r\n // TODO: Reimplement this:\r\n // 1. Move root mesh to the top-left corner:\r\n //this.stage.position.set(0, 0);\r\n // 2. Set the canvas size to the size of the root mesh:\r\n //this.resizeCanvas(this.stage.width, this.stage.height);\r\n //TODO: What about the canvas' clientWidth/-Height (see resizeCanvasInsideElement)\r\n if (renderOnce) {\r\n this.renderOnce();\r\n }\r\n }\r\n\r\n scaleStageToFitInCanvas(xAlign, yAlign, keepXYOffsets) {\r\n // TODO: Reimplement this:\r\n //this.stage.scale.set(1, 1);\r\n //this.stage.position.set(0, 0);\r\n //const stageRect = this.stage.getBounds();\r\n //const stageSize = {\r\n // width: stageRect.width,\r\n // height: stageRect.height\r\n //};\r\n //const canvasSize = this.renderer.screen;\r\n //const newStageSize = PixiDrawingEngine.scaleUpToContainerSize(stageSize, canvasSize);\r\n //this.stage.scale.set(newStageSize.width / stageSize.width, newStageSize.height / stageSize.height);\r\n //let { x, y } = this.stage.getBounds();\r\n //this.alignStage(newStageSize, canvasSize, xAlign, yAlign);\r\n //if (!keepXYOffsets) {\r\n // this.stage.x -= x;\r\n // this.stage.y -= y;\r\n //}\r\n }\r\n\r\n bestFitStageAndCanvas(fitCanvasAroundStage, renderOnce) {\r\n //this.logDisplayObjectGraph(this.stage);\r\n this.syncCanvasSizeWithParent(/*alsoUpdateClientSize:*/ true);\r\n /* resize() will partially do the same thing as the line above, but will also take device PixelRatio\r\n * into consideration. Note, resize() is also called from within this.engine's constructor. */\r\n this.engine.resize();\r\n /* TODO: Causes flicker on initial load? Doesn't seem to always happen, but if we can reproduce it,\r\n * try to put the resize call inside a scene.registerBeforeRender() callback.\r\n * https://forum.babylonjs.com/t/pointer-on-iphone/1876/7 */\r\n this.scaleStageToFitInCanvas(Align.center, Align.center);\r\n if (fitCanvasAroundStage) {\r\n this.resizeCanvasToFitAroundStage(false);\r\n }\r\n //console.log('Performed best fit of stage and canvas');\r\n if (renderOnce) {\r\n this.renderOnce();\r\n }\r\n }\r\n\r\n resizeCanvasToFitInFullWindow(renderOnce) {\r\n this.resizeCanvas(window.innerWidth * 0.9, window.innerHeight * 0.9);\r\n this.scaleStageToFitInCanvas(Align.center, Align.center);\r\n if (renderOnce) {\r\n this.renderOnce();\r\n }\r\n console.log('resizeCanvasToFitInFullWindow');\r\n }\r\n\r\n /**\r\n * Returns an object with the width and height of the drawing. This should match the size of the\r\n * image returned by the getDrawingImageUrl method.\r\n */\r\n getDrawingSize() {\r\n return {\r\n width: this.productDrawing.width,\r\n height: this.productDrawing.height,\r\n };\r\n }\r\n\r\n getDrawingImageUrl() {\r\n // TODO: Consider passing 'image/jpg' to force jpg instead of png (which is better quality, smaller size?)\r\n //return this.view.toDataURL();\r\n // NOTE: Here's a good thread on how to save the canvas as an image: https://forum.babylonjs.com/t/best-way-to-save-to-jpeg-snapshots-of-scene/17663/23\r\n return this.productDrawing.toDataURL();\r\n }\r\n}\r\n\r\nEngineRegistry.register('BabylonDrawingEngine', BabylonDrawingEngine);\r\n\r\n/**\r\n * This is the class we're testing. The purpose is to convert camera angles from 360 units where 0 degrees is\r\n * right in front of the closet (called \"closet degrees\") to radians used to set a camera's alpha and beta angles.\r\n */\r\nclass ClosetDegrees {\r\n /**\r\n * Converts a camera angle from -90 to +90 units where 0 degrees is right in front of the closet (called \"closet degrees\")\r\n * to radians used to set a camera's beta angle.\r\n */\r\n static ToBetaRadians(closetDegree) {\r\n let degree = (90 - closetDegree);\r\n return BABYLON.Tools.ToRadians(degree);\r\n }\r\n\r\n /**\r\n * Converts from a camera's beta angle to vertical closet degrees (-90 to +90 units where 0 degrees is right in front\r\n * of the closet).\r\n */\r\n static FromBetaRadians(radians) {\r\n const degree = BABYLON.Tools.ToDegrees(radians);\r\n return 90 - degree;\r\n }\r\n\r\n /**\r\n * Converts a camera angle from 360 units where 0 degrees is right in front of the closet (called \"closet degrees\")\r\n * to radians used to set a camera's alpha angle.\r\n */\r\n static ToAlphaRadians(closetDegree) {\r\n let degree = (closetDegree + 270) % 360;\r\n return BABYLON.Tools.ToRadians(degree);\r\n }\r\n\r\n /**\r\n * Converts from a camera's alpha angle to horizontal closet degrees (360 units where 0 degrees is right in front\r\n * of the closet).\r\n */\r\n static FromAlphaRadians(radians) {\r\n const degree = BABYLON.Tools.ToDegrees(radians);\r\n return (degree + 90) % 360;\r\n }\r\n}\r\n","/* Each item in this array is a Product Material. Some of the properties:\r\n * Width-/HeightStrategy: defines how the application should scale/crop the image.\r\n * ProductWidth/-Height: units are millimeters. TODO: Rename to MaterialWidth/-Height\r\n *\r\n * A 'material' is a product finish as used on the surface of a product or component. The same finish\r\n * might be used with multiple materials. The finishes might the look the same, or they might have\r\n * minor differences.\r\n *\r\n * Material specific items are listed first as seen by the Id's prefix. Generic finishes are listed\r\n * at the end. These finishes will be used if a more specific material item is not found.\r\n */\r\nexport const ProductMaterialsMap = [\r\n {\r\n 'id': 'AluFlatDivider-BlackAluminum',\r\n 'fileName': 'AluFlatDivider-BlackAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 849.29896907216494,\r\n 'productHeight': 34.0\r\n },\r\n {\r\n 'id': 'AluFlatDivider-BrassAluminum',\r\n 'fileName': 'AluFlatDivider-BrassAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 618.07142857142856,\r\n 'productHeight': 34.0\r\n },\r\n {\r\n 'id': 'AluFlatDivider-NaturalAluminum',\r\n 'fileName': 'AluFlatDivider-NaturalAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 988.17021276595733,\r\n 'productHeight': 34.0\r\n },\r\n {\r\n 'id': 'AluFlatDivider-WhiteAluminum',\r\n 'fileName': 'AluFlatDivider-WhiteAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 518.68085106382966,\r\n 'productHeight': 34.0\r\n },\r\n {\r\n 'id': 'AluHDivider-BlackAluminum',\r\n 'fileName': 'AluHDivider-BlackAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.16071428571433,\r\n 'productHeight': 34.0\r\n },\r\n {\r\n 'id': 'AluHDivider-BrassAluminum',\r\n 'fileName': 'AluHDivider-BrassAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.132075471698,\r\n 'productHeight': 34.0\r\n },\r\n {\r\n 'id': 'AluHDivider-NaturalAluminum',\r\n 'fileName': 'AluHDivider-NaturalAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.04566210045664,\r\n 'productHeight': 34.0\r\n },\r\n {\r\n 'id': 'AluHDivider-WhiteAluminum',\r\n 'fileName': 'AluHDivider-WhiteAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.1,\r\n 'productHeight': 34.0\r\n },\r\n {\r\n 'id': 'AsurDoorRail-BronzeSteel',\r\n 'fileName': 'AsurDoorRail-BronzeSteel.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 739.44086021505382,\r\n 'productHeight': 16.0\r\n },\r\n {\r\n 'id': 'AsurDoorRail-SilverSteel',\r\n 'fileName': 'AsurDoorRail-SilverSteel.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 740.47311827956992,\r\n 'productHeight': 16.0\r\n },\r\n {\r\n 'id': 'AsurDoorRail-WhiteSteel',\r\n 'fileName': 'AsurDoorRail-WhiteSteel.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 740.81720430107544,\r\n 'productHeight': 16.0\r\n },\r\n {\r\n 'id': 'AsurDoorStile-BronzeSteel',\r\n 'fileName': 'AsurDoorStile-BronzeSteel.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 20.5,\r\n 'productHeight': 2049.9999999999995\r\n },\r\n {\r\n 'id': 'AsurDoorStile-SilverSteel',\r\n 'fileName': 'AsurDoorStile-SilverSteel.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 20.5,\r\n 'productHeight': 2062.9473684210525\r\n },\r\n {\r\n 'id': 'AsurDoorStile-WhiteSteel',\r\n 'fileName': 'AsurDoorStile-WhiteSteel.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 20.5,\r\n 'productHeight': 2059.3508771929824\r\n },\r\n {\r\n 'id': 'DoorPanel-AntrasiteMelamine',\r\n 'fileName': 'DoorPanel-AntrasiteMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 530.19334389857374,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-ArabesqueBlackMelamine',\r\n 'fileName': 'DoorPanel-ArabesqueBlackMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1036.9047254931948,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-ArabesqueWhiteMelamine',\r\n 'fileName': 'DoorPanel-ArabesqueWhiteMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 959.01390282356317,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-BambooBrownVeneer',\r\n 'fileName': 'DoorPanel-BambooBrownVeneer.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1255.8131537469553,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-BirchMelamine',\r\n 'fileName': 'DoorPanel-BirchMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-BirchVeneer',\r\n 'fileName': 'DoorPanel-BirchVeneer.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-Black_NCS_S9000N',\r\n 'fileName': 'DoorPanel-Black_NCS_S9000N.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 960.35938903863439,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-BlackGlass',\r\n 'fileName': 'DoorPanel-BlackGlass.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1210.0062695924767,\r\n 'productHeight': 1608.3000000000002\r\n },\r\n {\r\n 'id': 'DoorPanel-BlackOakPaint',\r\n 'fileName': 'DoorPanel-BlackOakPaint.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 949.52905198776762,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-BlackSilk',\r\n 'fileName': 'DoorPanel-BlackSilk.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1212.7860613168034,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-BronzeMirror',\r\n 'fileName': 'DoorPanel-BronzeMirror.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1210.0062695924767,\r\n 'productHeight': 1608.3000000000002,\r\n 'useStretch': true\r\n },\r\n {\r\n 'id': 'DoorPanel-BrownGlass',\r\n 'fileName': 'DoorPanel-BrownGlass.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-BrownMelamine',\r\n 'fileName': 'DoorPanel-BrownMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1036.6278356836297,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-BrushedAluminumMelamine',\r\n 'fileName': 'DoorPanel-BrushedAluminumMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1220.0,\r\n 'productHeight': 2440.0\r\n },\r\n {\r\n 'id': 'DoorPanel-CashmereXT',\r\n 'fileName': 'DoorPanel-CashmereXT.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 617.60190703218109,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'DoorPanel-CherryMelamine',\r\n 'fileName': 'DoorPanel-CherryMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-CherryVeneer',\r\n 'fileName': 'DoorPanel-CherryVeneer.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1203.2697237254345,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-ClearGlass',\r\n 'fileName': 'DoorPanel-ClearGlass.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1210.0062695924767,\r\n 'productHeight': 1608.3000000000002\r\n },\r\n {\r\n 'id': 'DoorPanel-ClearMirror',\r\n 'fileName': 'DoorPanel-ClearMirror.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1210.0062695924767,\r\n 'productHeight': 1608.3000000000002,\r\n 'useStretch': true\r\n },\r\n {\r\n 'id': 'DoorPanel-CottagePine',\r\n 'fileName': 'DoorPanel-CottagePine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 965.83397982932513,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-Driftwood',\r\n 'fileName': 'DoorPanel-Driftwood.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1866.7636363636366,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-GrayGlass',\r\n 'fileName': 'DoorPanel-GrayGlass.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1210.0062695924767,\r\n 'productHeight': 1608.3000000000002\r\n },\r\n {\r\n 'id': 'DoorPanel-GrayMirror',\r\n 'fileName': 'DoorPanel-GrayMirror.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1206.9750889679717,\r\n 'productHeight': 2440.0,\r\n 'useStretch': true\r\n },\r\n {\r\n 'id': 'DoorPanel-GrayNCS_S5500N',\r\n 'fileName': 'DoorPanel-GrayNCS_S5500N.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1204.0806642941875,\r\n 'productHeight': 2440.0\r\n },\r\n {\r\n 'id': 'DoorPanel-GrayReed',\r\n 'fileName': 'DoorPanel-GrayReed.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 959.33550875111234,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-GraySilk',\r\n 'fileName': 'DoorPanel-GraySilk.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1210.7086614173229,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-HorizonXT',\r\n 'fileName': 'DoorPanel-HorizonXT.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 613.89503862387517,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'DoorPanel-LavaElm',\r\n 'fileName': 'DoorPanel-LavaElm.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 958.13809154383239,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-Lavender_NCS_S1020N_R40B',\r\n 'fileName': 'DoorPanel-Lavender_NCS_S1020N_R40B.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1018.488733972364,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-LightGrayReed',\r\n 'fileName': 'DoorPanel-LightGrayReed.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 947.23558313938452,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-LightGreyXT',\r\n 'fileName': 'DoorPanel-LightGreyXT.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 785.357715752326,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'DoorPanel-MahognyVeneerStained',\r\n 'fileName': 'DoorPanel-MahognyVeneerStained.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-ManhattanGrayMelamine',\r\n 'fileName': 'DoorPanel-ManhattanGrayMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1240.0,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-MilanWalnutMelamine',\r\n 'fileName': 'DoorPanel-MilanWalnutMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1240.0,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-OakCountryMelamine',\r\n 'fileName': 'DoorPanel-OakCountryMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1240.0,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-OakDarkMelamine',\r\n 'fileName': 'DoorPanel-OakDarkMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-OakMelamine',\r\n 'fileName': 'DoorPanel-OakMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-OakPearlMelamine',\r\n 'fileName': 'DoorPanel-OakPearlMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-OakReed',\r\n 'fileName': 'DoorPanel-OakReed.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 960.70907194994788,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-OakVeneer',\r\n 'fileName': 'DoorPanel-OakVeneer.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-OakWhiteMelamine',\r\n 'fileName': 'DoorPanel-OakWhiteMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-OakWhiteVeneer',\r\n 'fileName': 'DoorPanel-OakWhiteVeneer.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1200.4670472236637,\r\n 'productHeight': 3300.0\r\n },\r\n {\r\n 'id': 'DoorPanel-PineVeneer',\r\n 'fileName': 'DoorPanel-PineVeneer.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 776.6972477064221,\r\n 'productHeight': 2040.0\r\n },\r\n {\r\n 'id': 'DoorPanel-PineWood',\r\n 'fileName': 'DoorPanel-PineWood.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 657.46478873239437,\r\n 'productHeight': 2040.0\r\n },\r\n {\r\n 'id': 'DoorPanel-PineWoodLacker',\r\n 'fileName': 'DoorPanel-PineWoodLacker.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 657.46478873239437,\r\n 'productHeight': 2040.0\r\n },\r\n {\r\n 'id': 'DoorPanel-PineWoodProvence',\r\n 'fileName': 'DoorPanel-PineWoodProvence.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 657.46478873239437,\r\n 'productHeight': 2040.0\r\n },\r\n {\r\n 'id': 'DoorPanel-Powder',\r\n 'fileName': 'DoorPanel-Powder.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 576.4798118384947,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'DoorPanel-SanRemoSandOak',\r\n 'fileName': 'DoorPanel-SanRemoSandOak.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 953.9694853891906,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-SeaWeed',\r\n 'fileName': 'DoorPanel-SeaWeed.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1059.5933926302414,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-StoneAsh',\r\n 'fileName': 'DoorPanel-StoneAsh.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 959.73931178310738,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-Taupe_NCS_S6005_Y20R',\r\n 'fileName': 'DoorPanel-Taupe_NCS_S6005_Y20R.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 969.236031927024,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-VolcanicBlackXT',\r\n 'fileName': 'DoorPanel-VolcanicBlackXT.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 586.99728910859517,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'DoorPanel-WhiteEmbossedReed',\r\n 'fileName': 'DoorPanel-WhiteEmbossedReed.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 954.950994950995,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-WhiteGlass',\r\n 'fileName': 'DoorPanel-WhiteGlass.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1198.6499999999999,\r\n 'productHeight': 2440.0,\r\n 'useStretch': true\r\n },\r\n {\r\n 'id': 'DoorPanel-WhiteMelamine',\r\n 'fileName': 'DoorPanel-WhiteMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-WhiteMelamineReed',\r\n 'fileName': 'DoorPanel-WhiteMelamineReed.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 957.1606771606771,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-WhiteNCS_S0500N',\r\n 'fileName': 'DoorPanel-WhiteNCS_S0500N.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'DoorPanel-WhiteProfileMelamine',\r\n 'fileName': 'DoorPanel-WhiteProfileMelamine.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 761.56861489191351,\r\n 'productHeight': 2796.0\r\n },\r\n {\r\n 'id': 'DoorPanel-WhiteProfilePaint',\r\n 'fileName': 'DoorPanel-WhiteProfilePaint.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 715.12350597609566,\r\n 'productHeight': 2268.0\r\n },\r\n {\r\n 'id': 'EdgeDoorStile-BlackAluminum',\r\n 'fileName': 'EdgeDoorStile-BlackAluminum.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 30.0,\r\n 'productHeight': 451.764705882353\r\n },\r\n {\r\n 'id': 'EdgeDoorStile-NaturalAluminum',\r\n 'fileName': 'EdgeDoorStile-NaturalAluminum.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 30.0,\r\n 'productHeight': 451.764705882353\r\n },\r\n {\r\n 'id': 'EdgeDoorStile-WhiteAluminum',\r\n 'fileName': 'EdgeDoorStile-WhiteAluminum.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 30.0,\r\n 'productHeight': 457.14285714285717\r\n },\r\n {\r\n 'id': 'EdgeHDivider-BlackAluminum',\r\n 'fileName': 'EdgeHDivider-BlackAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 381.1332633788038,\r\n 'productHeight': 26.0\r\n },\r\n {\r\n 'id': 'EdgeHDivider-NaturalAluminum',\r\n 'fileName': 'EdgeHDivider-NaturalAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 381.1332633788038,\r\n 'productHeight': 26.0\r\n },\r\n {\r\n 'id': 'EdgeHDivider-WhiteAluminum',\r\n 'fileName': 'EdgeHDivider-WhiteAluminum.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 377.73125000000005,\r\n 'productHeight': 26.0\r\n },\r\n\r\n /* **** EDGE MATERIALS **** */\r\n // TODO: All Edge materials must be updated with correct images and specs!!!\r\n {\r\n 'id': 'EdgeDoorRail-BlackAluminum',\r\n 'fileName': 'SafirBottomDoorRail-BlackAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0,\r\n },\r\n {\r\n 'id': 'EdgeDoorRail-NaturalAluminum',\r\n 'fileName': 'SafirBottomDoorRail-NaturalAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 471.18055555555554,\r\n 'productHeight': 50.0,\r\n },\r\n {\r\n 'id': 'EdgeDoorRail-WhiteAluminum',\r\n 'fileName': 'SafirBottomDoorRail-WhiteAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0,\r\n },\r\n\r\n {\r\n 'id': 'FlexiDrawer-BirchMelamine',\r\n 'fileName': 'FlexiDrawer-BirchMelamine.jpg',\r\n 'productType': 'Drawer',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 883.60498561840836,\r\n 'productHeight': 480.0\r\n },\r\n {\r\n 'id': 'FlexiDrawer-MahognyVeneerStained',\r\n 'fileName': 'FlexiDrawer-MahognyVeneerStained.jpg',\r\n 'productType': 'Drawer',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 879.38931297709928,\r\n 'productHeight': 480.0\r\n },\r\n {\r\n 'id': 'FlexiDrawer-OakMelamine',\r\n 'fileName': 'FlexiDrawer-OakMelamine.jpg',\r\n 'productType': 'Drawer',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 881.07074569789677,\r\n 'productHeight': 480.0\r\n },\r\n {\r\n 'id': 'FlexiShelf-OakWhiteMelamine',\r\n 'fileName': 'FlexiShelf-OakWhiteMelamine.jpg',\r\n 'productType': 'FlexiShelf',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 880,\r\n 'productHeight': 500,\r\n },\r\n // TODO: Create optimized images for the Black flexi-shelf like we've done with the FlexiShelf-OakWhiteMelamine\r\n {\r\n 'id': 'FlexiShelf-Black_NCS_S9000N',\r\n 'fileName': 'DoorPanel-Black_NCS_S9000N.jpg',\r\n 'productType': 'FlexiShelf',\r\n 'rotation': 90.0,\r\n // Because we're rotating the image, we need to swap productWidth and -Height\r\n 'productHeight': 952.65597147950086,\r\n 'productWidth': 2480.0,\r\n 'heightStrategy': 'Crop',\r\n 'widthStrategy': 'Proportional',\r\n },\r\n {\r\n 'id': 'TopShelf-OakWhiteMelamine',\r\n 'fileName': 'DoorPanel-OakWhiteMelamine.jpg',\r\n 'productType': 'TopShelf',\r\n 'rotation': 90.0,\r\n // Because we're rotating the image, we need to swap productWidth and -Height\r\n 'productHeight': 1216.8970189701897,\r\n 'productWidth': 2480.0,\r\n 'heightStrategy': 'Crop',\r\n 'widthStrategy': 'Proportional',\r\n },\r\n {\r\n 'id': 'TopShelf-Black_NCS_S9000N',\r\n 'fileName': 'DoorPanel-Black_NCS_S9000N.jpg',\r\n 'productType': 'TopShelf',\r\n 'rotation': 90.0,\r\n // Because we're rotating the image, we need to swap productWidth and -Height\r\n 'productHeight': 952.65597147950086,\r\n 'productWidth': 2480.0,\r\n 'heightStrategy': 'Crop',\r\n 'widthStrategy': 'Proportional',\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-BirchMelamine',\r\n 'fileName': 'FrontCoverPanel-BirchMelamine.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 2500.0,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-BirchVeneer',\r\n 'fileName': 'FrontCoverPanel-BirchVeneer.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 2500.0,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-CherryVeneer',\r\n 'fileName': 'FrontCoverPanel-CherryVeneer.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 2500.0,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-OakMelamine',\r\n 'fileName': 'FrontCoverPanel-OakMelamine.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 2500.0,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-OakVeneer',\r\n 'fileName': 'FrontCoverPanel-OakVeneer.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 2500.0,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-PineVeneer',\r\n 'fileName': 'FrontCoverPanel-PineVeneer.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 2500.0,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-PineWood',\r\n 'fileName': 'FrontCoverPanel-PineWood.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 1184.2105263157894,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-PineWoodProvence',\r\n 'fileName': 'FrontCoverPanel-PineWoodProvence.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 2500.0,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'FrontCoverPanel-WhiteMelamine',\r\n 'fileName': 'FrontCoverPanel-WhiteMelamine.jpg',\r\n 'productType': 'CoverPanel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 2500.0,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'OnyxDoorStile-BirchVeneer',\r\n 'fileName': 'OnyxDoorStile-BirchVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 65.0,\r\n 'productHeight': 1966.5079365079364\r\n },\r\n {\r\n 'id': 'OnyxDoorStile-CherryVeneer',\r\n 'fileName': 'OnyxDoorStile-CherryVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 65.0,\r\n 'productHeight': 1969.5355191256831\r\n },\r\n {\r\n 'id': 'OnyxDoorStile-OakVeneer',\r\n 'fileName': 'OnyxDoorStile-OakVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 65.0,\r\n 'productHeight': 1967.9787234042553\r\n },\r\n {\r\n 'id': 'OnyxDoorStile-WhiteMelamine',\r\n 'fileName': 'OnyxDoorStile-WhiteMelamine.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 65.0,\r\n 'productHeight': 1968.2275132275136\r\n },\r\n {\r\n 'id': 'OpalDoorRail-BirchVeneer',\r\n 'fileName': 'OpalDoorRail-BirchVeneer.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 748.7697160883281,\r\n 'productHeight': 240.0\r\n },\r\n {\r\n 'id': 'OpalDoorRail-CherryVeneer',\r\n 'fileName': 'OpalDoorRail-CherryVeneer.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 748.84012539184948,\r\n 'productHeight': 240.0\r\n },\r\n {\r\n 'id': 'OpalDoorRail-OakVeneer',\r\n 'fileName': 'OpalDoorRail-OakVeneer.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 748.81987577639745,\r\n 'productHeight': 240.0\r\n },\r\n {\r\n 'id': 'OpalDoorRail-PineVeneer',\r\n 'fileName': 'OpalDoorRail-PineVeneer.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 724.90773067331679,\r\n 'productHeight': 240.0\r\n },\r\n {\r\n 'id': 'OpalDoorRail-PineWood',\r\n 'fileName': 'OpalDoorRail-PineWood.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 626.41148325358847,\r\n 'productHeight': 240.0\r\n },\r\n {\r\n 'id': 'OpalDoorRail-PineWoodLacker',\r\n 'fileName': 'OpalDoorRail-PineWoodLacker.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 725.86533665835418,\r\n 'productHeight': 240.0\r\n },\r\n {\r\n 'id': 'OpalDoorRail-PineWoodProvence',\r\n 'fileName': 'OpalDoorRail-PineWoodProvence.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 626.37236084452968,\r\n 'productHeight': 240.0\r\n },\r\n {\r\n 'id': 'OpalDoorRail-WhiteMelamine',\r\n 'fileName': 'OpalDoorRail-WhiteMelamine.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 710.29712615684366,\r\n 'productHeight': 240.0\r\n },\r\n {\r\n 'id': 'OpalDoorStile-BirchVeneer',\r\n 'fileName': 'OpalDoorStile-BirchVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 60.0,\r\n 'productHeight': 1965.5172413793105\r\n },\r\n {\r\n 'id': 'OpalDoorStile-CherryVeneer',\r\n 'fileName': 'OpalDoorStile-CherryVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 60.0,\r\n 'productHeight': 1967.0270270270271\r\n },\r\n {\r\n 'id': 'OpalDoorStile-OakVeneer',\r\n 'fileName': 'OpalDoorStile-OakVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 60.0,\r\n 'productHeight': 1967.1428571428573\r\n },\r\n {\r\n 'id': 'OpalDoorStile-PineVeneer',\r\n 'fileName': 'OpalDoorStile-PineVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 60.0,\r\n 'productHeight': 2593.6196319018404\r\n },\r\n {\r\n 'id': 'OpalDoorStile-PineWood',\r\n 'fileName': 'OpalDoorStile-PineWood.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 60.0,\r\n 'productHeight': 1967.25\r\n },\r\n {\r\n 'id': 'OpalDoorStile-PineWoodLacker',\r\n 'fileName': 'OpalDoorStile-PineWoodLacker.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 60.0,\r\n 'productHeight': 1967.1428571428573\r\n },\r\n {\r\n 'id': 'OpalDoorStile-PineWoodProvence',\r\n 'fileName': 'OpalDoorStile-PineWoodProvence.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 60.0,\r\n 'productHeight': 2653.5849056603774\r\n },\r\n {\r\n 'id': 'OpalDoorStile-WhiteMelamine',\r\n 'fileName': 'OpalDoorStile-WhiteMelamine.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 60.0,\r\n 'productHeight': 1967.1951219512196\r\n },\r\n {\r\n 'id': 'OpalDualHDivider-BirchVeneer',\r\n 'fileName': 'OpalDualHDivider-BirchVeneer.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 599.89561586638831,\r\n 'productHeight': 70.0\r\n },\r\n {\r\n 'id': 'OpalDualHDivider-CherryVeneer',\r\n 'fileName': 'OpalDualHDivider-CherryVeneer.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 599.77272727272725,\r\n 'productHeight': 70.0\r\n },\r\n {\r\n 'id': 'OpalDualHDivider-OakVeneer',\r\n 'fileName': 'OpalDualHDivider-OakVeneer.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 599.93684210526317,\r\n 'productHeight': 70.0\r\n },\r\n {\r\n 'id': 'OpalDualHDivider-WhiteMelamine',\r\n 'fileName': 'OpalDualHDivider-WhiteMelamine.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 599.91489361702133,\r\n 'productHeight': 70.0\r\n },\r\n {\r\n 'id': 'OpalMultiHDivider-BirchVeneer',\r\n 'fileName': 'OpalMultiHDivider-BirchVeneer.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'OpalMultiHDivider-CherryVeneer',\r\n 'fileName': 'OpalMultiHDivider-CherryVeneer.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'OpalMultiHDivider-OakVeneer',\r\n 'fileName': 'OpalMultiHDivider-OakVeneer.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'OpalMultiHDivider-WhiteMelamine',\r\n 'fileName': 'OpalMultiHDivider-WhiteMelamine.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'SafirBottomDoorRail-BlackAluminum',\r\n 'fileName': 'SafirBottomDoorRail-BlackAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'SafirBottomDoorRail-BrassAluminum',\r\n 'fileName': 'SafirBottomDoorRail-BrassAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'SafirBottomDoorRail-NaturalAluminum',\r\n 'fileName': 'SafirBottomDoorRail-NaturalAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 471.18055555555554,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'SafirBottomDoorRail-WhiteAluminum',\r\n 'fileName': 'SafirBottomDoorRail-WhiteAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'SafirDoorStile-BlackAluminum',\r\n 'fileName': 'SafirDoorStile-BlackAluminum.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 30.0,\r\n 'productHeight': 361.41176470588232\r\n },\r\n {\r\n 'id': 'SafirDoorStile-BrassAluminum',\r\n 'fileName': 'SafirDoorStile-BrassAluminum.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 30.0,\r\n 'productHeight': 72.5\r\n },\r\n {\r\n 'id': 'SafirDoorStile-NaturalAluminum',\r\n 'fileName': 'SafirDoorStile-NaturalAluminum.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 30.0,\r\n 'productHeight': 370.12048192771084\r\n },\r\n {\r\n 'id': 'SafirDoorStile-WhiteAluminum',\r\n 'fileName': 'SafirDoorStile-WhiteAluminum.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 30.0,\r\n 'productHeight': 353.10344827586209\r\n },\r\n {\r\n 'id': 'SafirTopDoorRail-BlackAluminum',\r\n 'fileName': 'SafirTopDoorRail-BlackAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 336.23880597014931,\r\n 'productHeight': 22.0\r\n },\r\n {\r\n 'id': 'SafirTopDoorRail-BrassAluminum',\r\n 'fileName': 'SafirTopDoorRail-BrassAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 576.58895705521479,\r\n 'productHeight': 22.0\r\n },\r\n {\r\n 'id': 'SafirTopDoorRail-NaturalAluminum',\r\n 'fileName': 'SafirTopDoorRail-NaturalAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 309.50684931506851,\r\n 'productHeight': 22.0\r\n },\r\n {\r\n 'id': 'SafirTopDoorRail-WhiteAluminum',\r\n 'fileName': 'SafirTopDoorRail-WhiteAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 574.548780487805,\r\n 'productHeight': 22.0\r\n },\r\n {\r\n 'id': 'SideWall-AntrasiteMelamine',\r\n 'fileName': 'SideWall-AntrasiteMelamine.jpg',\r\n 'productType': 'SideWall',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 698.1497279011619,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'SideWall-PineWood',\r\n 'fileName': 'SideWall-PineWood.jpg',\r\n 'productType': 'SideWall',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 709.24655526238644,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'SideWall-PineWoodLacker',\r\n 'fileName': 'SideWall-PineWoodLacker.jpg',\r\n 'productType': 'SideWall',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 698.95539906103284,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'SideWall-PineWoodProvence',\r\n 'fileName': 'SideWall-PineWoodProvence.jpg',\r\n 'productType': 'SideWall',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 708.83200941453367,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-Asur-BronzeSteel',\r\n 'fileName': 'SlidingDoorBottomTrack-Asur-BronzeSteel.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 604.46511627906966,\r\n 'productHeight': 6.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-Asur-SilverSteel',\r\n 'fileName': 'SlidingDoorBottomTrack-Asur-SilverSteel.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 6.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-Asur-WhiteSteel',\r\n 'fileName': 'SlidingDoorBottomTrack-Asur-WhiteSteel.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 6.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-OneRail-BlackAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-OneRail-BlackAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 650.0,\r\n 'productHeight': 13.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-OneRail-BrassAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-OneRail-BrassAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 650.0,\r\n 'productHeight': 13.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-OneRail-SilverAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-OneRail-SilverAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 650.0,\r\n 'productHeight': 13.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-OneRail-WhiteAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-OneRail-WhiteAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 651.66279069767438,\r\n 'productHeight': 13.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-Safir-BlackAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-Safir-BlackAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 599.9204545454545,\r\n 'productHeight': 13.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-Safir-BrassAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-Safir-BrassAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 599.9204545454545,\r\n 'productHeight': 13.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-Safir-SilverAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-Safir-SilverAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 607.13095238095241,\r\n 'productHeight': 13.0\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-Safir-WhiteAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-Safir-WhiteAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 597.45833333333337,\r\n 'productHeight': 13.0\r\n },\r\n\r\n // Note, The triple track materials are reusing the images from the Safir track types:\r\n {\r\n 'id': 'SlidingDoorBottomTrack-TripleRail-BlackAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-Safir-BlackAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 599.9204545454545,\r\n 'productHeight': 13.0,\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-TripleRail-BrassAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-Safir-BrassAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 599.9204545454545,\r\n 'productHeight': 13.0,\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-TripleRail-SilverAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-Safir-SilverAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 607.13095238095241,\r\n 'productHeight': 13.0,\r\n },\r\n {\r\n 'id': 'SlidingDoorBottomTrack-TripleRail-WhiteAluminum',\r\n 'fileName': 'SlidingDoorBottomTrack-Safir-WhiteAluminum.jpg',\r\n 'productType': 'BottomTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 597.45833333333337,\r\n 'productHeight': 13.0,\r\n },\r\n\r\n {\r\n 'id': 'SlidingDoorTopTrack-Asur-BronzeSteel',\r\n 'fileName': 'SlidingDoorTopTrack-Asur-BronzeSteel.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-Asur-SilverSteel',\r\n 'fileName': 'SlidingDoorTopTrack-Asur-SilverSteel.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-Asur-WhiteSteel',\r\n 'fileName': 'SlidingDoorTopTrack-Asur-WhiteSteel.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 50.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-ENeutral-NaturalAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-ENeutral-NaturalAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 40.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-OneRail-BlackAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-OneRail-BlackAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 40.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-OneRail-BrassAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-OneRail-BrassAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 40.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-OneRail-SilverAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-OneRail-SilverAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 599.02439024390242,\r\n 'productHeight': 40.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-OneRail-WhiteAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-OneRail-WhiteAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 600.0,\r\n 'productHeight': 40.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-Safir-BlackAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-Safir-BlackAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 585.14705882352939,\r\n 'productHeight': 40.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-Safir-BrassAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-Safir-BrassAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 585.21126760563379,\r\n 'productHeight': 40.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-Safir-SilverAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-Safir-SilverAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 585.23297491039432,\r\n 'productHeight': 40.0\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-Safir-WhiteAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-Safir-WhiteAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 585.15901060070667,\r\n 'productHeight': 40.0\r\n },\r\n\r\n // Note, The triple track materials are reusing the images from the Safir track types:\r\n {\r\n 'id': 'SlidingDoorTopTrack-TripleRail-BlackAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-Safir-BlackAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 585.14705882352939,\r\n 'productHeight': 40.0,\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-TripleRail-BrassAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-Safir-BrassAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 585.21126760563379,\r\n 'productHeight': 40.0,\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-TripleRail-SilverAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-Safir-SilverAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 585.23297491039432,\r\n 'productHeight': 40.0,\r\n },\r\n {\r\n 'id': 'SlidingDoorTopTrack-TripleRail-WhiteAluminum',\r\n 'fileName': 'SlidingDoorTopTrack-Safir-WhiteAluminum.jpg',\r\n 'productType': 'TopTrack',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 585.15901060070667,\r\n 'productHeight': 40.0,\r\n },\r\n\r\n {\r\n 'id': 'TitanBottomDoorRail-NaturalAluminum',\r\n 'fileName': 'TitanBottomDoorRail-NaturalAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 726.76106194690283,\r\n 'productHeight': 49.0\r\n },\r\n {\r\n 'id': 'TitanDoorStile-NaturalAluminum',\r\n 'fileName': 'TitanDoorStile-NaturalAluminum.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 46.0,\r\n 'productHeight': 2529.28125\r\n },\r\n {\r\n 'id': 'TitanTopDoorRail-NaturalAluminum',\r\n 'fileName': 'TitanTopDoorRail-NaturalAluminum.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 713.4589371980677,\r\n 'productHeight': 22.0\r\n },\r\n {\r\n 'id': 'TopazDoorRail-BirchVeneer',\r\n 'fileName': 'TopazDoorRail-BirchVeneer.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 837.92893401015237,\r\n 'productHeight': 120.0\r\n },\r\n {\r\n 'id': 'TopazDoorRail-BlackOakPaint',\r\n 'fileName': 'TopazDoorRail-BlackOakPaint.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 662.53521126760563,\r\n 'productHeight': 120.0\r\n },\r\n {\r\n 'id': 'TopazDoorRail-GrayNCS_S5500N',\r\n 'fileName': 'TopazDoorRail-GrayNCS_S5500N.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 616.92307692307691,\r\n 'productHeight': 120.0\r\n },\r\n {\r\n 'id': 'TopazDoorRail-OakVeneer',\r\n 'fileName': 'TopazDoorRail-OakVeneer.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 839.8779247202441,\r\n 'productHeight': 120.0\r\n },\r\n {\r\n 'id': 'TopazDoorRail-WhiteMelamine',\r\n 'fileName': 'TopazDoorRail-WhiteMelamine.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 831.40262361251257,\r\n 'productHeight': 120.0\r\n },\r\n {\r\n 'id': 'TopazDoorRail-WhiteNCS_S0500N',\r\n 'fileName': 'TopazDoorRail-WhiteNCS_S0500N.jpg',\r\n 'productType': 'Rail',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 834.78260869565224,\r\n 'productHeight': 120.0\r\n },\r\n {\r\n 'id': 'TopazDoorStile-BirchVeneer',\r\n 'fileName': 'TopazDoorStile-BirchVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 80.0,\r\n 'productHeight': 2516.7857142857147\r\n },\r\n {\r\n 'id': 'TopazDoorStile-BlackOakPaint',\r\n 'fileName': 'TopazDoorStile-BlackOakPaint.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 80.0,\r\n 'productHeight': 2749.795918367347\r\n },\r\n {\r\n 'id': 'TopazDoorStile-GrayNCS_S5500N',\r\n 'fileName': 'TopazDoorStile-GrayNCS_S5500N.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 80.0,\r\n 'productHeight': 2388.5714285714284\r\n },\r\n {\r\n 'id': 'TopazDoorStile-OakVeneer',\r\n 'fileName': 'TopazDoorStile-OakVeneer.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 80.0,\r\n 'productHeight': 2367.3949579831933\r\n },\r\n {\r\n 'id': 'TopazDoorStile-WhiteMelamine',\r\n 'fileName': 'TopazDoorStile-WhiteMelamine.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 80.0,\r\n 'productHeight': 2175.067264573991\r\n },\r\n {\r\n 'id': 'TopazDoorStile-WhiteNCS_S0500N',\r\n 'fileName': 'TopazDoorStile-WhiteNCS_S0500N.jpg',\r\n 'productType': 'Stile',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 80.0,\r\n 'productHeight': 2206.8965517241381\r\n },\r\n {\r\n 'id': 'TopazHDivider-BirchVeneer',\r\n 'fileName': 'TopazHDivider-BirchVeneer.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 673.7819025522042,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'TopazHDivider-BlackOakPaint',\r\n 'fileName': 'TopazHDivider-BlackOakPaint.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 454.76190476190476,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'TopazHDivider-GrayNCS_S5500N',\r\n 'fileName': 'TopazHDivider-GrayNCS_S5500N.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 440.44943820224717,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'TopazHDivider-OakVeneer',\r\n 'fileName': 'TopazHDivider-OakVeneer.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Proportional',\r\n 'heightStrategy': 'Crop',\r\n 'productWidth': 383.83838383838383,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'TopazHDivider-WhiteNCS_S0500N',\r\n 'fileName': 'TopazHDivider-WhiteNCS_S0500N.jpg',\r\n 'productType': 'Divider',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 406.18556701030923,\r\n 'productHeight': 100.0\r\n },\r\n {\r\n 'id': 'VulcanGrayMelamine',\r\n 'fileName': 'VulcanGrayMelamine.jpg',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 1218.0,\r\n 'productHeight': 248.0\r\n },\r\n {\r\n 'id': 'WhiteEmbossedReed',\r\n 'fileName': 'DoorPanel-WhiteEmbossedReed.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 954.950994950995,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'BlackOakPaint',\r\n 'fileName': 'DoorPanel-BlackOakPaint.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 949.52905198776762,\r\n 'productHeight': 2480.0\r\n },\r\n {\r\n 'id': 'WhiteMelamine',\r\n 'fileName': 'DoorPanel-WhiteMelamine.jpg',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'WhiteMelamineReed',\r\n 'fileName': 'DoorPanel-WhiteMelamineReed.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 957.1606771606771,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'WhiteNCS_S0500N',\r\n 'fileName': 'DoorPanel-WhiteNCS_S0500N.jpg',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'BirchVeneer',\r\n 'fileName': 'DoorPanel-BirchVeneer.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'Black_NCS_S9000N',\r\n 'fileName': 'DoorPanel-Black_NCS_S9000N.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 952.65597147950086,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'CottagePine',\r\n 'fileName': 'DoorPanel-CottagePine.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 965.83397982932513,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'LavaElm',\r\n 'fileName': 'DoorPanel-LavaElm.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 958.13809154383239,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'LightGreyXT',\r\n 'fileName': 'DoorPanel-LightGreyXT.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 785.357715752326,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'HorizonXT',\r\n 'fileName': 'DoorPanel-HorizonXT.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 613.89503862387517,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'Powder',\r\n 'fileName': 'DoorPanel-Powder.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 576.4798118384947,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'CashmereXT',\r\n 'fileName': 'DoorPanel-CashmereXT.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 617.60190703218109,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'VolcanicBlackXT',\r\n 'fileName': 'DoorPanel-VolcanicBlackXT.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'productWidth': 586.99728910859517,\r\n 'productHeight': 2280.0\r\n },\r\n {\r\n 'id': 'ClearGlass',\r\n 'fileName': 'DoorPanel-ClearGlass.jpg',\r\n 'productType': 'Panel',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1210.0062695924767,\r\n 'productHeight': 1608.3000000000002\r\n },\r\n {\r\n 'id': 'Lavender_NCS_S1020N_R40B',\r\n 'fileName': 'DoorPanel-Lavender_NCS_S1020N_R40B.jpg',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1018.488733972364,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'LightGrayReed',\r\n 'fileName': 'DoorPanel-LightGrayReed.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 947.23558313938452,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'ManhattanGrayMelamine',\r\n 'fileName': 'DoorPanel-ManhattanGrayMelamine.jpg',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1240.0,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'OakReed',\r\n 'fileName': 'DoorPanel-OakReed.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 960.70907194994788,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'OakVeneer',\r\n 'fileName': 'DoorPanel-OakVeneer.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'BirchVeneer',\r\n 'fileName': 'DoorPanel-BirchVeneer.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'OakWhiteMelamine',\r\n 'fileName': 'DoorPanel-OakWhiteMelamine.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'OakWhiteVeneer',\r\n 'fileName': 'DoorPanel-OakWhiteVeneer.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 1200.4670472236637,\r\n 'productHeight': 3300.0\r\n },\r\n {\r\n 'id': 'PrimedFoil',\r\n 'fileName': 'DoorPanel-WhiteMelamine.jpg',\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'productWidth': 1216.8970189701897,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'SanRemoSandOak',\r\n 'fileName': 'DoorPanel-SanRemoSandOak.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 953.9694853891906,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'StoneAsh',\r\n 'fileName': 'DoorPanel-StoneAsh.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 959.73931178310738,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'Taupe_NCS_S6005_Y20R',\r\n 'fileName': 'DoorPanel-Taupe_NCS_S6005_Y20R.jpg',\r\n 'widthStrategy': 'Crop',\r\n 'heightStrategy': 'Proportional',\r\n 'productWidth': 969.236031927024,\r\n 'productHeight': 2480.0,\r\n },\r\n {\r\n 'id': 'FlexiBasketAndTracks-SilverSteel',\r\n 'color': '#C0C0C0',\r\n 'specularColor': '#000000', // To reduce glare on the thin wires\r\n },\r\n {\r\n 'id': 'FlexiBasketAndTracks-WhiteSteel',\r\n 'color': '#FFFFFF',\r\n 'specularColor': '#000000', // To reduce glare on the thin wires\r\n },\r\n {\r\n 'id': 'FlexiBasketAndTracks-BlackSteel',\r\n 'color': '#000000',\r\n 'specularColor': '#000000', // To reduce glare on the thin wires\r\n },\r\n {\r\n 'id': 'MeshBasketAndTracks-SilverSteel',\r\n 'fileName': 'MeshBasket-SilverSteel.png', // For the mesh pattern\r\n 'hasAlpha': true,\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'color': '#C0C0C0', // For the rim\r\n 'specularColor': '#000000', // To reduce glare on the thin wires\r\n },\r\n {\r\n 'id': 'MeshBasketAndTracks-WhiteSteel',\r\n 'fileName': 'MeshBasket-WhiteSteel.png',\r\n 'hasAlpha': true,\r\n 'widthStrategy': 'Cover',\r\n 'heightStrategy': 'Cover',\r\n 'color': '#FFFFFF',\r\n 'specularColor': '#000000', // To reduce glare on the thin wires\r\n },\r\n {\r\n 'id': 'MeshBasketAndTracks-BlackSteel',\r\n 'fileName': 'MeshBasket-BlackSteel.png',\r\n 'hasAlpha': true,\r\n 'widthStrategy': 'Fill',\r\n 'heightStrategy': 'Fill',\r\n 'color': '#000000',\r\n 'specularColor': '#000000', // To reduce glare on the thin wires\r\n },\r\n {\r\n 'id': 'SilverSteel',\r\n 'color': '#C0C0C0',\r\n },\r\n {\r\n 'id': 'WhiteSteel',\r\n 'color': '#FFFFFF',\r\n },\r\n {\r\n 'id': 'BlackSteel',\r\n 'color': '#000000',\r\n },\r\n];","import { ObjectUtils, StringUtils } from '../main/ObjectUtils.js';\r\nimport { ProductMaterialsMap } from './ProductMaterialsMap.js';\r\nimport { ProductInteraction } from './ProductInteraction.js';\r\nimport { Component } from './Components.js';\r\nimport { WindowResizeMonitor } from '../main/WindowResizeMonitor.js';\r\n\r\nexport class ProductDrawing {\r\n constructor(drawingEngine, finishImagesBaseUrl, allFinishesMap) {\r\n this.interactionBehaviors = [];\r\n this.isInteractive = false;\r\n this.isProductDisplayed = false;\r\n this._product = null;\r\n this.allFinishesMap = allFinishesMap;\r\n const getFinishName = this.allFinishesMap\r\n ? id => this.getProductFinishName(id)\r\n : id => id;\r\n this.engine = drawingEngine;\r\n this.engine.getFinishName = getFinishName;\r\n this.engine.finishImagesBaseUrl = finishImagesBaseUrl;\r\n this.drawingService = this.engine.createDrawingService();\r\n if (ProductMaterialsMap) {\r\n const cmScale = 1; //10; // Convert from cm to mm\r\n this.drawingService.addMaterials(ProductMaterialsMap, cmScale);\r\n } else {\r\n this.drawingService.addFallbackMaterials();\r\n }\r\n\r\n /* The bestFitStageAndCanvas method will make the canvas the size of the parent container, and\r\n * then make the stage as large as possible within the canvas while maintaining it's aspect\r\n * ratio. When fitCanvasAroundStage is true, the canvas size will be reduced to just fit around\r\n * the stage, and be positioned in the top/left corner of the parent container. */\r\n this.fitCanvasAroundStage = false;\r\n\r\n this.resizeMonitor = new WindowResizeMonitor(/*startImmediately:*/ true);\r\n this.resizeMonitor.onResize = mon => {\r\n if (this.isProductDisplayed) {\r\n this.bestFitStageAndCanvas(true);\r\n /* This handles some weird case where the container's clientWidth isn't updated in real time,\r\n * but instead happens 300-1000 ms. later. */\r\n this.doIfCanvasContainerWidthUpdatesWithin(1000, () => {\r\n //console.log('Canvas container width did update!')\r\n this.bestFitStageAndCanvas(true);\r\n });\r\n }\r\n };\r\n }\r\n\r\n get product() {\r\n return this._product;\r\n }\r\n\r\n set product(value) {\r\n if (value !== this._product) {\r\n this._product = value;\r\n this.interactionBehaviors.forEach(behavior => {\r\n if (behavior instanceof ProductInteraction) {\r\n behavior.product = value;\r\n }\r\n });\r\n }\r\n }\r\n\r\n getProductFinishName(id) {\r\n return this.allFinishesMap[id] ? this.allFinishesMap[id].caption.trim() : null;\r\n }\r\n\r\n async loadMaterials(materialIdsToLoad, loadHighResAsWell) {\r\n let resolution = this.engine.lowRes;\r\n //console.log(`Awaiting engine.loadMaterials (${resolution})...`);\r\n const loadingMaterials = await this.engine.loadMaterials(this.drawingService.materials,\r\n materialIdsToLoad, resolution);\r\n //console.log(`${loadingMaterials.length} ${resolution} materials loaded!`);\r\n if (loadHighResAsWell) {\r\n resolution = this.engine.highRes;\r\n // Load the high-res images asynchronously:\r\n //console.log(`Async engine.loadMaterials (${resolution})...`);\r\n this.engine.loadMaterials(this.drawingService.materials, materialIdsToLoad, resolution)\r\n .then(materials => {\r\n //console.log(`${materials.length} ${resolution} materials async-loaded!`);\r\n if (materials.length > 0) {\r\n //console.log('Next, setting current material and refreshing drawing...');\r\n this.engine.setCurrentMaterialImageResolution(materials, resolution);\r\n this.drawingService.refreshMaterialImages(this.product);\r\n //console.log('Current material set and drawing refreshed!');\r\n }\r\n });\r\n //console.log(`Continuing while ${resolution} materials are being loaded...`);\r\n }\r\n return loadingMaterials;\r\n }\r\n\r\n toggleFinishLabels(on) {\r\n this.isLabelsVisible = on;\r\n if (this.product) {\r\n this.product.toggleFinishLabels(on);\r\n }\r\n this.engine.renderOnce();\r\n }\r\n\r\n removeProduct() {\r\n if (ObjectUtils.isAssigned(this.product)) {\r\n if (this.isInteractive) {\r\n /* Since we're just about to remove our product (the displayObjects) from the drawing,\r\n * let's take the opportunity and deactivate interaction on the displayObjects. */\r\n this.activateInteraction(false);\r\n }\r\n this.product.removeDisplayObject();\r\n console.log('ProductDrawing: Removed display object from root product');\r\n if (this.engine.usesStageProduct) {\r\n this.stageProduct.removeComponent(this.product);\r\n this.stageProduct = null;\r\n }\r\n this.product = null;\r\n console.log('ProductDrawing: Cleared root product');\r\n }\r\n }\r\n\r\n getModifiedApiProduct() {\r\n return this.product != null ? this.product.getModifiedApiProduct() : null;\r\n }\r\n\r\n displayProduct(product) {\r\n const wereLabelsActive = this.isLabelsVisible;\r\n if (wereLabelsActive) {\r\n this.toggleFinishLabels(false);\r\n }\r\n this.removeProduct();\r\n\r\n // Remove any offsets on the root api product:\r\n if (product.apiProduct.l > 0) {\r\n console.log('Product contains location offsets (should have been cleared by server)');\r\n // 3/28/2019: Clearing the location properties should now have been done in the StoreApi on the Designer server.\r\n // DONE: Clear the two statements below in a few days (after 3/28/19)\r\n //product.apiProduct.l = 0;\r\n //product.apiProduct.b = 0;\r\n }\r\n\r\n if (this.engine.usesStageProduct) {\r\n // Create a wrapper component for the stage displayObject, just for convenience reasons:\r\n const stageApiProduct = {\r\n l: 0,\r\n b: 0,\r\n z: 0,\r\n w: product.apiProduct.w,\r\n h: product.apiProduct.h,\r\n d: product.apiProduct.d,\r\n };\r\n this.stageProduct = new Component('Stage Product', this.drawingService, stageApiProduct);\r\n this.stageProduct.displayObject = this.engine.getStageDisplayObject();\r\n this.stageProduct.addComponent(product);\r\n }\r\n this.product = product;\r\n // This triggers creation of display objects for the entire product components graph:\r\n const displayObject = this.drawingService.createDisplayObject(this.product);\r\n /* This method will add the display object to the parent div (HtmlDrawingEngine). For Pixi and\r\n * Babylon engines this method might not do anything since the display object (a mesh) has already\r\n * been added when it was created. */\r\n this.engine.addToDrawing(displayObject);\r\n console.log('ProductDrawing: Added root product to the drawing');\r\n\r\n if (this.isInteractive) {\r\n /* Since we just added our product (the displayObjects) to the drawing, this is the first\r\n * opportunity to activate interaction on the displayObjects (even if isInteractive is\r\n * already true). */\r\n this.activateInteraction(true);\r\n }\r\n\r\n if (wereLabelsActive) {\r\n this.toggleFinishLabels(true);\r\n }\r\n\r\n // TODO: We probably don't need to call renderOnce here since it'll happen inside bestFitStageAndCanvas\r\n this.engine.renderOnce();\r\n this.bestFitStageAndCanvas(true);\r\n\r\n if (this.onProductDisplayed) {\r\n this.onProductDisplayed(this, product);\r\n }\r\n this.isProductDisplayed = true;\r\n }\r\n\r\n //#region Interaction Behaviors\r\n\r\n /**\r\n * Adds the interaction behavior to the behaviors array and updates the behavior's state based\r\n * on the value of this.isInteractive.\r\n */\r\n addInteractionBehavior(behavior) {\r\n behavior.onInteraction = b => this.engine.renderOnce();\r\n this.interactionBehaviors.push(behavior);\r\n behavior.setIsInteractive(this.isInteractive);\r\n if (behavior instanceof ProductInteraction) {\r\n behavior.product = this.product;\r\n }\r\n }\r\n\r\n /**\r\n * Turns interaction off on the behavior and removes the behavior from our array.\r\n */\r\n removeInteractionBehavior(behavior) {\r\n behavior.setIsInteractive(false);\r\n behavior.onInteraction = null;\r\n ObjectUtils.removeFromArray(this.interactionBehaviors, behavior);\r\n if (behavior instanceof ProductInteraction) {\r\n behavior.product = null;\r\n }\r\n }\r\n\r\n /**\r\n * This method is has protected privacy and is intended to be called when isInteractive is already\r\n * true, but we haven't yet been able to enable the interaction on the displayObjects (e.g. because\r\n * the displayObjects were just now created).\r\n * @param {any} on Activate? or deactivate?\r\n */\r\n activateInteraction(on) {\r\n if (this.isInteractive) {\r\n this.interactionBehaviors.forEach(b => {\r\n b.activateInteraction(on);\r\n });\r\n }\r\n }\r\n\r\n /**\r\n * Sets the isInteractive property value after calling setIsInteractive on each behavior in\r\n * our array.\r\n */\r\n setIsInteractive(on) {\r\n if (on !== this.isInteractive) {\r\n this.interactionBehaviors.forEach(b => {\r\n b.setIsInteractive(on);\r\n });\r\n this.isInteractive = on;\r\n }\r\n }\r\n\r\n // High end methods:\r\n\r\n removeProductInteraction() {\r\n if (ObjectUtils.isAssigned(this.productInteraction)) {\r\n this.removeInteractionBehavior(this.productInteraction);\r\n this.productInteraction = null;\r\n }\r\n }\r\n\r\n addProductInteraction(productInteraction) {\r\n this.productInteraction = productInteraction;\r\n this.addInteractionBehavior(productInteraction);\r\n }\r\n\r\n //#endregion Interaction Behaviors\r\n\r\n /**\r\n * Returns an object with the width and height of the drawing. This should match the size of the\r\n * image returned by the getDrawingImageUrl method.\r\n */\r\n getDrawingSize() {\r\n return this.engine.getDrawingSize();\r\n }\r\n\r\n getDrawingImageUrl() {\r\n return this.engine.getDrawingImageUrl();\r\n }\r\n\r\n doIfCanvasContainerWidthUpdatesWithin(ms, callback) {\r\n const startTime = Date.now();\r\n const container = this.engine.productDrawing.parentNode;\r\n const initialWidth = container.clientWidth;\r\n const onFrame = () => {\r\n const width = container.clientWidth;\r\n if (width !== initialWidth) {\r\n callback();\r\n } else if (Date.now() - startTime < ms) {\r\n //console.log('Checking to see if canvas container resizes....requesting another frame...');\r\n requestAnimationFrame(onFrame);\r\n } else {\r\n //console.log('Timed out requesting frames!');\r\n }\r\n };\r\n requestAnimationFrame(onFrame);\r\n }\r\n\r\n bestFitStageAndCanvas(renderOnce) {\r\n this.engine.bestFitStageAndCanvas(this.fitCanvasAroundStage, renderOnce);\r\n }\r\n\r\n resizeCanvasToFitInFullWindow(renderOnce) {\r\n this.engine.resizeCanvasToFitInFullWindow(renderOnce);\r\n }\r\n\r\n // As of 8/17/2020 not in use, but should still be functional\r\n resizeCanvasToFitInFullScreen(renderOnce) {\r\n this.engine.resizeCanvasToFitInFullScreen(renderOnce);\r\n }\r\n\r\n resizeCanvasToFitAroundStage(renderOnce) {\r\n this.engine.resizeCanvasToFitAroundStage(renderOnce);\r\n }\r\n\r\n}\r\n","import { HttpService } from '../main/HttpService.js';\r\n\r\n/*# This class' sole purpose is to communicate with the server. #*/\r\nexport class ProductService extends HttpService {\r\n constructor(serviceUrl) {\r\n super(serviceUrl);\r\n this.sameSiteOnly = true; // See super() for info\r\n }\r\n\r\n async getFormattedTechSpec(langReg, techSpec, signal) {\r\n return await this.postJsonObject(`FormattedTechSpec?langReg=${langReg}`, techSpec, signal);\r\n }\r\n\r\n async getVariantProductDetails(variantProductId, variantId, signal) {\r\n return await this.fetchJson(`VariantProductDetails?variantProductId=${variantProductId}&variantId=${variantId}`, { signal });\r\n }\r\n\r\n async getProductVariantId(variantProductId, attributes, signal) {\r\n const dto = {\r\n variantProductId,\r\n attributes\r\n };\r\n return await this.postJsonObject(`GetProductVariantId`, dto, signal);\r\n }\r\n}\r\n\r\n/*# This class' sole purpose is to communicate with the server. #*/\r\nexport class DesignerService extends HttpService {\r\n constructor(serviceUrl, sessionId) {\r\n super(serviceUrl);\r\n this.HDR_SESSION_ID = 'x-designer-session';\r\n this.sessionId = sessionId;\r\n this.includeSessionId = true;\r\n }\r\n\r\n prepareGetOptions(options) {\r\n options = super.prepareGetOptions(options);\r\n if (!options) {\r\n options = {};\r\n }\r\n if (!options.headers) {\r\n options.headers = {};\r\n }\r\n if (this.includeSessionId === true) {\r\n options.headers[this.HDR_SESSION_ID] = this.sessionId;\r\n }\r\n return options;\r\n }\r\n\r\n afterGet(response) {\r\n super.afterGet(response);\r\n this.sessionId = response.headers.get(this.HDR_SESSION_ID);\r\n }\r\n\r\n preparePutAndPostOptions(options) {\r\n options = super.preparePutAndPostOptions(options);\r\n if (!options) {\r\n options = {};\r\n }\r\n if (!options.headers) {\r\n options.headers = {};\r\n }\r\n if (this.includeSessionId === true) {\r\n options.headers[this.HDR_SESSION_ID] = this.sessionId;\r\n }\r\n return options;\r\n }\r\n\r\n afterPost(response) {\r\n super.afterPost(response);\r\n this.sessionId = response.headers.get(this.HDR_SESSION_ID);\r\n }\r\n\r\n async getProductDetails(productId, signal, ignoreSession) {\r\n if (ignoreSession === true) {\r\n this.includeSessionId = false;\r\n }\r\n try {\r\n return await this.fetchJson(`details?solutionId=${productId}`, { signal });\r\n } finally {\r\n this.includeSessionId = true;\r\n }\r\n }\r\n\r\n async updatePropertyValue(name, value, signal) {\r\n return await this.post(`updatePropertyValue?name=${name}&value=${value}`, signal);\r\n }\r\n\r\n /* This method should be used if the product contains all product properties, and one need to\r\n * update/initialize the Designer service's session with a starting point for further product\r\n * modifications. Each property of the product will be assigned to the product in the service's\r\n * cached session data.\r\n *\r\n * WARNING: This method should only used when the product's properties are \"consistent\", meaning\r\n * they have previously been updated/validated by the Designer service. The caller should NOT\r\n * modify the product's properties and then call this method. Instead one should use the\r\n * updateProductPlusDelta, updateProductValues, or updateProductValue methods. */\r\n async updateProduct(product, signal, resetSession) {\r\n if (resetSession === true) {\r\n this.includeSessionId = false;\r\n }\r\n try {\r\n return await this.postJsonObject('updateProduct', product, signal);\r\n } finally {\r\n this.includeSessionId = true;\r\n }\r\n }\r\n\r\n /* This method should be used if the product contains all product properties, and the deltaProduct\r\n * contains aditional property modifications. The comments for the updateProduct() method apply to\r\n * the product parameter. */\r\n async updateProductPlusDelta(product, deltaProduct, signal) {\r\n const productPlusDelta = { product, deltaProduct };\r\n return await this.postJsonObject('updateProductPlusDelta', productPlusDelta, signal);\r\n }\r\n\r\n /* This method should be used if the product contains a subset of all product properties,\r\n * and it's only this subset which should be updated. */\r\n async updateProductValues(product, signal) {\r\n return await this.postJsonObject('updateProductValues', product, signal);\r\n }\r\n}\r\n","import { Zoomer } from './zoomer.js';\r\nimport { RepeatWhileMouseDown, DragToScroll, Utils } from '../main/ObjectUtils.js';\r\nimport { HtmlAspectRatioSizer, HtmlSizerStrategy } from './HtmlDrawing/HtmlAspectRatioSizer.js';\r\n\r\nexport class ProductZoomer extends Zoomer {\r\n constructor() {\r\n const options = {\r\n AspectRatioSizerClass: HtmlAspectRatioSizer,\r\n RepeatWhileMouseDownClass: RepeatWhileMouseDown,\r\n DragToScrollClass: DragToScroll,\r\n UtilsClass: Utils,\r\n sizerStrategy: HtmlSizerStrategy.pctWidthPxHeight,\r\n zoomDelta: 1,\r\n zoomInterval: 20,\r\n isUsingTransitions: true,\r\n // The container of the zoomer element. The container is there to add margins, etc.\r\n targetContainer: document.querySelector('.zoomer-parent'),\r\n /* The element we are zooming. If we are dynamically creating the product drawing, then we\r\n * may not yet have an element to attach the zoom-target class to, and must manually call\r\n * Zoomer.assignTargetElement(...) later. */\r\n targetElement: document.querySelector('.zoomer .zoom-target'),\r\n zoomOutBtn: document.getElementById('zoom-out-btn'),\r\n zoomInBtn: document.getElementById('zoom-in-btn'),\r\n containBtn: document.getElementById('best-fit-btn'),\r\n pct100Btn: document.getElementById('pct-100-btn'),\r\n fullWidthBtn: document.getElementById('full-width-btn'),\r\n fullHeightBtn: document.getElementById('full-height-btn'),\r\n fullscreenBtn: document.getElementById('fullscreen-btn'),\r\n closeBtn: document.getElementById('close-btn'),\r\n };\r\n super(options);\r\n }\r\n\r\n // TODO: We probably don't need this static method. Just call the constructor directly.\r\n static install() {\r\n return new ProductZoomer();\r\n }\r\n}","export class Zoomer {\r\n constructor(options) {\r\n this.zoomDelta = options.zoomDelta;\r\n this.zoomInterval = options.zoomInterval;\r\n // The container of the zoomer element. The container is there to add margins, etc.\r\n this.targetContainer = options.targetContainer;\r\n this.zoomOutBtn = options.zoomOutBtn;\r\n this.zoomInBtn = options.zoomInBtn;\r\n this.containBtn = options.containBtn;\r\n this.pct100Btn = options.pct100Btn;\r\n this.fullWidthBtn = options.fullWidthBtn;\r\n this.fullHeightBtn = options.fullHeightBtn;\r\n this.fullscreenBtn = options.fullscreenBtn;\r\n this.closeBtn = options.closeBtn;\r\n this.isUsingTransitions = options.isUsingTransitions;\r\n this.autoActivate = options.autoActivate;\r\n this.sizerStrategy = options.sizerStrategy;\r\n this.onDeactivate = options.onDeactivate;\r\n this.onActivated = options.onActivated;\r\n\r\n this.AspectRatioSizer = options.AspectRatioSizerClass;\r\n this.RepeatWhileMouseDown = options.RepeatWhileMouseDownClass;\r\n this.DragToScroll = options.DragToScrollClass;\r\n this.Utils = options.UtilsClass;\r\n\r\n /* This element must be the first child of the targetContainer element, and will become the\r\n * parent of the targetElement element. */\r\n this.targetParent = this.targetContainer.firstElementChild;\r\n this.assignTargetElement(options.targetElement, this.autoActivate);\r\n\r\n this.containBtn.addEventListener('click', () => this.containImage());\r\n this.pct100Btn.addEventListener('click', () => this.zoomTo100Pct());\r\n this.fullWidthBtn.addEventListener('click', () => this.zoomToFullWidth());\r\n this.fullHeightBtn.addEventListener('click', () => this.zoomToFullHeight());\r\n if (this.fullscreenBtn) {\r\n this.fullscreenBtn.addEventListener('click', () => this.activateFullscreen());\r\n }\r\n this.closeBtn.addEventListener('click', () => this.deactivateFullscreen());\r\n this.targetParent.addEventListener('mousedown', event => {\r\n this.origMouseX = event.clientX;\r\n this.origMouseY = event.clientY;\r\n });\r\n this.targetParent.addEventListener('click', event => {\r\n if (event.target === this.targetParent) {\r\n const dx = event.clientX - this.origMouseX;\r\n const dy = event.clientY - this.origMouseY;\r\n // Prevent drags from being considered clicks:\r\n if (Math.abs(dx) < 20 && Math.abs(dy) < 20) {\r\n this.deactivateFullscreen();\r\n }\r\n }\r\n });\r\n\r\n this.zoomOutRepeat = new this.RepeatWhileMouseDown(this.zoomOutBtn, this.zoomInterval,\r\n () => this.prepareRepeatedZoom(false),\r\n () => this.decreaseZoom(),\r\n wasClick => this.handleZoomRepeatDone(wasClick, false));\r\n this.zoomInRepeat = new this.RepeatWhileMouseDown(this.zoomInBtn, this.zoomInterval,\r\n () => this.prepareRepeatedZoom(true),\r\n () => this.increaseZoom(),\r\n wasClick => this.handleZoomRepeatDone(wasClick, true));\r\n\r\n /* dragToScroll enables pointer devices to scroll the product image by using a drag operation.\r\n * On touch devices this functionality is built-in. */\r\n this.dragToScroll = new this.DragToScroll(this.targetParent, this.targetElement);\r\n\r\n this.sizer = new this.AspectRatioSizer(options.sizerStrategy, true);\r\n this.lastZoom = () => {} // Noop by default\r\n }\r\n\r\n updateToolbarButtons() {\r\n if (this.AspectRatioSizer.hasHigherWHRatioThanParent(this.targetElement, this.targetWidthHeightRatio)) {\r\n this.fullWidthBtn.style.display = 'none';\r\n this.fullHeightBtn.style.display = '';\r\n } else {\r\n this.fullWidthBtn.style.display = '';\r\n this.fullHeightBtn.style.display = 'none';\r\n }\r\n }\r\n\r\n assignTargetElement(targetElement, autoActivate) {\r\n if (targetElement !== this.targetElement) {\r\n if (this.targetElement) {\r\n // Clean up\r\n this.Utils.removeEventListener(this.imageLoadListener);\r\n this.Utils.removeEventListener(this.windowLoadListener);\r\n if (this.isActive) {\r\n this.deactivateFullscreen();\r\n }\r\n }\r\n this.targetElement = targetElement;\r\n if (this.targetElement) {\r\n this.dragToScroll.updateChildElement(this.targetElement);\r\n // The element we are zooming:\r\n this.hasNaturalSize = typeof this.targetElement.naturalWidth != 'undefined';\r\n if (autoActivate) {\r\n if (this.targetElement.tagName.toLowerCase() === 'img') {\r\n if (this.targetElement.complete) {\r\n this.activateFullscreen();\r\n } else {\r\n this.imageLoadListener = this.Utils.addEventListener(this.targetElement, 'load', () => {\r\n this.activateFullScreen();\r\n this.Utils.removeEventListener(this.imageLoadListener);\r\n });\r\n }\r\n } else {\r\n if (document.readyState === 'complete') {\r\n this.activateFullscreen();\r\n } else {\r\n this.windowLoadListener = this.Utils.addEventListener(window, 'load', () => {\r\n this.activateFullscreen();\r\n this.Utils.removeEventListener(this.windowLoadListener);\r\n });\r\n }\r\n }\r\n }\r\n }\r\n }\r\n }\r\n\r\n activateFullscreen() {\r\n this.targetOriginalStyle = this.targetElement.getAttribute('style');\r\n this.targetOriginalParent = this.targetElement.parentNode;\r\n this.targetOriginalSibling = this.targetElement.nextSibling;\r\n this.targetContainer.classList.remove('hidden');\r\n if (!this.hasNaturalSize) {\r\n this.pct100BtnDisplayStyle = this.pct100Btn.style.display;\r\n this.pct100Btn.style.display = 'none';\r\n }\r\n const docStyle = document.documentElement.style;\r\n this.origDocOverflow = docStyle.overflow;\r\n docStyle.overflow = 'hidden';\r\n this.transitionstartListener = this.Utils.addEventListener(this.targetElement, 'transitionstart', () => this.handleTransitionStart());\r\n this.transitionendListener = this.Utils.addEventListener(this.targetElement, 'transitionend', () => this.handleTransitionEnd());\r\n this.resizeListener = this.Utils.addEventListener(window, 'resize', () => {\r\n this.lastZoom();\r\n this.updateToolbarButtons();\r\n });\r\n this.dragToScroll.start();\r\n this.isActive = true;\r\n\r\n // We have to add a short delay after changing visibility in order for transition effects to work.\r\n setTimeout(() => {\r\n // Capture the target element's natural size. We assume there are no width/height set on it at this point\r\n this.targetWidth = this.targetElement.clientWidth;\r\n this.targetHeight = this.targetElement.clientHeight;\r\n this.targetWidthHeightRatio = this.AspectRatioSizer.getWidthHeightRatio(this.targetElement);\r\n\r\n this.targetParent.insertBefore(this.targetElement, this.targetParent.firstElementChild);\r\n this.targetContainer.classList.add('active');\r\n\r\n this.updateToolbarButtons();\r\n this.containImage(false);\r\n this.keydownListener = this.Utils.addEventListener(document, 'keydown', () => this.deactivateFullscreen());\r\n if (this.onActivated) {\r\n this.onActivated();\r\n }\r\n }, 5);\r\n }\r\n\r\n deactivateFullscreen() {\r\n this.Utils.removeEventListener(this.keydownListener);\r\n this.Utils.removeEventListener(this.resizeListener);\r\n this.Utils.removeEventListener(this.transitionstartListener);\r\n this.Utils.removeEventListener(this.transitionendListener);\r\n this.dragToScroll.stop();\r\n\r\n if (!this.hasNaturalSize) {\r\n this.pct100Btn.style.display = this.pct100BtnDisplayStyle;\r\n }\r\n if (this.targetOriginalStyle) {\r\n this.targetElement.setAttribute('style', this.targetOriginalStyle);\r\n } else {\r\n this.targetElement.removeAttribute('style');\r\n }\r\n document.documentElement.style.overflow = this.origDocOverflow;\r\n this.disableTransitions();\r\n this.targetOriginalParent.insertBefore(this.targetElement, this.targetOriginalSibling);\r\n this.isActive = false;\r\n\r\n // Allow the target element to be put back into place before hiding the zoomer:\r\n setTimeout(() => {\r\n this.targetContainer.classList.remove('active');\r\n // We need to wait at least for the duration of the css transition before changing visibility:\r\n setTimeout(() => {\r\n this.targetContainer.classList.add('hidden');\r\n if (this.onDeactivate) {\r\n this.onDeactivate();\r\n }\r\n }, 500);\r\n }, 10);\r\n }\r\n\r\n getZoomValueFromStyle() {\r\n const css = this.targetElement.style.width;\r\n if (css === 'auto') {\r\n return NaN;\r\n }\r\n const str = css.substring(0, css.length - 1);\r\n return Number(str);\r\n }\r\n\r\n setStyleFromCurrentZoom(height) {\r\n const style = this.targetElement.style;\r\n style.width = isNaN(this.currentZoom) ? 'auto' : this.currentZoom + '%';\r\n if (!this.hasNaturalSize) {\r\n // Must also update height whenever we change width:\r\n style.height = height + 'px';\r\n }\r\n }\r\n\r\n convertAutoZoomToPct() {\r\n if (isNaN(this.currentZoom)) {\r\n this.currentZoom = 100 * this.targetElement.clientWidth / this.targetElement.parentNode.clientWidth;\r\n }\r\n }\r\n\r\n getWidthAsPercent() {\r\n return 100 * this.targetWidth / this.targetElement.parentNode.clientWidth;\r\n }\r\n\r\n handleTransitionStart() {\r\n const style = this.targetElement.style;\r\n if (style.width === 'auto') {\r\n style.width = this.getWidthAsPercent() + '%';\r\n }\r\n }\r\n\r\n handleTransitionEnd() {\r\n if (this.setWidthToAutoAtEnd) {\r\n this.targetElement.style.width = 'auto';\r\n this.setWidthToAutoAtEnd = false;\r\n }\r\n }\r\n\r\n disableTransitions() {\r\n this.targetElement.classList.remove('transition');\r\n }\r\n\r\n enableTransitions() {\r\n this.targetElement.classList.add('transition');\r\n }\r\n\r\n applyCurrentZoom() {\r\n this.setStyleFromCurrentZoom(this.sizer.childHeight);\r\n this.sizer.alignCenter(this.targetElement, true);\r\n }\r\n\r\n decreaseZoom(multiplier = 1) {\r\n this.currentZoom = this.sizer.changeZoom(this.targetElement, this.currentZoom, -this.zoomDelta * multiplier);\r\n this.applyCurrentZoom();\r\n }\r\n\r\n increaseZoom(multiplier = 1) {\r\n this.currentZoom = this.sizer.changeZoom(this.targetElement, this.currentZoom, this.zoomDelta * multiplier);\r\n this.applyCurrentZoom();\r\n }\r\n\r\n prepareRepeatedZoom(isZoomIn) {\r\n this.disableTransitions();\r\n this.convertAutoZoomToPct();\r\n this.lastZoom = () => {\r\n this.currentZoom = this.sizer.changeZoom(this.targetElement, this.currentZoom, 0);\r\n this.applyCurrentZoom();\r\n };\r\n }\r\n\r\n handleZoomRepeatDone(wasClick, isZoomIn) {\r\n this.currentZoom = this.getZoomValueFromStyle();\r\n if (wasClick) {\r\n this.disableTransitions();\r\n if (isZoomIn) {\r\n this.increaseZoom(4);\r\n } else {\r\n this.decreaseZoom(4);\r\n }\r\n }\r\n }\r\n\r\n zoomTo100Pct() {\r\n const style = this.targetElement.style;\r\n if (this.isUsingTransitions) {\r\n this.setWidthToAutoAtEnd = false;\r\n this.enableTransitions();\r\n const width = this.getWidthAsPercent();\r\n style.width = width + '%';\r\n } else {\r\n style.width = 'auto';\r\n }\r\n this.currentZoom = this.getZoomValueFromStyle();\r\n style.height = 'auto';\r\n this.sizer.childWidth = this.targetWidth;\r\n this.sizer.childHeight = this.targetHeight;\r\n style.left = 0;\r\n style.top = 0;\r\n //this.sizer.alignCenter(this.targetElement, true);\r\n this.lastZoom = () => this.zoomTo100Pct();\r\n }\r\n\r\n containImage(enableTransitions = true) {\r\n if (!this.targetElement.parentNode) {\r\n // We have a case there the targetElement doesn't have a parent. Not sure why yet. 11/22/2021.\r\n return;\r\n }\r\n if (enableTransitions) {\r\n this.enableTransitions();\r\n }\r\n this.sizer.contain(this.targetElement, this.targetWidthHeightRatio);\r\n this.sizer.alignCenter(this.targetElement, true);\r\n this.currentZoom = this.getZoomValueFromStyle();\r\n this.lastZoom = () => this.containImage();\r\n }\r\n\r\n zoomToFullWidth() {\r\n this.enableTransitions();\r\n this.sizer.sizeToFullWidth(this.targetElement);\r\n this.sizer.alignCenter(this.targetElement, true);\r\n this.currentZoom = this.getZoomValueFromStyle();\r\n this.lastZoom = () => this.zoomToFullWidth();\r\n }\r\n\r\n zoomToFullHeight() {\r\n this.enableTransitions();\r\n this.sizer.sizeToFullHeight(this.targetElement);\r\n this.sizer.alignCenter(this.targetElement, true);\r\n this.currentZoom = this.getZoomValueFromStyle();\r\n this.lastZoom = () => this.zoomToFullHeight();\r\n }\r\n}","import { ObjectUtils } from '../main/ObjectUtils.js';\r\nimport { ProductDrawingViewModel } from './ProductDrawingViewModel.js';\r\nimport { AnyProductInteraction } from './ProductInteraction.js';\r\nimport { ProductZoomer } from './ProductZoomer.js';\r\n\r\n/**\r\n * The SimpleProductPreviewer can be used on any page where we need to display the product drawing.\r\n */\r\nexport class SimpleProductPreviewer extends ProductDrawingViewModel {\r\n constructor(drawing, name) {\r\n super(drawing, name);\r\n drawing.setIsInteractive(false);\r\n }\r\n\r\n isDrawingVisible() {\r\n // TODO: Add the correct logic for detecting the drawing visibility here\r\n //const activeTabLink = document.querySelector('#showcase-tabs a.active[data-toggle=\"tab\"]');\r\n //return ObjectUtils.isAssigned(activeTabLink) && activeTabLink.id === this.previewTabLinkId;\r\n return true;\r\n }\r\n\r\n /**\r\n * This is a handler for this.drawing.onProductDisplayed event.\r\n */\r\n onProductDisplayed(drawing, product) {\r\n drawing.resizeCanvasToFitAroundStage(true);\r\n }\r\n}\r\n\r\n/**\r\n * The ProductPreviewer is hard-coupled to a UI containing a Bootstrap tab control with a Product drawing\r\n * inside one of the tabs. This drawing is used for previewing the currently edited product.\r\n */\r\nexport class ProductPreviewer extends ProductDrawingViewModel {\r\n constructor(drawing, name, config) {\r\n super(drawing, name);\r\n this.config = config;\r\n if (drawing) {\r\n if (drawing.engine.handleMaximizeClickExternally) {\r\n drawing.setIsInteractive(false);\r\n } else {\r\n this.addMaximizeClickHandler();\r\n }\r\n }\r\n\r\n this.previewTabLinkId = 'preview-tab-link'; // The actual tab\r\n this.previewTabId = 'PreviewTab'; // The tab contents (panel)\r\n this.previewMaxLink = document.getElementById('preview-max-link');\r\n this.commonImageGroup = 'Common';\r\n\r\n this.setupShowcaseTabs();\r\n this.setupMainTabCarousel();\r\n\r\n if (drawing) {\r\n // Enable the debug toggle:\r\n const drawingElem = this.drawing.engine.productDrawing;\r\n const parentDiv = this.closest(drawingElem, el => el.nodeName == 'DIV');\r\n //if (drawingElem && drawingElem.parentElement && drawingElem.parentElement.parentElement) {\r\n if (parentDiv) {\r\n //const debugCheck = drawingElem.parentElement.parentElement.querySelector('.debug-toggle');\r\n const debugCheck = parentDiv.querySelector('.debug-toggle');\r\n if (debugCheck) {\r\n debugCheck.addEventListener('click', event => {\r\n //alert(debugCheck.checked);\r\n this.toggleDebugView(parentDiv, debugCheck.checked);\r\n })\r\n }\r\n }\r\n }\r\n }\r\n\r\n // Helper: find the nearest parent element of el\r\n closest(el, fn) {\r\n return el && (fn(el) ? el : this.closest(el.parentNode, fn));\r\n }\r\n\r\n toggleDebugView(targetDiv, show) {\r\n const style = targetDiv.style;\r\n const canvasContainer = targetDiv.querySelector('.canvas-container');\r\n if (show) {\r\n this.beforeDebug = {\r\n position: style.position,\r\n zIndex: style.zIndex,\r\n width: style.width,\r\n height: style.height,\r\n top: style.top,\r\n left: style.left,\r\n targetParent: targetDiv.parentElement,\r\n targetNextSibling: targetDiv.nextSibling,\r\n };\r\n style.position = 'absolute';\r\n style.zIndex = '9999';\r\n style.width = '100%';\r\n style.height = '100%';\r\n style.top = '0';\r\n style.left = '0';\r\n if (canvasContainer) {\r\n this.beforeDebug.contHeight = canvasContainer.style.height;\r\n this.beforeDebug.contHeightPri = canvasContainer.style.getPropertyPriority('height');\r\n canvasContainer.style.setProperty('height', '100%', 'important');\r\n }\r\n document.body.appendChild(targetDiv);\r\n this.drawing.resizeMonitor.onResize();\r\n this.drawing.engine.toggleDebugView(true);\r\n } else if (this.beforeDebug) {\r\n this.drawing.engine.toggleDebugView(false);\r\n style.position = this.beforeDebug.position;\r\n style.zIndex = this.beforeDebug.zIndex;\r\n style.width = this.beforeDebug.width;\r\n style.height = this.beforeDebug.height;\r\n style.top = this.beforeDebug.top;\r\n style.left = this.beforeDebug.left;\r\n if (canvasContainer) {\r\n canvasContainer.style.setProperty('height', this.beforeDebug.contHeight, this.beforeDebug.contHeightPri);\r\n }\r\n this.beforeDebug.targetParent.insertBefore(targetDiv, this.beforeDebug.targetNextSibling);\r\n this.drawing.resizeMonitor.onResize();\r\n }\r\n }\r\n\r\n showProductCanvasFullScreen(drawingElement) {\r\n if (this.drawing.engine.canDoFullScreen) {\r\n this.drawing.engine.toggleFullScreen();\r\n return;\r\n }\r\n\r\n // Remove resize listener because zoomer uses its own resize listener\r\n this.drawing.resizeMonitor.toggleMonitor(false);\r\n\r\n const wasInteractive = this.drawing.isInteractive;\r\n if (wasInteractive) {\r\n this.drawing.setIsInteractive(false);\r\n }\r\n\r\n this.zoomer.onActivated = () => {\r\n this.zoomer.onActivated = null;\r\n this.drawing.engine.bestFitStageAndCanvas(true, true);\r\n };\r\n\r\n this.zoomer.onDeactivate = () => {\r\n this.zoomer.onDeactivate = null;\r\n drawingElement.classList.remove('zoom-target');\r\n this.drawing.resizeMonitor.toggleMonitor(true);\r\n if (wasInteractive) {\r\n this.drawing.setIsInteractive(true);\r\n }\r\n this.drawing.engine.bestFitStageAndCanvas(true, true);\r\n };\r\n\r\n drawingElement.classList.add('zoom-target'); // Needed by the Zoomer js code\r\n this.zoomer.assignTargetElement(drawingElement);\r\n this.zoomer.activateFullscreen();\r\n }\r\n\r\n addMaximizeClickHandler() {\r\n this.zoomer = new ProductZoomer();\r\n\r\n const behavior = new AnyProductInteraction();\r\n // Delegate event add/removal to the drawing engine:\r\n behavior.toggleInteractive = (displayObject, on, clickHandler) =>\r\n this.drawing.engine.toggleDisplayObjectInteractive(displayObject, on, clickHandler);\r\n\r\n // Note, this will set the interaction behavior's product property to the drawing's product:\r\n this.drawing.addProductInteraction(behavior);\r\n this.drawing.setIsInteractive(true);\r\n this.drawing.engine.hoverCursor = ''; // Assume the cursor will be set by our css\r\n\r\n // Must be at end because we are overriding the default onInteraction handler:\r\n behavior.onInteraction = (beh, event) => {\r\n // Don't think we need this: event.stopImmediatePropagation(); // Block PhotoSwiper from showing its full screen UI\r\n // We don't care which component or element was clicked because we know we are going to display\r\n // the entire drawing:\r\n //const drawingElement = event.currentTarget;\r\n const drawingElement = this.drawing.engine.getRootHtmlElement(this.drawing.product.displayObject);\r\n this.showProductCanvasFullScreen(drawingElement);\r\n };\r\n }\r\n\r\n refreshFullSizeImageLink() {\r\n /* previewMaxLink is an html tag. The tag's href and data-size attributes are used by the\r\n * photoswipe library when displaying the image in full screen mode. */\r\n if (this.previewMaxLink) {\r\n // TODO: Review code and ensure this method isn't called more often than necessary\r\n // TODO: Consider using resizeCanvasToFitInFullScreen (entire screen) instead of resizeCanvasToFitInFullWindow (browser window)\r\n this.drawing.resizeCanvasToFitInFullWindow(true);\r\n try {\r\n // The drawing was maximized in the call above, let's get its size:\r\n const size = this.drawing.getDrawingSize();\r\n // TODO: Consider making this a JIT update of the href done after the user clicks on the link.\r\n this.previewMaxLink.href = this.drawing.getDrawingImageUrl();\r\n this.previewMaxLink.attributes['data-size'].value = `${size.width}x${size.height}`;\r\n } finally {\r\n this.drawing.bestFitStageAndCanvas(true);\r\n }\r\n }\r\n }\r\n\r\n isDrawingVisible() {\r\n const activeTabLink = document.querySelector(this.activeTabSelector);\r\n return ObjectUtils.isAssigned(activeTabLink) && activeTabLink.id === this.previewTabLinkId;\r\n }\r\n\r\n /**\r\n * This is a handler for this.drawing.onProductDisplayed event.\r\n */\r\n onProductDisplayed(drawing, product) {\r\n // This is performance heavy, lets defer to next cycle\r\n requestAnimationFrame(() => {\r\n this.refreshFullSizeImageLink();\r\n });\r\n }\r\n\r\n isDefaultProduct() {\r\n return this.onGetIsDefaultProduct && this.onGetIsDefaultProduct();\r\n }\r\n\r\n //#region Showcase Tabs\r\n\r\n getActiveShowcaseTabName() {\r\n const tab = jQuery(this.activeTabSelector);\r\n return tab ? tab.attr('href') : null;\r\n }\r\n\r\n setupShowcaseTabs() {\r\n let selector = '#' + this.config.UI.showCaseTabs;\r\n this.allTabsSelector = `${selector} a[data-toggle=\"tab\"]`;\r\n this.activeTabSelector = `${selector} a.active[data-toggle=\"tab\"]`;\r\n this.getTabSelector = (tabName) => `${selector} a[href=\"${tabName}\"]`;\r\n\r\n jQuery(this.allTabsSelector).on('shown.bs.tab', async (e) => {\r\n if (e.target.id === this.previewTabLinkId) {\r\n await this.displayCurrentProduct();\r\n /* This is a work around for a delay before the canvas' container's clientWidth is updated\r\n * to the correct width. */\r\n this.drawing.doIfCanvasContainerWidthUpdatesWithin(1000, () => {\r\n //console.log('Canvas container width did update!')\r\n this.drawing.bestFitStageAndCanvas(true);\r\n });\r\n }\r\n if (this.onShowcaseTabShown) {\r\n this.onShowcaseTabShown(e);\r\n }\r\n });\r\n\r\n selector = '.' + this.config.UI.showCaseTabPanes;\r\n this.allTabPanesSelector = `${selector} div[role=\"tabpanel\"]`;\r\n }\r\n\r\n activateShowcaseTab(tabName) {\r\n const tab = jQuery(this.getTabSelector(tabName));\r\n if (tab && tab.length > 0) {\r\n tab.tab('show');\r\n }\r\n }\r\n\r\n activatePreviewTab() {\r\n const tab = jQuery('#' + this.previewTabLinkId);\r\n if (tab && tab.length > 0) {\r\n tab.tab('show');\r\n }\r\n }\r\n\r\n //#endregion\r\n\r\n //#region Main Tab Carousel\r\n\r\n // This is the Owl carousel/slider displaying the product's images (under the first tab after the preview tab)\r\n\r\n removeImagesNotNeeded($currentCarouselItems, productVariantId) {\r\n const notNeededIndeces = [];\r\n $currentCarouselItems.each((index, galleryItem) => {\r\n const notNeeded = galleryItem.dataset.group !== productVariantId && galleryItem.dataset.group !== this.commonImageGroup;\r\n if (notNeeded) {\r\n const ndx = this.$mainCarouselItems.index(galleryItem);\r\n notNeededIndeces.push(ndx);\r\n }\r\n });\r\n return notNeededIndeces;\r\n }\r\n\r\n addNeededImages($currentCarouselItems, productVariantId) {\r\n const toBeAddedIndeces = [];\r\n this.$mainCarouselItems.each((index, galleryItem) => {\r\n const isNeeded = galleryItem.dataset.group === productVariantId || galleryItem.dataset.group === this.commonImageGroup;\r\n if (isNeeded) {\r\n let alreadyThere = false;\r\n $currentCarouselItems.each((index, item) => {\r\n if (item === galleryItem) {\r\n alreadyThere = true;\r\n }\r\n });\r\n if (!alreadyThere) {\r\n toBeAddedIndeces.push(index);\r\n }\r\n }\r\n });\r\n return toBeAddedIndeces;\r\n }\r\n\r\n addCarouselItem(ndx) {\r\n let item = this.$mainCarouselItems[ndx];\r\n this.$mainCarousel.trigger('add.owl.carousel', [item]);\r\n const thumb = this.$mainCarouselThumbs[ndx];\r\n thumb.classList.toggle('d-none', false);\r\n thumb.classList.toggle('active', ndx === 0);\r\n }\r\n\r\n removeCarouselItem(ndx) {\r\n // Remove carousel image:\r\n this.$mainCarousel.trigger('remove.owl.carousel', [ndx]);\r\n // Remove thumbnail image:\r\n const thumb = this.$mainCarouselThumbs[ndx];\r\n thumb.classList.toggle('d-none', true);\r\n thumb.classList.toggle('active', false);\r\n }\r\n\r\n //removeAllMainCarouselSlides() {\r\n // let $owlItems = this.$mainCarousel.find('.owl-item');\r\n // let count = $owlItems.length;\r\n // while (count > 0) {\r\n // this.$mainCarousel.trigger('remove.owl.carousel', [0]);\r\n // count--;\r\n // }\r\n // $owlItems = this.$mainCarousel.find('.owl-item');\r\n // count = $owlItems.length;\r\n //}\r\n\r\n updateVisibleImages(productVariantId) {\r\n const $owlItems = this.$mainCarousel.find('.owl-item .gallery-item');\r\n const notNeededIndeces = this.removeImagesNotNeeded($owlItems, productVariantId);\r\n //this.removeAllMainCarouselSlides();\r\n const toBeAddedIndeces = this.addNeededImages($owlItems, productVariantId);\r\n window.requestAnimationFrame(() => {\r\n for (var i = notNeededIndeces.length - 1; i >= 0; i--) {\r\n this.removeCarouselItem(notNeededIndeces[i]);\r\n }\r\n\r\n toBeAddedIndeces.forEach(ndx => {\r\n this.addCarouselItem(ndx);\r\n });\r\n this.$mainCarousel.trigger('refresh.owl.carousel');\r\n this.activateFirstMainCarouselItem();\r\n });\r\n }\r\n\r\n activateFirstMainCarouselItem() {\r\n this.$mainCarousel.trigger('to.owl.carousel', [0]);\r\n let isFirst = true;\r\n this.$mainCarouselThumbs.each((index, thumb) => {\r\n if (isFirst && !thumb.classList.contains('d-none')) {\r\n thumb.classList.toggle('active', true);\r\n isFirst = false;\r\n } else {\r\n thumb.classList.toggle('active', false);\r\n }\r\n })\r\n }\r\n\r\n setupMainTabCarousel() {\r\n const $allTabPanes = jQuery(this.allTabPanesSelector);\r\n const $mainTabPane = $allTabPanes.first();\r\n if ($mainTabPane.length) {\r\n this.$mainCarousel = $mainTabPane.find('.owl-carousel');\r\n if (this.$mainCarousel) {\r\n const doSetupCarousel = () => {\r\n this.$mainCarouselItems = this.$mainCarousel.find('.owl-item .gallery-item');\r\n this.$mainCarouselThumbs = $mainTabPane.find('.product-thumbnails li');\r\n window.requestAnimationFrame(() => {\r\n if (this.apiProduct) {\r\n const notNeededIndeces = this.removeImagesNotNeeded(this.$mainCarouselItems, this.apiProduct.variantId);\r\n for (var i = notNeededIndeces.length - 1; i >= 0; i--) {\r\n this.removeCarouselItem(notNeededIndeces[i]);\r\n }\r\n }\r\n this.$mainCarousel.trigger('refresh.owl.carousel');\r\n this.activateFirstMainCarouselItem();\r\n });\r\n }\r\n if (this.$mainCarousel.hasClass('owl-loaded')) {\r\n doSetupCarousel();\r\n } else {\r\n this.$mainCarousel.on('initialized.owl.carousel', event => {\r\n doSetupCarousel();\r\n });\r\n }\r\n }\r\n }\r\n }\r\n\r\n //#endregion Main Tab Carousel\r\n\r\n //#region Preview Carousel\r\n\r\n // This is the Owl carousel/slider displaying the product's preview image and/or drawing\r\n\r\n setupPreviewCarousel() {\r\n this.$previewCarousel = jQuery(`#${this.previewTabId} .owl-carousel`);\r\n if (this.$previewCarousel.length > 1) {\r\n throw new Error('There can only be one preview tab. Maybe you chose the wrong kind of tab when setting up the showcase tabs?');\r\n }\r\n this.previewItemCount = 0;\r\n\r\n const setupPreviewCarousel = (itemCount) => {\r\n this.isPreviewCarouselInitialized = true;\r\n this.previewItemCount = itemCount;\r\n /* Looks like updating the carousel from within this event handler doesn't work.\r\n * Hence, push the update to the next frame: */\r\n console.log('[event: owl.carousel.initialized] (async:) ProductPageViewModel.constructor: window.requestAnimationFrame()');\r\n window.requestAnimationFrame(() => {\r\n if (this.onPreviewCarouselInitialized) {\r\n this.onPreviewCarouselInitialized();\r\n }\r\n });\r\n }\r\n\r\n if (this.$previewCarousel.hasClass('owl-loaded')) {\r\n console.log('Carousel is already initialized');\r\n const items = this.$previewCarousel.find('.owl-item');\r\n setupPreviewCarousel(items.length);\r\n } else {\r\n this.$previewCarousel.on('initialized.owl.carousel', event => {\r\n setupPreviewCarousel(event.item.count);\r\n });\r\n }\r\n }\r\n\r\n /**\r\n * Display the correct image in the preview carousel. If the current product equals the default,\r\n * then display the predefined high quality photo. Otherwise, display the generated drawing.\r\n * @param {any} forceDrawing If true, then display the drawing regardless.\r\n */\r\n displayPreviewImage(forceDrawing) {\r\n if (this.previewItemCount > 0) {\r\n let index;\r\n if (forceDrawing) {\r\n index = this.previewItemCount - 1;\r\n } else if (this.isDefaultProduct() || this.previewItemCount < 2) {\r\n index = 0;\r\n } else {\r\n index = this.previewItemCount - 1;\r\n }\r\n this.$previewCarousel.trigger('to.owl.carousel', [index]);\r\n }\r\n }\r\n\r\n //#endregion\r\n\r\n displayEditedProduct(product, isUserDriven) {\r\n if (this.isDisplayingProduct) {\r\n // Re-entrant call!\r\n console.log('(async) previewer.displayEditedProduct: previewer.scheduleProductDisplay().')\r\n this.scheduleProductDisplay(isUserDriven, usrDriven => {\r\n console.group('(callback: previewer.scheduleProductDisplay) previewer.displayEditedProduct: previewer.displayProduct()...')\r\n this.displayEditedProduct(product, usrDriven);\r\n console.groupEnd();\r\n });\r\n } else {\r\n this.displayPreviewImage(/*forceDrawing:*/ false);\r\n if (product.variantId) {\r\n this.updateVisibleImages(product.variantId);\r\n }\r\n console.log('(async) previewer.displayEditedProduct: previewer.displayProduct(...)...')\r\n // Async call:\r\n /* await */ this.displayProduct(product);\r\n if (isUserDriven && this.previewItemCount > 0) {\r\n /* If the reason for the display call was driven by the user, then also switch from the\r\n * \"inspiration\" tab to the preview tab (if needed), and show the scroll-to-drawing button. */\r\n this.activateShowcaseTab(this.config.UI.previewTabName);\r\n }\r\n }\r\n }\r\n\r\n async doStart(apiProduct, isProductRestorePending) {\r\n /* If the owl carousel isn't initialized yet, then there's no reason to display the product yet\r\n * (it'll be done in the initialized event handler in the constructor above). Also, if there's\r\n * a product restore pending, then the product will be displayed after restore has completed\r\n * (see productEditor.onProductChanged event handler in the constructor above). Hence, don't\r\n * display the product now. */\r\n this.displayProductWhenStarting = this.isPreviewCarouselInitialized && !isProductRestorePending;\r\n console.log(`SKIP displaying the product? ${!this.displayProductWhenStarting}.`);\r\n await super.doStart(apiProduct);\r\n if (this.isPreviewCarouselInitialized) {\r\n this.displayPreviewImage(/*forceDrawing:*/ false);\r\n }\r\n }\r\n}\r\n","/* global FB */\r\n\r\nimport { ProductDrawing } from './ProductDrawing.js';\r\n//import { PixiDrawingEngine } from './Pixi/PixiDrawingEngine.js';\r\nimport { DesignerService, ProductService } from './DesignerService.js';\r\nimport { ProductViewModelFactories } from './ProductViewModelFactories.js';\r\nimport { ProductPreviewer } from './ProductPreviewer.js';\r\nimport { ProductMaterialsLoadMode } from './ProductDrawingViewModel.js';\r\n\r\n/**\r\n * This is the primary Javascript ViewModel for product pages. The ProductPageViewModel\r\n * is a composition of itself, a ProductEditor, a ProductPreviewer, and a PopupEditor.\r\n *\r\n * - The ProductEditor (this.productEditor) is responsible for viewing and editing product data on\r\n * the page itself.\r\n *\r\n * - The ProductPreviewer (this.previewer) is responsible for displaying a preview of the product,\r\n * a real-time-updated drawing of the product, and for displaying images of related products.\r\n *\r\n * - The PopupEditor (this.popupEditor) is responsible for editing additional product data in a\r\n * popup view. Since the popupEditor is not needed until the user clicks a button, all related\r\n * setup is done just in time (either delayed until a timer expires, or until the user clicks\r\n * the button).\r\n *\r\n * This view model is also the owner of a few other composite objects:\r\n *\r\n * - A ProductDrawing (this.previewDrawing): for displaying a real-time-updated preview of the product.\r\n * Conceptually the drawing belongs to the previewer (since it's a child element of the preview\r\n * part of the UI), but it's owned by ProductPageViewModel and passed to the previewer by reference.\r\n * - Another ProductDrawing (this.editDrawing): for displaying a drawing of the product inside the\r\n * popupEditor. Is owned by ProductPageViewModel and passed to the popupEditor by reference.\r\n *\r\n * Finally, the ProductPageViewModel owns two service objects:\r\n *\r\n * - ProductService (this.productService): communicates product information with the back end service.\r\n * - DesignerService (this.designerService): communicates with the Langlo Designer back end service.\r\n */\r\nexport class ProductPageViewModel {\r\n constructor(config, productEditorConfig) {\r\n /* config is for this ViewModel itself. productEditorConfig is for a product type specific\r\n * configuration. */\r\n this.config = config;\r\n this.productEditorConfig = productEditorConfig;\r\n\r\n this.constructServices(config); // Services\r\n this.constructProductPreviewer(); // ProductPreviewer and PreviewDrawing\r\n if (!config.isProductEndOfLife && productEditorConfig.productType) {\r\n this.constructProductEditor(); // ProductEditor and PopupEditor\r\n }\r\n }\r\n\r\n /** Helper method for the class constructor. */\r\n constructServices() {\r\n this.productService = new ProductService(this.config.productServiceUrl);\r\n this.designerService = new DesignerService(this.config.designerServiceUrl);\r\n this.designerService.sessionId = this.config.sessionId;\r\n }\r\n\r\n /** Helper method for the class constructor. */\r\n constructProductPreviewer() {\r\n this.previewDrawing = this.createProductDrawing('Preview Engine', this.config.UI.productPreviewCanvas);\r\n // ViewModel for the UI around the preview canvas, including the tabs and carousel for related images, etc.\r\n this.previewer = new ProductPreviewer(this.previewDrawing, 'PreviewerVM', this.config);\r\n if (this.previewDrawing) {\r\n this.previewer.productMaterialsLoadMode = ProductMaterialsLoadMode.Delayed;\r\n } else {\r\n this.previewer.productMaterialsLoadMode = ProductMaterialsLoadMode.Never;\r\n }\r\n this.previewer.onShowcaseTabShown = (e) => this.saveActiveTabToLocalStorage();\r\n this.previewer.onGetIsDefaultProduct = (e) => this.productEditor.isDefaultProduct;\r\n\r\n this.previewer.onPreviewCarouselInitialized = () => {\r\n if (!this.productEditor) {\r\n // Maybe the product is end-of-life, in which case we can't display it\r\n } else if (this.productEditor.isProductRestorePending) {\r\n /* We should not display the product yet because it'll be displayed in the\r\n * productEditor.onProductChanged event handler above. */\r\n console.log('(callback: requestAnimationFrame) ProductPageViewModel.constructor -> SKIP displayEditedProduct() (product restore is pending).');\r\n } else if (this.isStarted) {\r\n console.group('(callback: requestAnimationFrame) ProductPageViewModel.constructor -> displayEditedProduct()...');\r\n this.displayEditedProduct();\r\n console.groupEnd();\r\n } else {\r\n /* If this view model has not already been started, then let the start() method make the\r\n * needed calls to display the edited product. */\r\n console.log('(callback: requestAnimationFrame) ProductPageViewModel.constructor -> SKIP displayEditedProduct() (isStarted = false).');\r\n }\r\n };\r\n this.previewer.setupPreviewCarousel();\r\n }\r\n\r\n /** Helper method for the class constructor. */\r\n constructProductEditor() {\r\n const editorConfig = this.productEditorConfig;\r\n const factory = ProductViewModelFactories.getFactory(editorConfig.productType);\r\n /* The createProductEditor method might--if session storage contains a product--communicate with\r\n * the remote designerService to asynchronously load the product. The async load happens on the\r\n * last line of the ProductEditor class constructor. */\r\n this.productEditor = /*async*/ factory.createProductEditor(editorConfig, this.designerService, this.productService);\r\n this.productEditor.onProductChanged = (editor, isUserDriven) => {\r\n console.group('[event: productEditor.onProductChanged] ProductPageViewModel.constructor: displayEditedProduct()...');\r\n this.displayEditedProduct(isUserDriven);\r\n console.groupEnd();\r\n };\r\n /* For SEO performance reasons we only create the Popup Editor after a delay, or when is actually\r\n * needed (see inside popupEditorDisplayed event handler below). */\r\n const popupEditorTimeoutHandle = setTimeout(() => this.createPopupEditor(), 3000);\r\n this.productEditor.onNeedPopupEditor = () => {\r\n if (!this.popupEditor) {\r\n // Clear the timeout and create the popupEditor now!\r\n clearTimeout(popupEditorTimeoutHandle);\r\n this.createPopupEditor();\r\n }\r\n }\r\n this.productEditor.popupEditorDisplayed = (prodEditor, popupEditorConfig, componentType) => {\r\n this.popupEditor.setComponentType(componentType);\r\n if (!this.popupEditor.isStarted) {\r\n this.popupEditor.start(prodEditor.product, popupEditorConfig);\r\n } else {\r\n this.popupEditor.displayProduct(prodEditor.product, popupEditorConfig);\r\n }\r\n this.editDrawing.engine.startRendering();\r\n this.hideChatButton();\r\n this.wasRenderingBeforePopup = this.previewDrawing.engine.stopRendering();\r\n };\r\n this.productEditor.popupEditorClosed = async (prodEditor, componentType, isOk, changedElement) => {\r\n if (isOk) {\r\n this.previewer.activatePreviewTab(); // Ensure the preview drawing tab is displayed:\r\n await prodEditor.updateProductFromPopupEditor(this.editDrawing.getModifiedApiProduct(), componentType, changedElement);\r\n }\r\n this.popupEditor.hideCurrentProduct();\r\n this.showChatButton();\r\n this.editDrawing.engine.stopRendering();\r\n if (this.wasRenderingBeforePopup) {\r\n this.previewDrawing.engine.startRendering();\r\n }\r\n };\r\n this.productEditor.onPreviewDrawingFinishLabelsToggled = (on) => {\r\n this.previewDrawing.toggleFinishLabels(on);\r\n // Ensure the most appropriate preview is displayed:\r\n this.previewer.displayPreviewImage(/*forceDrawing:*/ on);\r\n };\r\n }\r\n\r\n createProductDrawing(engineName, canvasId, otherDrawingEngine) {\r\n const canvas = document.getElementById(canvasId);\r\n if (canvas) {\r\n const engineOptions = this.config.drawingEngineClass.createDefaultOptions(canvas);\r\n engineOptions.config = this.config.engineConfig;\r\n if (otherDrawingEngine && this.config.drawingEngineClass.canShareLoader()) {\r\n engineOptions.sharedLoader = otherDrawingEngine.loader;\r\n }\r\n const drawingEngine = new this.config.drawingEngineClass(engineName, engineOptions, false);\r\n return new ProductDrawing(drawingEngine, this.config.finishImagesBaseUrl, this.productEditorConfig.allFinishesMap);\r\n }\r\n }\r\n\r\n /** ViewModel for the wizard/step-by-step popup UI for editing the product finishes, etc.. */\r\n createPopupEditor() {\r\n if (!this.popupEditor && this.previewDrawing) {\r\n // If the popup is wrapped in a