{"version":3,"file":"ui-17a025fe.js","sources":["../../../node_modules/fbjs/lib/invariant.js","../../../node_modules/flux/lib/Dispatcher.js","../../../node_modules/flux/index.js","../../../client/src/javascripts/customer_pages/_utils/ui.js"],"sourcesContent":["/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n'use strict';\n\nvar validateFormat = process.env.NODE_ENV !== \"production\" ? function (format) {\n if (format === undefined) {\n throw new Error('invariant(...): Second argument must be a string.');\n }\n} : function (format) {};\n/**\n * Use invariant() to assert state which your program assumes to be true.\n *\n * Provide sprintf-style format (only %s is supported) and arguments to provide\n * information about what broke and what you were expecting.\n *\n * The invariant message will be stripped in production, but the invariant will\n * remain to ensure logic does not differ in production.\n */\n\nfunction invariant(condition, format) {\n for (var _len = arguments.length, args = new Array(_len > 2 ? _len - 2 : 0), _key = 2; _key < _len; _key++) {\n args[_key - 2] = arguments[_key];\n }\n\n validateFormat(format);\n\n if (!condition) {\n var error;\n\n if (format === undefined) {\n error = new Error('Minified exception occurred; use the non-minified dev environment ' + 'for the full error message and additional helpful warnings.');\n } else {\n var argIndex = 0;\n error = new Error(format.replace(/%s/g, function () {\n return String(args[argIndex++]);\n }));\n error.name = 'Invariant Violation';\n }\n\n error.framesToPop = 1; // Skip invariant's own stack frame.\n\n throw error;\n }\n}\n\nmodule.exports = invariant;","/**\n * Copyright (c) Meta Platforms, Inc. and affiliates.\n * All rights reserved.\n *\n * This source code is licensed under the BSD-style license found in the\n * LICENSE file in the root directory of this source tree. An additional grant\n * of patent rights can be found in the PATENTS file in the same directory.\n *\n * @providesModule Dispatcher\n * \n * @preventMunge\n */\n\n'use strict';\n\nfunction _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }\nfunction _toPropertyKey(arg) { var key = _toPrimitive(arg, \"string\"); return typeof key === \"symbol\" ? key : String(key); }\nfunction _toPrimitive(input, hint) { if (typeof input !== \"object\" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || \"default\"); if (typeof res !== \"object\") return res; throw new TypeError(\"@@toPrimitive must return a primitive value.\"); } return (hint === \"string\" ? String : Number)(input); }\nvar invariant = require(\"fbjs/lib/invariant\");\nvar _prefix = 'ID_';\n\n/**\n * Dispatcher is used to broadcast payloads to registered callbacks. This is\n * different from generic pub-sub systems in two ways:\n *\n * 1) Callbacks are not subscribed to particular events. Every payload is\n * dispatched to every registered callback.\n * 2) Callbacks can be deferred in whole or part until other callbacks have\n * been executed.\n *\n * For example, consider this hypothetical flight destination form, which\n * selects a default city when a country is selected:\n *\n * var flightDispatcher = new Dispatcher();\n *\n * // Keeps track of which country is selected\n * var CountryStore = {country: null};\n *\n * // Keeps track of which city is selected\n * var CityStore = {city: null};\n *\n * // Keeps track of the base flight price of the selected city\n * var FlightPriceStore = {price: null}\n *\n * When a user changes the selected city, we dispatch the payload:\n *\n * flightDispatcher.dispatch({\n * actionType: 'city-update',\n * selectedCity: 'paris'\n * });\n *\n * This payload is digested by `CityStore`:\n *\n * flightDispatcher.register(function(payload) {\n * if (payload.actionType === 'city-update') {\n * CityStore.city = payload.selectedCity;\n * }\n * });\n *\n * When the user selects a country, we dispatch the payload:\n *\n * flightDispatcher.dispatch({\n * actionType: 'country-update',\n * selectedCountry: 'australia'\n * });\n *\n * This payload is digested by both stores:\n *\n * CountryStore.dispatchToken = flightDispatcher.register(function(payload) {\n * if (payload.actionType === 'country-update') {\n * CountryStore.country = payload.selectedCountry;\n * }\n * });\n *\n * When the callback to update `CountryStore` is registered, we save a reference\n * to the returned token. Using this token with `waitFor()`, we can guarantee\n * that `CountryStore` is updated before the callback that updates `CityStore`\n * needs to query its data.\n *\n * CityStore.dispatchToken = flightDispatcher.register(function(payload) {\n * if (payload.actionType === 'country-update') {\n * // `CountryStore.country` may not be updated.\n * flightDispatcher.waitFor([CountryStore.dispatchToken]);\n * // `CountryStore.country` is now guaranteed to be updated.\n *\n * // Select the default city for the new country\n * CityStore.city = getDefaultCityForCountry(CountryStore.country);\n * }\n * });\n *\n * The usage of `waitFor()` can be chained, for example:\n *\n * FlightPriceStore.dispatchToken =\n * flightDispatcher.register(function(payload) {\n * switch (payload.actionType) {\n * case 'country-update':\n * case 'city-update':\n * flightDispatcher.waitFor([CityStore.dispatchToken]);\n * FlightPriceStore.price =\n * getFlightPriceStore(CountryStore.country, CityStore.city);\n * break;\n * }\n * });\n *\n * The `country-update` payload will be guaranteed to invoke the stores'\n * registered callbacks in order: `CountryStore`, `CityStore`, then\n * `FlightPriceStore`.\n */\nvar Dispatcher = /*#__PURE__*/function () {\n function Dispatcher() {\n _defineProperty(this, \"_callbacks\", void 0);\n _defineProperty(this, \"_isDispatching\", void 0);\n _defineProperty(this, \"_isHandled\", void 0);\n _defineProperty(this, \"_isPending\", void 0);\n _defineProperty(this, \"_lastID\", void 0);\n _defineProperty(this, \"_pendingPayload\", void 0);\n this._callbacks = {};\n this._isDispatching = false;\n this._isHandled = {};\n this._isPending = {};\n this._lastID = 1;\n }\n\n /**\n * Registers a callback to be invoked with every dispatched payload. Returns\n * a token that can be used with `waitFor()`.\n */\n var _proto = Dispatcher.prototype;\n _proto.register = function register(callback) {\n var id = _prefix + this._lastID++;\n this._callbacks[id] = callback;\n return id;\n }\n\n /**\n * Removes a callback based on its token.\n */;\n _proto.unregister = function unregister(id) {\n !this._callbacks[id] ? process.env.NODE_ENV !== \"production\" ? invariant(false, 'Dispatcher.unregister(...): `%s` does not map to a registered callback.', id) : invariant(false) : void 0;\n delete this._callbacks[id];\n }\n\n /**\n * Waits for the callbacks specified to be invoked before continuing execution\n * of the current callback. This method should only be used by a callback in\n * response to a dispatched payload.\n */;\n _proto.waitFor = function waitFor(ids) {\n !this._isDispatching ? process.env.NODE_ENV !== \"production\" ? invariant(false, 'Dispatcher.waitFor(...): Must be invoked while dispatching.') : invariant(false) : void 0;\n for (var ii = 0; ii < ids.length; ii++) {\n var id = ids[ii];\n if (this._isPending[id]) {\n !this._isHandled[id] ? process.env.NODE_ENV !== \"production\" ? invariant(false, 'Dispatcher.waitFor(...): Circular dependency detected while ' + 'waiting for `%s`.', id) : invariant(false) : void 0;\n continue;\n }\n !this._callbacks[id] ? process.env.NODE_ENV !== \"production\" ? invariant(false, 'Dispatcher.waitFor(...): `%s` does not map to a registered callback.', id) : invariant(false) : void 0;\n this._invokeCallback(id);\n }\n }\n\n /**\n * Dispatches a payload to all registered callbacks.\n */;\n _proto.dispatch = function dispatch(payload) {\n !!this._isDispatching ? process.env.NODE_ENV !== \"production\" ? invariant(false, 'Dispatch.dispatch(...): Cannot dispatch in the middle of a dispatch.') : invariant(false) : void 0;\n this._startDispatching(payload);\n try {\n for (var id in this._callbacks) {\n if (this._isPending[id]) {\n continue;\n }\n this._invokeCallback(id);\n }\n } finally {\n this._stopDispatching();\n }\n }\n\n /**\n * Is this Dispatcher currently dispatching.\n */;\n _proto.isDispatching = function isDispatching() {\n return this._isDispatching;\n }\n\n /**\n * Call the callback stored with the given id. Also do some internal\n * bookkeeping.\n *\n * @internal\n */;\n _proto._invokeCallback = function _invokeCallback(id) {\n this._isPending[id] = true;\n this._callbacks[id](this._pendingPayload);\n this._isHandled[id] = true;\n }\n\n /**\n * Set up bookkeeping needed when dispatching.\n *\n * @internal\n */;\n _proto._startDispatching = function _startDispatching(payload) {\n for (var id in this._callbacks) {\n this._isPending[id] = false;\n this._isHandled[id] = false;\n }\n this._pendingPayload = payload;\n this._isDispatching = true;\n }\n\n /**\n * Clear bookkeeping used for dispatching.\n *\n * @internal\n */;\n _proto._stopDispatching = function _stopDispatching() {\n delete this._pendingPayload;\n this._isDispatching = false;\n };\n return Dispatcher;\n}();\nmodule.exports = Dispatcher;","/**\n * Copyright (c) Meta Platforms, Inc. and affiliates.\n * All rights reserved.\n *\n * This source code is licensed under the BSD-style license found in the\n * LICENSE file in the root directory of this source tree. An additional grant\n * of patent rights can be found in the PATENTS file in the same directory.\n */\n\nmodule.exports.Dispatcher = require('./lib/Dispatcher');\n","// Import JSX Modules\nimport Flux from 'flux';\n\nconst builderDispatch =\n (typeof window !== 'undefined' && window.builderDispatch) ||\n new Flux.Dispatcher();\n\nconst MAX_DELAYED_DISPATCHES = 5;\n\nbuilderDispatch.delayedDispatches = {};\n\nbuilderDispatch.register(payload => {\n if (!payload.type) {\n throw `invalid event: ${JSON.stringify(Object.keys(payload))}`;\n }\n\n if (!payload.delayed) {\n builderDispatch.delayedDispatches = {};\n }\n});\n\nbuilderDispatch.delayedDispatch = function(payload) {\n return new Promise(resolve => {\n const dispatch = () => {\n // Tell the register that this is delayed so it\n // can reset the count\n this.dispatch({\n ...payload,\n delayed: true,\n actuallyDelayed: builderDispatch.isDispatching(),\n });\n resolve();\n };\n\n if (typeof window !== 'undefined' && builderDispatch.isDispatching()) {\n this.delayedDispatches[payload.type] =\n this.delayedDispatches[payload.type] || 0;\n this.delayedDispatches[payload.type]++;\n\n Object.keys(this.delayedDispatches).forEach(key => {\n if (this.delayedDispatches[key] >= MAX_DELAYED_DISPATCHES) {\n throw `Too many delayed dispatches for ${key} in a row - MAX IS ${MAX_DELAYED_DISPATCHES}`;\n }\n });\n\n window.requestAnimationFrame(dispatch);\n } else {\n this.delayedDispatches = {};\n dispatch();\n }\n });\n};\n\nbuilderDispatch.register(payload => {\n if (window.debugDispatcher) {\n console.log(payload);\n window.builderDispatch = window.builderDispatch || builderDispatch;\n builderDispatch.recent = builderDispatch.recent || [];\n while (builderDispatch.recent.length > 50) {\n builderDispatch.recent.shift();\n }\n builderDispatch.recent.push({\n type: payload.type,\n payload,\n time: new Date(),\n stack: new Error().stack,\n });\n }\n});\n\n// Constants for flux event handling\nconst WebUI = {\n LOGIN: 'webui.login',\n PROMPT_LOGIN: 'webui.prompt-login',\n HIDDEN_LOGIN: 'webui.hide-login',\n ADD_TO_CART: 'webui.add-to-cart',\n ADDED_TO_CART: 'webui.added-to-cart',\n CART_MERGED: 'webui.cart-merged',\n RESIZE: 'webui.resize',\n EDIT_AREA_RESIZED: 'webui.edit-area-resized',\n TRAY_SCROLLED: 'webui.tray-scrolled',\n LOAD: 'webui.load',\n PAGES_CHANGED: 'webui.pages-changed',\n UPDATE_PHOTOS: 'webui.update-photos',\n UPDATE_FAVOURITES: 'webui.update-favourites',\n BEFORE_UPLOAD: 'webui.before_upload',\n UPLOAD_BEGUN: 'webui.upload-begun',\n UPLOAD_PROGRESS: 'webui.upload-progress',\n UPLOAD_ERROR: 'webui.upload-error',\n UPLOAD_PAUSED: 'webui.upload-paused',\n UPLOAD_RESUMED: 'webui.upload-resumed',\n UPLOAD_DONE: 'webui.upload-done',\n UPLOAD_BATCHED_DONE: 'webui.upload-batched-done',\n UPLOAD_BATCHED_IGNORE_FAILURES: 'webui.upload-batched-ignore-failures',\n UPLOAD_BATCHED_RETRY_FAILURES: 'webui.upload-batched-retry-failures',\n UPLOAD_SHOW_FAILURES: 'webui.upload-show-failures',\n UPLOAD_SHOW_BATCHED_FAILURES: 'webui.upload-show-batched-failures',\n UPLOAD_ABORTED: 'webui.upload-aborted',\n UPLOAD_IGNORE_FAILURES: 'webui.upload-ignore-failures',\n UPLOAD_PHOTO_REMOVED_FROM_TRAY: 'webui.upload-photo-removed-from-tray',\n UPLOAD_ALL_PHOTOS_REMOVED_FROM_TRAY:\n 'webui.upload-all-photos-removed-from-tray',\n UPLOAD_CLOSED: 'webui.upload-closed',\n TEMPLATES_LOADED: 'webui.templates-loaded',\n TEMPLATE_CHANGED: 'webui.template-changed',\n GOTO_PAGE: 'webui.goto-page',\n PAGE_UPDATED: 'webui.page-updated',\n PAGE_NAV: 'webui.page-nav',\n SHOWING_SPREAD: 'webui.showing-spread',\n DO_SHOW_SPREAD: 'webui.do-show-spread',\n DO_NAV: 'webui.do-nav',\n ACTIVE_VIEW_CHANGED: 'webui.active-view-changed',\n ACTIVE_VIEW_UPDATED: 'webui.active-view-updated',\n ORIENTATION_CHANGED: 'webui.orientation-changed',\n ENTER_PREVIEW_MODE: 'webui.enter-preview',\n ENTER_EDIT_MODE: 'webui.enter-edit',\n CHANGE_VISIBLE_PAGE: 'webui.change-visible-page',\n HIDE_OPTION_NOT_AVAILABLE_FLYOUT: 'webui.hide-option-not-available-flyout',\n PHOTO_SERVICE_SELECTED: 'webui.photo-service-selected',\n PHOTO_SERVICE_CONNECTED: 'webui.photo-service-connected',\n PHOTO_EVENT_UPLOAD: 'webui.photo-event-upload',\n PHOTO_EVENT_ADVANCED_EDIT: 'webui.photo-event-advanced-edit',\n PHOTO_EVENT_RESIZE_ALL: 'webui.photo-event-resize_all',\n PHOTO_EVENT_CHANGE_QUANTITY: 'webui.photo-event-change-quantity',\n PHOTO_EVENT_PREVIEW: 'webui.photo-event-preview',\n PHOTO_EVENT_EDIT: 'webui.photo-event-edit',\n PHOTO_EVENT_ADD_TO_CART: 'webui.photo-event-add-to-cart',\n PHOTO_EVENT_REMOVE_PRINTS_MODAL: 'webui.photo-event-remove-prints-modal',\n PHOTO_EVENT_REMOVE_PRINTS_CONFIRM: 'webui.photo-event-remove-prints-confirm',\n PHOTO_EVENT_REMOVE_PRINTS_CANCEL: 'webui.photo-event-remove-prints-cancel',\n PHOTO_EVENT_CHANGE_CLICKED: 'webui.photo-change-clicked',\n SHOW_CUSTOM_PAGE: 'webui.show-custom-page',\n HIDE_CUSTOM_PAGE: 'webui.hide-custom-page',\n DONE_CUSTOM_PAGE: 'webui.done-custom-page',\n PAGES_TRAY_START_RELOAD: 'webui.pages-tray-start-reload',\n ADD_PAGE: 'webui.add-page',\n SHOW_PRINTS_PRICES: 'webui.show-prints-prices-table',\n SHOW_CONFIRMATION_DIALOG: 'webui.show-confirmation-dialog',\n SHOW_HOT_KEY_MODAL: 'webui.show-hot-key-modal',\n SHOWING_UPSELL_MODAL: 'prismui.showing-upsell-modal',\n PHOTO_TRAY_IMAGE_CLICKED: 'webui.photo-tray-image-clicked',\n ACCORDION_CLICKED: 'webui.accordion-clicked',\n STACKABLE_SLOT_ADDED: 'webui.stackable-slot-added',\n DROP_PREVIEW: 'webui.drop-preview',\n ADDED_USER_SAVED_EVENTS: 'webui.added-user-saved-events',\n};\n\nWebUI.Analytics = {\n SEND: 'webui.analytics-send',\n BEGIN_CHECKOUT_EVENT: 'webui.analytics-begin_checkout-event',\n};\n\nWebUI.PhotoEvents = {\n select: 'Select Photos',\n confirm: 'Add Photos',\n addtoprints: 'Add to Prints',\n pleaselogin: 'Please log in',\n getmorephotos: 'Get More Photos',\n event_add_photos: 'Add Photos',\n event_add_to_prints: 'Add to Prints',\n viewall: 'View All',\n};\n\n// Photo Builder Events for Omni Tracking\nWebUI.PhotoEventStrings = {};\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_ADVANCED_EDIT] = 'Advanced Edit';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_RESIZE_ALL] = 'Resize All';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_CHANGE_QUANTITY] =\n 'Change Quantity per Size';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_PREVIEW] = 'Preview and Buy';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_EDIT] = 'Edit';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_ADD_TO_CART] = 'Add to Cart';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_REMOVE_PRINTS_MODAL] =\n 'Remove Prints Overlay';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_REMOVE_PRINTS_CONFIRM] =\n 'Confirm Remove Prints';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_REMOVE_PRINTS_CANCEL] = 'Cancel';\nWebUI.PhotoEventStrings[WebUI.PHOTO_EVENT_CHANGE_CLICKED] = 'Change';\n\nconst PrismUI = {\n FIT_TEMPLATE_AND_AUTOFILL: 'fit_template_and_autofill',\n CLOSE_ADD_PHOTOS_MODAL: 'webui.close-add-photos-modal',\n ADD_PHOTOS: 'prismui.open-add-photos',\n TRIGGER_ENVELOPE_ADDRESS_FORM: 'prismui.trigger-envelope-address',\n DAILY_TEXT_SLOTS: 'prismui.daily_text_slots',\n DO_ITEM_LOAD: 'prismui.do-item-load',\n DO_SHOW_SHELF: 'prismui.do-show-shelf',\n EVENT_ADD_PHOTOS: 'prismui.event-add-photos',\n EVENT_ADD_TO_CART: 'prismui.event-add-to-cart',\n EVENT_AUTO_FILL: 'prismui.event-auto-fill',\n EVENT_CHANGE: 'prismui.event-change',\n EVENT_COLORS: 'prismui.event-colors',\n EVENT_CUSTOMIZE_COVER: 'prismui.event-customize-cover',\n EVENT_CUSTOMIZE_DESIGNS: 'prismui.event-customize-designs',\n EVENT_CUSTOMIZE_ENVELOPE: 'prismui.event-customize-envelope',\n EVENT_CUSTOMIZE_LAYOUTS: 'prismui.event-customize-layouts',\n EVENT_EDIT_PROJECT_NAME: 'prismui.event-edit-project-name',\n EVENT_EDIT: 'prismui.event-edit',\n EVENT_HIDE_PHOTOS: 'prismui.event-hide-photos',\n EVENT_HIDE_USED: 'prismui.event-hide-used',\n EVENT_MORE_DESIGNS: 'prismui.event-more-designs',\n EVENT_PAGES: 'prismui.event-pages',\n EVENT_PREVIEW: 'prismui.event-preview',\n EVENT_QUANTITY_CHANGED: 'prismui.event-quantity-changed',\n EVENT_SAVE_PROJECT: 'prismui.event-save-project',\n EVENT_SHOW_PHOTOS: 'prismui.event-show-photos',\n EVENT_TEMPLATES: 'prismui.event-templates',\n FONTS_LOADED: 'prismui.fonts-loaded',\n HIDE_OVERLAY: 'prismui.hide-overlay',\n IMAGES_UPDATED: 'prismui.images-updated',\n ITEM_COPYING_FINISHED: 'prismui.item-copying-finished',\n ITEM_COPYING: 'prismui.item-copying',\n ITEM_LOADED: 'prismui.item-loaded',\n MODAL_MESSAGE: 'prismui.modal-message',\n OPEN_MY_EVENTS: 'prismui.open-my-events',\n OPEN_EDIT_MODAL: 'prismui.open-edit-modal',\n CLOSE_EDIT_MODAL: 'prismui.close-edit-modal',\n OPTION_SELECTED: 'prismui.option-selected',\n PAGE_CHANGED_OUTSIDE_EDITOR: 'prismui.page-changed-outside-editor',\n PREVIEW_2D_LOADING: 'prismui.preview-2d-loading',\n PREVIEW_2D_LOADED: 'prismui.preview-2d-loaded',\n SAVE_DONE: 'prismui.save-done',\n SAVE_START: 'prismui.save-start',\n SHOW_HELP_OVERLAY: 'prismui.show-help-overlay',\n SLOT_CHANGED: 'prismui.slot-changed',\n SLOT_CLICK: 'prismui.slot-click',\n SLOT_ACTIVATE: 'prismui.slot-activate',\n SLOT_DATA_CHANGED: 'prismui.slot-data-changed',\n SLOT_MOVED: 'prismui.slot-moved',\n OPEN_TEXT_SLOT: 'prismui.open-text-slot',\n CLOSE_TEXT_SLOT: 'prismui.close-text-slot',\n THEME_CHANGED: 'webui.theme-changed',\n THEMES_LOADED: 'webui.themes-loaded',\n UNDO_CHANGED: 'prismui.undo-changed',\n ZOOM_CHANGED: 'prismui.zoom-changed',\n DESIGNS_FILTER: 'webui.designs-filter',\n FOCUS_EDIT_TEXT: 'prismui.focus.edit.text',\n SLOT_FOCUSED: 'prismui.slot.focused',\n ADD_PAGE_BUTTONS_BLOCKED_ON_RETURN_KEY:\n 'prismui.add-page-buttons-blocked-on-return-key',\n DELETE_PHOTO_FROM_SLOT: 'prismui.delete-photo-from-slot',\n EASY_DROP_SAVE: 'easy-drop-save',\n CLOUD_SERVICE_HEADER: 'cloud-service-header',\n RICH_TEXT_MOUNTED: 'rich-text-mounted',\n PRODUCT_CHANGED: 'product-changed',\n TEXT_SLOT_DOUBLE_CLICK: 'text-slot-double-click',\n TEXT_SLOT_CONTROLS_POSITION: 'text-slot-controls-position',\n TEXT_SLOT_CLICK_FOR_FIXED: 'text-slot-click-for-fixed',\n PRISM_VIEW_INIT: 'prismui.prism-view-init',\n PRISM_VIEW_DEINIT: 'prismui.prism-view-deinit',\n};\n\n// Prism Builder Events for Omni Tracking\nPrismUI.EventStrings = {};\nPrismUI.EventStrings[PrismUI.EVENT_CUSTOMIZE_COVER] = 'Customize Cover';\nPrismUI.EventStrings[PrismUI.EVENT_CUSTOMIZE_DESIGNS] = 'Customize Designs';\nPrismUI.EventStrings[PrismUI.EVENT_CUSTOMIZE_LAYOUTS] = 'Customize Layouts';\nPrismUI.EventStrings[PrismUI.EVENT_MORE_DESIGNS] = 'More Designs';\nPrismUI.EventStrings[PrismUI.EVENT_TEMPLATES] = 'Templates';\nPrismUI.EventStrings[PrismUI.EVENT_COLORS] = 'Colors';\nPrismUI.EventStrings[PrismUI.EVENT_CUSTOMIZE_ENVELOPE] = 'Customize Envelope';\nPrismUI.EventStrings[PrismUI.EVENT_PREVIEW] = 'Preview';\nPrismUI.EventStrings[PrismUI.EVENT_EDIT] = 'Edit';\nPrismUI.EventStrings[PrismUI.EVENT_ADD_TO_CART] = 'Add To Cart';\nPrismUI.EventStrings[PrismUI.EVENT_SAVE_PROJECT] = 'Save Project';\nPrismUI.EventStrings[PrismUI.EVENT_EDIT_PROJECT_NAME] = 'Edit Project Name';\nPrismUI.EventStrings[PrismUI.EVENT_CHANGE] = 'Change';\nPrismUI.EventStrings[PrismUI.EVENT_AUTO_FILL] = 'Auto Fill';\nPrismUI.EventStrings[PrismUI.EVENT_ADD_PHOTOS] = 'Add Photos';\nPrismUI.EventStrings[PrismUI.EVENT_HIDE_USED] = 'Hide Used';\nPrismUI.EventStrings[PrismUI.EVENT_HIDE_PHOTOS] = 'Hide Photos';\nPrismUI.EventStrings[PrismUI.EVENT_SHOW_PHOTOS] = 'Show Photos';\nPrismUI.EventStrings[PrismUI.EVENT_PAGES] = 'Pages';\n\nconst ShelfUI = {\n FILTER_SELECTED: 'shelf.filter-selected',\n DELIVERY_OPTION_SELECTED:\n 'shelf.delivery-option-selected',\n};\n\n// Shelf Events for Omni Tracking\nShelfUI.EventStrings = {};\nShelfUI.EventStrings[ShelfUI.FILTER_SELECTED] = 'Filter Selected';\n\nfunction objectName(obj) {\n if (obj && obj._reactInternalInstance && obj._reactInternalInstance.getName) {\n return obj._reactInternalInstance.getName();\n }\n return obj.toString();\n}\n\nconst RefreshOnEvents = {\n componentDidMount() {\n this._refresh_handler = builderDispatch.register(payload => {\n if (this.refreshOn instanceof Array) {\n if (this.refreshOn.indexOf(payload.type) !== -1) {\n if (this.beforeEventRefresh) {\n this.beforeEventRefresh(payload);\n }\n\n this.forceUpdate(() => {\n if (this.onEvent) {\n this.onEvent(payload);\n }\n });\n }\n } else {\n console.log('No events defined for %o', objectName(this));\n }\n });\n },\n componentWillUnmount() {\n builderDispatch.unregister(this._refresh_handler);\n },\n};\n\nconst TrackPreviewMode = {\n getInitialState() {\n return { mode: 'edit-mode' };\n },\n componentDidMount() {\n this._preview_handler = builderDispatch.register(payload => {\n if (payload.type === WebUI.ENTER_PREVIEW_MODE) {\n this.setState({ mode: 'preview-mode' });\n } else if (payload.type === WebUI.ENTER_EDIT_MODE) {\n this.setState({ mode: 'edit-mode' });\n }\n });\n },\n componentWillUnmount() {\n builderDispatch.unregister(this._preview_handler);\n },\n};\n\nconst UI_STATE = {\n bottomTray: true,\n collageTemplateFitAndAutofill: false,\n};\n\nexport {\n UI_STATE,\n TrackPreviewMode,\n RefreshOnEvents,\n PrismUI,\n WebUI,\n ShelfUI,\n builderDispatch,\n};\n"],"names":["invariant","condition","format","_len","args","_key","error","argIndex","invariant_1","_defineProperty","obj","key","value","_toPropertyKey","arg","_toPrimitive","input","hint","prim","res","require$$0","_prefix","Dispatcher","_proto","callback","id","ids","ii","payload","Dispatcher_1","flux","builderDispatch","Flux","MAX_DELAYED_DISPATCHES","resolve","dispatch","WebUI","PrismUI","ShelfUI","objectName","RefreshOnEvents","TrackPreviewMode","UI_STATE"],"mappings":"SAyBA,SAASA,EAAUC,EAAWC,EAAQ,CACpC,QAASC,EAAO,UAAU,OAAQC,EAAO,IAAI,MAAMD,EAAO,EAAIA,EAAO,EAAI,CAAC,EAAGE,EAAO,EAAGA,EAAOF,EAAME,IAClGD,EAAKC,EAAO,CAAC,EAAI,UAAUA,CAAI,EAKjC,GAAI,CAACJ,EAAW,CACd,IAAIK,EAEJ,GAAIJ,IAAW,OACbI,EAAQ,IAAI,MAAM,+HAAoI,MACjJ,CACL,IAAIC,EAAW,EACfD,EAAQ,IAAI,MAAMJ,EAAO,QAAQ,MAAO,UAAY,CAClD,OAAO,OAAOE,EAAKG,GAAU,CAAC,CAC/B,CAAA,CAAC,EACFD,EAAM,KAAO,qBACd,CAED,MAAAA,EAAM,YAAc,EAEdA,CACP,CACH,CAEA,IAAAE,EAAiBR,ECpCjB,SAASS,EAAgBC,EAAKC,EAAKC,EAAO,CAAE,OAAAD,EAAME,EAAeF,CAAG,EAAOA,KAAOD,EAAO,OAAO,eAAeA,EAAKC,EAAK,CAAE,MAAOC,EAAO,WAAY,GAAM,aAAc,GAAM,SAAU,EAAM,CAAA,EAAYF,EAAIC,CAAG,EAAIC,EAAgBF,CAAM,CAC5O,SAASG,EAAeC,EAAK,CAAE,IAAIH,EAAMI,EAAaD,EAAK,QAAQ,EAAG,OAAO,OAAOH,GAAQ,SAAWA,EAAM,OAAOA,CAAG,CAAI,CAC3H,SAASI,EAAaC,EAAOC,EAAM,CAAE,GAAI,OAAOD,GAAU,UAAYA,IAAU,KAAM,OAAOA,EAAO,IAAIE,EAAOF,EAAM,OAAO,WAAW,EAAG,GAAIE,IAAS,OAAW,CAAE,IAAIC,EAAMD,EAAK,KAAKF,EAAOC,GAAQ,SAAS,EAAG,GAAI,OAAOE,GAAQ,SAAU,OAAOA,EAAK,MAAM,IAAI,UAAU,8CAA8C,CAAI,CAAC,OAAQF,IAAS,SAAW,OAAS,QAAQD,CAAK,CAAI,CACzX,IAAIhB,EAAYoB,EACZC,EAAU,MAyFVC,EAA0B,UAAY,CACxC,SAASA,GAAa,CACpBb,EAAgB,KAAM,aAAc,MAAM,EAC1CA,EAAgB,KAAM,iBAAkB,MAAM,EAC9CA,EAAgB,KAAM,aAAc,MAAM,EAC1CA,EAAgB,KAAM,aAAc,MAAM,EAC1CA,EAAgB,KAAM,UAAW,MAAM,EACvCA,EAAgB,KAAM,kBAAmB,MAAM,EAC/C,KAAK,WAAa,GAClB,KAAK,eAAiB,GACtB,KAAK,WAAa,GAClB,KAAK,WAAa,GAClB,KAAK,QAAU,CAChB,CAMD,IAAIc,EAASD,EAAW,UACxB,OAAAC,EAAO,SAAW,SAAkBC,EAAU,CAC5C,IAAIC,EAAKJ,EAAU,KAAK,UACxB,YAAK,WAAWI,CAAE,EAAID,EACfC,CACR,EAKDF,EAAO,WAAa,SAAoBE,EAAI,CACzC,KAAK,WAAWA,CAAE,GAA8IzB,EAAU,EAAK,EAChL,OAAO,KAAK,WAAWyB,CAAE,CAC1B,EAODF,EAAO,QAAU,SAAiBG,EAAK,CACpC,KAAK,gBAA2I1B,EAAU,EAAK,EAChK,QAAS2B,EAAK,EAAGA,EAAKD,EAAI,OAAQC,IAAM,CACtC,IAAIF,EAAKC,EAAIC,CAAE,EACf,GAAI,KAAK,WAAWF,CAAE,EAAG,CACtB,KAAK,WAAWA,CAAE,GAAyJzB,EAAU,EAAK,EAC3L,QACD,CACA,KAAK,WAAWyB,CAAE,GAA2IzB,EAAU,EAAK,EAC7K,KAAK,gBAAgByB,CAAE,CACxB,CACF,EAKDF,EAAO,SAAW,SAAkBK,EAAS,CACzC,KAAK,gBAAoJ5B,EAAU,EAAK,EAC1K,KAAK,kBAAkB4B,CAAO,EAC9B,GAAI,CACF,QAASH,KAAM,KAAK,WACd,KAAK,WAAWA,CAAE,GAGtB,KAAK,gBAAgBA,CAAE,CAE/B,QAAc,CACR,KAAK,iBAAgB,CACtB,CACF,EAKDF,EAAO,cAAgB,UAAyB,CAC9C,OAAO,KAAK,cACb,EAQDA,EAAO,gBAAkB,SAAyBE,EAAI,CACpD,KAAK,WAAWA,CAAE,EAAI,GACtB,KAAK,WAAWA,CAAE,EAAE,KAAK,eAAe,EACxC,KAAK,WAAWA,CAAE,EAAI,EACvB,EAODF,EAAO,kBAAoB,SAA2BK,EAAS,CAC7D,QAASH,KAAM,KAAK,WAClB,KAAK,WAAWA,CAAE,EAAI,GACtB,KAAK,WAAWA,CAAE,EAAI,GAExB,KAAK,gBAAkBG,EACvB,KAAK,eAAiB,EACvB,EAODL,EAAO,iBAAmB,UAA4B,CACpD,OAAO,KAAK,gBACZ,KAAK,eAAiB,EAC1B,EACSD,CACT,IACAO,EAAiBP,ECrNjBQ,EAAA,WAA4BV,ECNvB,MAACW,EACH,OAAO,OAAW,KAAe,OAAO,iBACzC,IAAIC,EAAK,WAELC,EAAyB,EAE/BF,EAAgB,kBAAoB,CAAA,EAEpCA,EAAgB,SAASH,GAAW,CAClC,GAAI,CAACA,EAAQ,KACX,KAAM,kBAAkB,KAAK,UAAU,OAAO,KAAKA,CAAO,CAAC,CAAC,GAGzDA,EAAQ,UACXG,EAAgB,kBAAoB,GAExC,CAAC,EAEDA,EAAgB,gBAAkB,SAASH,EAAS,CAClD,OAAO,IAAI,QAAQM,GAAW,CAC5B,MAAMC,EAAW,IAAM,CAGrB,KAAK,SAAS,CACZ,GAAGP,EACH,QAAS,GACT,gBAAiBG,EAAgB,cAAe,CACxD,CAAO,EACDG,GACN,EAEQ,OAAO,OAAW,KAAeH,EAAgB,cAAa,GAChE,KAAK,kBAAkBH,EAAQ,IAAI,EACjC,KAAK,kBAAkBA,EAAQ,IAAI,GAAK,EAC1C,KAAK,kBAAkBA,EAAQ,IAAI,IAEnC,OAAO,KAAK,KAAK,iBAAiB,EAAE,QAAQjB,GAAO,CACjD,GAAI,KAAK,kBAAkBA,CAAG,GAAKsB,EACjC,KAAM,mCAAmCtB,CAAG,sBAAsBsB,CAAsB,EAElG,CAAO,EAED,OAAO,sBAAsBE,CAAQ,IAErC,KAAK,kBAAoB,GACzBA,IAEN,CAAG,CACH,EAEAJ,EAAgB,SAASH,GAAW,CAClC,GAAI,OAAO,gBAAiB,CAI1B,IAHA,QAAQ,IAAIA,CAAO,EACnB,OAAO,gBAAkB,OAAO,iBAAmBG,EACnDA,EAAgB,OAASA,EAAgB,QAAU,CAAA,EAC5CA,EAAgB,OAAO,OAAS,IACrCA,EAAgB,OAAO,QAEzBA,EAAgB,OAAO,KAAK,CAC1B,KAAMH,EAAQ,KACd,QAAAA,EACA,KAAM,IAAI,KACV,MAAO,IAAI,MAAK,EAAG,KACzB,CAAK,CACF,CACH,CAAC,EAGI,MAACQ,EAAQ,CACZ,MAAO,cACP,aAAc,qBACd,aAAc,mBACd,YAAa,oBACb,cAAe,sBACf,YAAa,oBACb,OAAQ,eACR,kBAAmB,0BACnB,cAAe,sBACf,KAAM,aACN,cAAe,sBACf,cAAe,sBACf,kBAAmB,0BACnB,cAAe,sBACf,aAAc,qBACd,gBAAiB,wBACjB,aAAc,qBACd,cAAe,sBACf,eAAgB,uBAChB,YAAa,oBACb,oBAAqB,4BACrB,+BAAgC,uCAChC,8BAA+B,sCAC/B,qBAAsB,6BACtB,6BAA8B,qCAC9B,eAAgB,uBAChB,uBAAwB,+BACxB,+BAAgC,uCAChC,oCACE,4CACF,cAAe,sBACf,iBAAkB,yBAClB,iBAAkB,yBAClB,UAAW,kBACX,aAAc,qBACd,SAAU,iBACV,eAAgB,uBAChB,eAAgB,uBAChB,OAAQ,eACR,oBAAqB,4BACrB,oBAAqB,4BACrB,oBAAqB,4BACrB,mBAAoB,sBACpB,gBAAiB,mBACjB,oBAAqB,4BACrB,iCAAkC,yCAClC,uBAAwB,+BACxB,wBAAyB,gCACzB,mBAAoB,2BACpB,0BAA2B,kCAC3B,uBAAwB,+BACxB,4BAA6B,oCAC7B,oBAAqB,4BACrB,iBAAkB,yBAClB,wBAAyB,gCACzB,gCAAiC,wCACjC,kCAAmC,0CACnC,iCAAkC,yCAClC,2BAA4B,6BAC5B,iBAAkB,yBAClB,iBAAkB,yBAClB,iBAAkB,yBAClB,wBAAyB,gCACzB,SAAU,iBACV,mBAAoB,iCACpB,yBAA0B,iCAC1B,mBAAoB,2BACpB,qBAAsB,+BACtB,yBAA0B,iCAC1B,kBAAmB,0BACnB,qBAAsB,6BACtB,aAAc,qBACd,wBAAyB,+BAC3B,EAEAA,EAAM,UAAY,CAChB,KAAM,uBACN,qBAAsB,sCACxB,EAEAA,EAAM,YAAc,CAClB,OAAQ,gBACR,QAAS,aACT,YAAa,gBACb,YAAa,gBACb,cAAe,kBACf,iBAAkB,aAClB,oBAAqB,gBACrB,QAAS,UACX,EAGAA,EAAM,kBAAoB,CAAA,EAC1BA,EAAM,kBAAkBA,EAAM,yBAAyB,EAAI,gBAC3DA,EAAM,kBAAkBA,EAAM,sBAAsB,EAAI,aACxDA,EAAM,kBAAkBA,EAAM,2BAA2B,EACvD,2BACFA,EAAM,kBAAkBA,EAAM,mBAAmB,EAAI,kBACrDA,EAAM,kBAAkBA,EAAM,gBAAgB,EAAI,OAClDA,EAAM,kBAAkBA,EAAM,uBAAuB,EAAI,cACzDA,EAAM,kBAAkBA,EAAM,+BAA+B,EAC3D,wBACFA,EAAM,kBAAkBA,EAAM,iCAAiC,EAC7D,wBACFA,EAAM,kBAAkBA,EAAM,gCAAgC,EAAI,SAClEA,EAAM,kBAAkBA,EAAM,0BAA0B,EAAI,SAEvD,MAACC,EAAU,CACd,0BAA2B,4BAC3B,uBAAwB,+BACxB,WAAY,0BACZ,8BAA+B,mCAC/B,iBAAkB,2BAClB,aAAc,uBACd,cAAe,wBACf,iBAAkB,2BAClB,kBAAmB,4BACnB,gBAAiB,0BACjB,aAAc,uBACd,aAAc,uBACd,sBAAuB,gCACvB,wBAAyB,kCACzB,yBAA0B,mCAC1B,wBAAyB,kCACzB,wBAAyB,kCACzB,WAAY,qBACZ,kBAAmB,4BACnB,gBAAiB,0BACjB,mBAAoB,6BACpB,YAAa,sBACb,cAAe,wBACf,uBAAwB,iCACxB,mBAAoB,6BACpB,kBAAmB,4BACnB,gBAAiB,0BACjB,aAAc,uBACd,aAAc,uBACd,eAAgB,yBAChB,sBAAuB,gCACvB,aAAc,uBACd,YAAa,sBACb,cAAe,wBACf,eAAgB,yBAChB,gBAAiB,0BACjB,iBAAkB,2BAClB,gBAAiB,0BACjB,4BAA6B,sCAC7B,mBAAoB,6BACpB,kBAAmB,4BACnB,UAAW,oBACX,WAAY,qBACZ,kBAAmB,4BACnB,aAAc,uBACd,WAAY,qBACZ,cAAe,wBACf,kBAAmB,4BACnB,WAAY,qBACZ,eAAgB,yBAChB,gBAAiB,0BACjB,cAAe,sBACf,cAAe,sBACf,aAAc,uBACd,aAAc,uBACd,eAAgB,uBAChB,gBAAiB,0BACjB,aAAc,uBACd,uCACE,iDACF,uBAAwB,iCACxB,eAAgB,iBAChB,qBAAsB,uBACtB,kBAAmB,oBACnB,gBAAiB,kBACjB,uBAAwB,yBACxB,4BAA6B,8BAC7B,0BAA2B,4BAC3B,gBAAiB,0BACjB,kBAAmB,2BACrB,EAGAA,EAAQ,aAAe,CAAA,EACvBA,EAAQ,aAAaA,EAAQ,qBAAqB,EAAI,kBACtDA,EAAQ,aAAaA,EAAQ,uBAAuB,EAAI,oBACxDA,EAAQ,aAAaA,EAAQ,uBAAuB,EAAI,oBACxDA,EAAQ,aAAaA,EAAQ,kBAAkB,EAAI,eACnDA,EAAQ,aAAaA,EAAQ,eAAe,EAAI,YAChDA,EAAQ,aAAaA,EAAQ,YAAY,EAAI,SAC7CA,EAAQ,aAAaA,EAAQ,wBAAwB,EAAI,qBACzDA,EAAQ,aAAaA,EAAQ,aAAa,EAAI,UAC9CA,EAAQ,aAAaA,EAAQ,UAAU,EAAI,OAC3CA,EAAQ,aAAaA,EAAQ,iBAAiB,EAAI,cAClDA,EAAQ,aAAaA,EAAQ,kBAAkB,EAAI,eACnDA,EAAQ,aAAaA,EAAQ,uBAAuB,EAAI,oBACxDA,EAAQ,aAAaA,EAAQ,YAAY,EAAI,SAC7CA,EAAQ,aAAaA,EAAQ,eAAe,EAAI,YAChDA,EAAQ,aAAaA,EAAQ,gBAAgB,EAAI,aACjDA,EAAQ,aAAaA,EAAQ,eAAe,EAAI,YAChDA,EAAQ,aAAaA,EAAQ,iBAAiB,EAAI,cAClDA,EAAQ,aAAaA,EAAQ,iBAAiB,EAAI,cAClDA,EAAQ,aAAaA,EAAQ,WAAW,EAAI,QAEvC,MAACC,EAAU,CACd,gBAAiB,wBACjB,yBACE,gCACJ,EAGAA,EAAQ,aAAe,CAAA,EACvBA,EAAQ,aAAaA,EAAQ,eAAe,EAAI,kBAEhD,SAASC,EAAW7B,EAAK,CACvB,OAAIA,GAAOA,EAAI,wBAA0BA,EAAI,uBAAuB,QAC3DA,EAAI,uBAAuB,UAE7BA,EAAI,UACb,CAEK,MAAC8B,EAAkB,CACtB,mBAAoB,CAClB,KAAK,iBAAmBT,EAAgB,SAASH,GAAW,CACtD,KAAK,qBAAqB,MACxB,KAAK,UAAU,QAAQA,EAAQ,IAAI,IAAM,KACvC,KAAK,oBACP,KAAK,mBAAmBA,CAAO,EAGjC,KAAK,YAAY,IAAM,CACjB,KAAK,SACP,KAAK,QAAQA,CAAO,CAElC,CAAW,GAGH,QAAQ,IAAI,2BAA4BW,EAAW,IAAI,CAAC,CAEhE,CAAK,CACF,EACD,sBAAuB,CACrBR,EAAgB,WAAW,KAAK,gBAAgB,CACjD,CACH,EAEMU,EAAmB,CACvB,iBAAkB,CAChB,MAAO,CAAE,KAAM,YAChB,EACD,mBAAoB,CAClB,KAAK,iBAAmBV,EAAgB,SAASH,GAAW,CACtDA,EAAQ,OAASQ,EAAM,mBACzB,KAAK,SAAS,CAAE,KAAM,cAAgB,CAAA,EAC7BR,EAAQ,OAASQ,EAAM,iBAChC,KAAK,SAAS,CAAE,KAAM,WAAa,CAAA,CAE3C,CAAK,CACF,EACD,sBAAuB,CACrBL,EAAgB,WAAW,KAAK,gBAAgB,CACjD,CACH,EAEMW,EAAW,CACf,WAAY,GACZ,8BAA+B,EACjC","x_google_ignoreList":[0,1,2]}