{"version":3,"sources":["node_modules/@ckeditor/ckeditor5-watchdog/src/contextwatchdog.js","node_modules/@ckeditor/ckeditor5-angular/fesm2020/ckeditor-ckeditor5-angular.mjs","src/app/services/route-bypass.service.ts","src/app/guards/pendingChanges.guard.ts"],"sourcesContent":["/**\n * @license Copyright (c) 2003-2024, CKSource Holding sp. z o.o. All rights reserved.\n * For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-oss-license\n */\nimport Watchdog from './watchdog.js';\nimport EditorWatchdog from './editorwatchdog.js';\nimport areConnectedThroughProperties from './utils/areconnectedthroughproperties.js';\nimport getSubNodes from './utils/getsubnodes.js';\nconst mainQueueId = Symbol('MainQueueId');\n/**\n * A watchdog for the {@link module:core/context~Context} class.\n *\n * See the {@glink features/watchdog Watchdog feature guide} to learn the rationale behind it and\n * how to use it.\n */\nclass ContextWatchdog extends Watchdog {\n /**\n * The context watchdog class constructor.\n *\n * ```ts\n * const watchdog = new ContextWatchdog( Context );\n *\n * await watchdog.create( contextConfiguration );\n *\n * await watchdog.add( item );\n * ```\n *\n * See the {@glink features/watchdog Watchdog feature guide} to learn more how to use this feature.\n *\n * @param Context The {@link module:core/context~Context} class.\n * @param watchdogConfig The watchdog configuration.\n */\n constructor(Context, watchdogConfig = {}) {\n super(watchdogConfig);\n /**\n * A map of internal watchdogs for added items.\n */\n this._watchdogs = new Map();\n /**\n * The current context instance.\n */\n this._context = null;\n /**\n * Context properties (nodes/references) that are gathered during the initial context creation\n * and are used to distinguish the origin of an error.\n */\n this._contextProps = new Set();\n /**\n * An action queue, which is used to handle async functions queuing.\n */\n this._actionQueues = new ActionQueues();\n this._watchdogConfig = watchdogConfig;\n // Default creator and destructor.\n this._creator = contextConfig => Context.create(contextConfig);\n this._destructor = context => context.destroy();\n this._actionQueues.onEmpty(() => {\n if (this.state === 'initializing') {\n this.state = 'ready';\n this._fire('stateChange');\n }\n });\n }\n /**\n * Sets the function that is responsible for the context creation.\n * It expects a function that should return a promise (or `undefined`).\n *\n * ```ts\n * watchdog.setCreator( config => Context.create( config ) );\n * ```\n */\n setCreator(creator) {\n this._creator = creator;\n }\n /**\n * Sets the function that is responsible for the context destruction.\n * Overrides the default destruction function, which destroys only the context instance.\n * It expects a function that should return a promise (or `undefined`).\n *\n * ```ts\n * watchdog.setDestructor( context => {\n * \t// Do something before the context is destroyed.\n *\n * \treturn context\n * \t\t.destroy()\n * \t\t.then( () => {\n * \t\t\t// Do something after the context is destroyed.\n * \t\t} );\n * } );\n * ```\n */\n setDestructor(destructor) {\n this._destructor = destructor;\n }\n /**\n * The context instance. Keep in mind that this property might be changed when the context watchdog restarts,\n * so do not keep this instance internally. Always operate on the `ContextWatchdog#context` property.\n */\n get context() {\n return this._context;\n }\n /**\n * Initializes the context watchdog. Once it is created, the watchdog takes care about\n * recreating the context and the provided items, and starts the error handling mechanism.\n *\n * ```ts\n * await watchdog.create( {\n * \tplugins: []\n * } );\n * ```\n *\n * @param contextConfig The context configuration. See {@link module:core/context~Context}.\n */\n create(contextConfig = {}) {\n return this._actionQueues.enqueue(mainQueueId, () => {\n this._contextConfig = contextConfig;\n return this._create();\n });\n }\n /**\n * Returns an item instance with the given `itemId`.\n *\n * ```ts\n * const editor1 = watchdog.getItem( 'editor1' );\n * ```\n *\n * @param itemId The item ID.\n * @returns The item instance or `undefined` if an item with a given ID has not been found.\n */\n getItem(itemId) {\n const watchdog = this._getWatchdog(itemId);\n return watchdog._item;\n }\n /**\n * Gets the state of the given item. See {@link #state} for a list of available states.\n *\n * ```ts\n * const editor1State = watchdog.getItemState( 'editor1' );\n * ```\n *\n * @param itemId Item ID.\n * @returns The state of the item.\n */\n getItemState(itemId) {\n const watchdog = this._getWatchdog(itemId);\n return watchdog.state;\n }\n /**\n * Adds items to the watchdog. Once created, instances of these items will be available using the {@link #getItem} method.\n *\n * Items can be passed together as an array of objects:\n *\n * ```ts\n * await watchdog.add( [ {\n * \tid: 'editor1',\n * \ttype: 'editor',\n * \tsourceElementOrData: document.querySelector( '#editor' ),\n * \tconfig: {\n * \t\tplugins: [ Essentials, Paragraph, Bold, Italic ],\n * \t\ttoolbar: [ 'bold', 'italic', 'alignment' ]\n * \t},\n * \tcreator: ( element, config ) => ClassicEditor.create( element, config )\n * } ] );\n * ```\n *\n * Or one by one as objects:\n *\n * ```ts\n * await watchdog.add( {\n * \tid: 'editor1',\n * \ttype: 'editor',\n * \tsourceElementOrData: document.querySelector( '#editor' ),\n * \tconfig: {\n * \t\tplugins: [ Essentials, Paragraph, Bold, Italic ],\n * \t\ttoolbar: [ 'bold', 'italic', 'alignment' ]\n * \t},\n * \tcreator: ( element, config ) => ClassicEditor.create( element, config )\n * ] );\n * ```\n *\n * Then an instance can be retrieved using the {@link #getItem} method:\n *\n * ```ts\n * const editor1 = watchdog.getItem( 'editor1' );\n * ```\n *\n * Note that this method can be called multiple times, but for performance reasons it is better\n * to pass all items together.\n *\n * @param itemConfigurationOrItemConfigurations An item configuration object or an array of item configurations.\n */\n add(itemConfigurationOrItemConfigurations) {\n const itemConfigurations = toArray(itemConfigurationOrItemConfigurations);\n return Promise.all(itemConfigurations.map(item => {\n return this._actionQueues.enqueue(item.id, () => {\n if (this.state === 'destroyed') {\n throw new Error('Cannot add items to destroyed watchdog.');\n }\n if (!this._context) {\n throw new Error('Context was not created yet. You should call the `ContextWatchdog#create()` method first.');\n }\n let watchdog;\n if (this._watchdogs.has(item.id)) {\n throw new Error(`Item with the given id is already added: '${item.id}'.`);\n }\n if (item.type === 'editor') {\n watchdog = new EditorWatchdog(null, this._watchdogConfig);\n watchdog.setCreator(item.creator);\n watchdog._setExcludedProperties(this._contextProps);\n if (item.destructor) {\n watchdog.setDestructor(item.destructor);\n }\n this._watchdogs.set(item.id, watchdog);\n // Enqueue the internal watchdog errors within the main queue.\n // And propagate the internal `error` events as `itemError` event.\n watchdog.on('error', (evt, {\n error,\n causesRestart\n }) => {\n this._fire('itemError', {\n itemId: item.id,\n error\n });\n // Do not enqueue the item restart action if the item will not restart.\n if (!causesRestart) {\n return;\n }\n this._actionQueues.enqueue(item.id, () => new Promise(res => {\n const rethrowRestartEventOnce = () => {\n watchdog.off('restart', rethrowRestartEventOnce);\n this._fire('itemRestart', {\n itemId: item.id\n });\n res();\n };\n watchdog.on('restart', rethrowRestartEventOnce);\n }));\n });\n return watchdog.create(item.sourceElementOrData, item.config, this._context);\n } else {\n throw new Error(`Not supported item type: '${item.type}'.`);\n }\n });\n }));\n }\n /**\n * Removes and destroys item(s) with given ID(s).\n *\n * ```ts\n * await watchdog.remove( 'editor1' );\n * ```\n *\n * Or\n *\n * ```ts\n * await watchdog.remove( [ 'editor1', 'editor2' ] );\n * ```\n *\n * @param itemIdOrItemIds Item ID or an array of item IDs.\n */\n remove(itemIdOrItemIds) {\n const itemIds = toArray(itemIdOrItemIds);\n return Promise.all(itemIds.map(itemId => {\n return this._actionQueues.enqueue(itemId, () => {\n const watchdog = this._getWatchdog(itemId);\n this._watchdogs.delete(itemId);\n return watchdog.destroy();\n });\n }));\n }\n /**\n * Destroys the context watchdog and all added items.\n * Once the context watchdog is destroyed, new items cannot be added.\n *\n * ```ts\n * await watchdog.destroy();\n * ```\n */\n destroy() {\n return this._actionQueues.enqueue(mainQueueId, () => {\n this.state = 'destroyed';\n this._fire('stateChange');\n super.destroy();\n return this._destroy();\n });\n }\n /**\n * Restarts the context watchdog.\n */\n _restart() {\n return this._actionQueues.enqueue(mainQueueId, () => {\n this.state = 'initializing';\n this._fire('stateChange');\n return this._destroy().catch(err => {\n console.error('An error happened during destroying the context or items.', err);\n }).then(() => this._create()).then(() => this._fire('restart'));\n });\n }\n /**\n * Initializes the context watchdog.\n */\n _create() {\n return Promise.resolve().then(() => {\n this._startErrorHandling();\n return this._creator(this._contextConfig);\n }).then(context => {\n this._context = context;\n this._contextProps = getSubNodes(this._context);\n return Promise.all(Array.from(this._watchdogs.values()).map(watchdog => {\n watchdog._setExcludedProperties(this._contextProps);\n return watchdog.create(undefined, undefined, this._context);\n }));\n });\n }\n /**\n * Destroys the context instance and all added items.\n */\n _destroy() {\n return Promise.resolve().then(() => {\n this._stopErrorHandling();\n const context = this._context;\n this._context = null;\n this._contextProps = new Set();\n return Promise.all(Array.from(this._watchdogs.values()).map(watchdog => watchdog.destroy()))\n // Context destructor destroys each editor.\n .then(() => this._destructor(context));\n });\n }\n /**\n * Returns the watchdog for a given item ID.\n *\n * @param itemId Item ID.\n */\n _getWatchdog(itemId) {\n const watchdog = this._watchdogs.get(itemId);\n if (!watchdog) {\n throw new Error(`Item with the given id was not registered: ${itemId}.`);\n }\n return watchdog;\n }\n /**\n * Checks whether an error comes from the context instance and not from the item instances.\n *\n * @internal\n */\n _isErrorComingFromThisItem(error) {\n for (const watchdog of this._watchdogs.values()) {\n if (watchdog._isErrorComingFromThisItem(error)) {\n return false;\n }\n }\n return areConnectedThroughProperties(this._context, error.context);\n }\n}\n/**\n * Manager of action queues that allows queuing async functions.\n */\nexport { ContextWatchdog as default };\nclass ActionQueues {\n constructor() {\n this._onEmptyCallbacks = [];\n this._queues = new Map();\n this._activeActions = 0;\n }\n /**\n * Used to register callbacks that will be run when the queue becomes empty.\n *\n * @param onEmptyCallback A callback that will be run whenever the queue becomes empty.\n */\n onEmpty(onEmptyCallback) {\n this._onEmptyCallbacks.push(onEmptyCallback);\n }\n /**\n * It adds asynchronous actions (functions) to the proper queue and runs them one by one.\n *\n * @param queueId The action queue ID.\n * @param action A function that should be enqueued.\n */\n enqueue(queueId, action) {\n const isMainAction = queueId === mainQueueId;\n this._activeActions++;\n if (!this._queues.get(queueId)) {\n this._queues.set(queueId, Promise.resolve());\n }\n // List all sources of actions that the current action needs to await for.\n // For the main action wait for all other actions.\n // For the item action wait only for the item queue and the main queue.\n const awaitedActions = isMainAction ? Promise.all(this._queues.values()) : Promise.all([this._queues.get(mainQueueId), this._queues.get(queueId)]);\n const queueWithAction = awaitedActions.then(action);\n // Catch all errors in the main queue to stack promises even if an error occurred in the past.\n const nonErrorQueue = queueWithAction.catch(() => {});\n this._queues.set(queueId, nonErrorQueue);\n return queueWithAction.finally(() => {\n this._activeActions--;\n if (this._queues.get(queueId) === nonErrorQueue && this._activeActions === 0) {\n this._onEmptyCallbacks.forEach(cb => cb());\n }\n });\n }\n}\n/**\n * Transforms any value to an array. If the provided value is already an array, it is returned unchanged.\n *\n * @param elementOrArray The value to transform to an array.\n * @returns An array created from data.\n */\nfunction toArray(elementOrArray) {\n return Array.isArray(elementOrArray) ? elementOrArray : [elementOrArray];\n}","import * as i0 from '@angular/core';\nimport { EventEmitter, forwardRef, Component, Input, Output, NgModule } from '@angular/core';\nimport { EditorWatchdog } from '@ckeditor/ckeditor5-watchdog';\nimport { first } from 'rxjs/operators';\nimport { NG_VALUE_ACCESSOR, FormsModule } from '@angular/forms';\nimport { CommonModule } from '@angular/common';\n\n/**\n * @license Copyright (c) 2003-2023, CKSource Holding sp. z o.o. All rights reserved.\n * For licensing, see LICENSE.md.\n */\n// A copy of @ckeditor/ckeditor5-utils/src/uid.js\n// A hash table of hex numbers to avoid using toString() in uid() which is costly.\n// [ '00', '01', '02', ..., 'fe', 'ff' ]\nfunction CKEditorComponent_ng_template_0_Template(rf, ctx) {}\nconst HEX_NUMBERS = new Array(256).fill(0).map((val, index) => ('0' + index.toString(16)).slice(-2));\n/**\n * Returns a unique id. The id starts with an \"e\" character and a randomly generated string of\n * 32 alphanumeric characters.\n *\n * **Note**: The characters the unique id is built from correspond to the hex number notation\n * (from \"0\" to \"9\", from \"a\" to \"f\"). In other words, each id corresponds to an \"e\" followed\n * by 16 8-bit numbers next to each other.\n *\n * @returns An unique id string.\n */\nfunction uid() {\n // Let's create some positive random 32bit integers first.\n //\n // 1. Math.random() is a float between 0 and 1.\n // 2. 0x100000000 is 2^32 = 4294967296.\n // 3. >>> 0 enforces integer (in JS all numbers are floating point).\n //\n // For instance:\n //\t\tMath.random() * 0x100000000 = 3366450031.853859\n // but\n //\t\tMath.random() * 0x100000000 >>> 0 = 3366450031.\n const r1 = Math.random() * 0x100000000 >>> 0;\n const r2 = Math.random() * 0x100000000 >>> 0;\n const r3 = Math.random() * 0x100000000 >>> 0;\n const r4 = Math.random() * 0x100000000 >>> 0;\n // Make sure that id does not start with number.\n return 'e' + HEX_NUMBERS[r1 >> 0 & 0xFF] + HEX_NUMBERS[r1 >> 8 & 0xFF] + HEX_NUMBERS[r1 >> 16 & 0xFF] + HEX_NUMBERS[r1 >> 24 & 0xFF] + HEX_NUMBERS[r2 >> 0 & 0xFF] + HEX_NUMBERS[r2 >> 8 & 0xFF] + HEX_NUMBERS[r2 >> 16 & 0xFF] + HEX_NUMBERS[r2 >> 24 & 0xFF] + HEX_NUMBERS[r3 >> 0 & 0xFF] + HEX_NUMBERS[r3 >> 8 & 0xFF] + HEX_NUMBERS[r3 >> 16 & 0xFF] + HEX_NUMBERS[r3 >> 24 & 0xFF] + HEX_NUMBERS[r4 >> 0 & 0xFF] + HEX_NUMBERS[r4 >> 8 & 0xFF] + HEX_NUMBERS[r4 >> 16 & 0xFF] + HEX_NUMBERS[r4 >> 24 & 0xFF];\n}\nconst ANGULAR_INTEGRATION_READ_ONLY_LOCK_ID = 'Lock from Angular integration (@ckeditor/ckeditor5-angular)';\nlet CKEditorComponent = /*#__PURE__*/(() => {\n class CKEditorComponent {\n constructor(elementRef, ngZone) {\n /**\n * The configuration of the editor.\n * See https://ckeditor.com/docs/ckeditor5/latest/api/module_core_editor_editorconfig-EditorConfig.html\n * to learn more.\n */\n this.config = {};\n /**\n * The initial data of the editor. Useful when not using the ngModel.\n * See https://angular.io/api/forms/NgModel to learn more.\n */\n this.data = '';\n /**\n * Tag name of the editor component.\n *\n * The default tag is 'div'.\n */\n this.tagName = 'div';\n /**\n * Allows disabling the two-way data binding mechanism. Disabling it can boost performance for large documents.\n *\n * When a component is connected using the [(ngModel)] or [formControl] directives and this value is set to true then none of the data\n * will ever be synchronized.\n *\n * An integrator must call `editor.data.get()` manually once the application needs the editor's data.\n * An editor instance can be received in the `ready()` callback.\n */\n this.disableTwoWayDataBinding = false;\n /**\n * Fires when the editor is ready. It corresponds with the `editor#ready`\n * https://ckeditor.com/docs/ckeditor5/latest/api/module_core_editor_editor-Editor.html#event-ready\n * event.\n */\n this.ready = new EventEmitter();\n /**\n * Fires when the content of the editor has changed. It corresponds with the `editor.model.document#change`\n * https://ckeditor.com/docs/ckeditor5/latest/api/module_engine_model_document-Document.html#event-change\n * event.\n */\n this.change = new EventEmitter();\n /**\n * Fires when the editing view of the editor is blurred. It corresponds with the `editor.editing.view.document#blur`\n * https://ckeditor.com/docs/ckeditor5/latest/api/module_engine_view_document-Document.html#event-event:blur\n * event.\n */\n this.blur = new EventEmitter();\n /**\n * Fires when the editing view of the editor is focused. It corresponds with the `editor.editing.view.document#focus`\n * https://ckeditor.com/docs/ckeditor5/latest/api/module_engine_view_document-Document.html#event-event:focus\n * event.\n */\n this.focus = new EventEmitter();\n /**\n * Fires when the editor component crashes.\n */\n this.error = new EventEmitter();\n /**\n * If the component is read–only before the editor instance is created, it remembers that state,\n * so the editor can become read–only once it is ready.\n */\n this.initiallyDisabled = false;\n /**\n * A lock flag preventing from calling the `cvaOnChange()` during setting editor data.\n */\n this.isEditorSettingData = false;\n this.id = uid();\n this.ngZone = ngZone;\n this.elementRef = elementRef;\n // To avoid issues with the community typings and CKEditor 5, let's treat window as any. See #342.\n const {\n CKEDITOR_VERSION\n } = window;\n if (CKEDITOR_VERSION) {\n const [major] = CKEDITOR_VERSION.split('.').map(Number);\n if (major < 37) {\n console.warn('The component requires using CKEditor 5 in version 37 or higher.');\n }\n } else {\n console.warn('Cannot find the \"CKEDITOR_VERSION\" in the \"window\" scope.');\n }\n }\n /**\n * When set `true`, the editor becomes read-only.\n * See https://ckeditor.com/docs/ckeditor5/latest/api/module_core_editor_editor-Editor.html#member-isReadOnly\n * to learn more.\n */\n set disabled(isDisabled) {\n this.setDisabledState(isDisabled);\n }\n get disabled() {\n if (this.editorInstance) {\n return this.editorInstance.isReadOnly;\n }\n return this.initiallyDisabled;\n }\n /**\n * The instance of the editor created by this component.\n */\n get editorInstance() {\n let editorWatchdog = this.editorWatchdog;\n if (this.watchdog) {\n // Temporarily use the `_watchdogs` internal map as the `getItem()` method throws\n // an error when the item is not registered yet.\n // See https://github.com/ckeditor/ckeditor5-angular/issues/177.\n // TODO should be able to change when new chages in Watcdog are released.\n editorWatchdog = this.watchdog._watchdogs.get(this.id);\n }\n if (editorWatchdog) {\n return editorWatchdog.editor;\n }\n return null;\n }\n getId() {\n return this.id;\n }\n // Implementing the OnChanges interface. Whenever the `data` property is changed, update the editor content.\n ngOnChanges(changes) {\n if (Object.prototype.hasOwnProperty.call(changes, 'data') && changes.data && !changes.data.isFirstChange()) {\n this.writeValue(changes.data.currentValue);\n }\n }\n // Implementing the AfterViewInit interface.\n ngAfterViewInit() {\n this.attachToWatchdog();\n }\n // Implementing the OnDestroy interface.\n async ngOnDestroy() {\n if (this.watchdog) {\n await this.watchdog.remove(this.id);\n } else if (this.editorWatchdog && this.editorWatchdog.editor) {\n await this.editorWatchdog.destroy();\n this.editorWatchdog = undefined;\n }\n }\n // Implementing the ControlValueAccessor interface (only when binding to ngModel).\n writeValue(value) {\n // This method is called with the `null` value when the form resets.\n // A component's responsibility is to restore to the initial state.\n if (value === null) {\n value = '';\n }\n // If already initialized.\n if (this.editorInstance) {\n // The lock mechanism prevents from calling `cvaOnChange()` during changing\n // the editor state. See #139\n this.isEditorSettingData = true;\n this.editorInstance.data.set(value);\n this.isEditorSettingData = false;\n }\n // If not, wait for it to be ready; store the data.\n else {\n // If the editor element is already available, then update its content.\n this.data = value;\n // If not, then wait until it is ready\n // and change data only for the first `ready` event.\n this.ready.pipe(first()).subscribe(editor => {\n editor.data.set(this.data);\n });\n }\n }\n // Implementing the ControlValueAccessor interface (only when binding to ngModel).\n registerOnChange(callback) {\n this.cvaOnChange = callback;\n }\n // Implementing the ControlValueAccessor interface (only when binding to ngModel).\n registerOnTouched(callback) {\n this.cvaOnTouched = callback;\n }\n // Implementing the ControlValueAccessor interface (only when binding to ngModel).\n setDisabledState(isDisabled) {\n // If already initialized.\n if (this.editorInstance) {\n if (isDisabled) {\n this.editorInstance.enableReadOnlyMode(ANGULAR_INTEGRATION_READ_ONLY_LOCK_ID);\n } else {\n this.editorInstance.disableReadOnlyMode(ANGULAR_INTEGRATION_READ_ONLY_LOCK_ID);\n }\n }\n // Store the state anyway to use it once the editor is created.\n this.initiallyDisabled = isDisabled;\n }\n /**\n * Creates the editor instance, sets initial editor data, then integrates\n * the editor with the Angular component. This method does not use the `editor.data.set()`\n * because of the issue in the collaboration mode (#6).\n */\n attachToWatchdog() {\n // TODO: elementOrData parameter type can be simplified to HTMLElemen after templated Watchdog will be released.\n const creator = (elementOrData, config) => {\n return this.ngZone.runOutsideAngular(async () => {\n this.elementRef.nativeElement.appendChild(elementOrData);\n const editor = await this.editor.create(elementOrData, config);\n if (this.initiallyDisabled) {\n editor.enableReadOnlyMode(ANGULAR_INTEGRATION_READ_ONLY_LOCK_ID);\n }\n this.ngZone.run(() => {\n this.ready.emit(editor);\n });\n this.setUpEditorEvents(editor);\n return editor;\n });\n };\n const destructor = async editor => {\n await editor.destroy();\n this.elementRef.nativeElement.removeChild(this.editorElement);\n };\n const emitError = e => {\n // Do not run change detection by re-entering the Angular zone if the `error`\n // emitter doesn't have any subscribers.\n // Subscribers are pushed onto the list whenever `error` is listened inside the template:\n // ``.\n if (hasObservers(this.error)) {\n this.ngZone.run(() => this.error.emit(e));\n }\n };\n const element = document.createElement(this.tagName);\n const config = this.getConfig();\n this.editorElement = element;\n // Based on the presence of the watchdog decide how to initialize the editor.\n if (this.watchdog) {\n // When the context watchdog is passed add the new item to it based on the passed configuration.\n this.watchdog.add({\n id: this.id,\n type: 'editor',\n creator,\n destructor,\n sourceElementOrData: element,\n config\n }).catch(e => {\n emitError(e);\n });\n this.watchdog.on('itemError', (_, {\n itemId\n }) => {\n if (itemId === this.id) {\n emitError();\n }\n });\n } else {\n // In the other case create the watchdog by hand to keep the editor running.\n const editorWatchdog = new EditorWatchdog(this.editor, this.editorWatchdogConfig);\n editorWatchdog.setCreator(creator);\n editorWatchdog.setDestructor(destructor);\n editorWatchdog.on('error', emitError);\n this.editorWatchdog = editorWatchdog;\n this.ngZone.runOutsideAngular(() => {\n // Note: must be called outside of the Angular zone too because `create` is calling\n // `_startErrorHandling` within a microtask which sets up `error` listener on the window.\n editorWatchdog.create(element, config).catch(e => {\n emitError(e);\n });\n });\n }\n }\n getConfig() {\n if (this.data && this.config.initialData) {\n throw new Error('Editor data should be provided either using `config.initialData` or `data` properties.');\n }\n const config = {\n ...this.config\n };\n // Merge two possible ways of providing data into the `config.initialData` field.\n const initialData = this.config.initialData || this.data;\n if (initialData) {\n // Define the `config.initialData` only when the initial content is specified.\n config.initialData = initialData;\n }\n return config;\n }\n /**\n * Integrates the editor with the component by attaching related event listeners.\n */\n setUpEditorEvents(editor) {\n const modelDocument = editor.model.document;\n const viewDocument = editor.editing.view.document;\n modelDocument.on('change:data', evt => {\n this.ngZone.run(() => {\n if (this.disableTwoWayDataBinding) {\n return;\n }\n if (this.cvaOnChange && !this.isEditorSettingData) {\n const data = editor.data.get();\n this.cvaOnChange(data);\n }\n this.change.emit({\n event: evt,\n editor\n });\n });\n });\n viewDocument.on('focus', evt => {\n this.ngZone.run(() => {\n this.focus.emit({\n event: evt,\n editor\n });\n });\n });\n viewDocument.on('blur', evt => {\n this.ngZone.run(() => {\n if (this.cvaOnTouched) {\n this.cvaOnTouched();\n }\n this.blur.emit({\n event: evt,\n editor\n });\n });\n });\n }\n }\n CKEditorComponent.ɵfac = function CKEditorComponent_Factory(t) {\n return new (t || CKEditorComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.NgZone));\n };\n CKEditorComponent.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: CKEditorComponent,\n selectors: [[\"ckeditor\"]],\n inputs: {\n editor: \"editor\",\n config: \"config\",\n data: \"data\",\n tagName: \"tagName\",\n watchdog: \"watchdog\",\n editorWatchdogConfig: \"editorWatchdogConfig\",\n disableTwoWayDataBinding: \"disableTwoWayDataBinding\",\n disabled: \"disabled\"\n },\n outputs: {\n ready: \"ready\",\n change: \"change\",\n blur: \"blur\",\n focus: \"focus\",\n error: \"error\"\n },\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALUE_ACCESSOR,\n // eslint-disable-next-line @typescript-eslint/no-use-before-define\n useExisting: forwardRef(() => CKEditorComponent),\n multi: true\n }]), i0.ɵɵNgOnChangesFeature],\n decls: 1,\n vars: 0,\n template: function CKEditorComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, CKEditorComponent_ng_template_0_Template, 0, 0, \"ng-template\");\n }\n },\n encapsulation: 2\n });\n return CKEditorComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nfunction hasObservers(emitter) {\n // Cast to `any` because `observed` property is available in RxJS >= 7.2.0.\n // Fallback to checking `observers` list if this property is not defined.\n return emitter.observed || emitter.observers.length > 0;\n}\n\n/**\n * @license Copyright (c) 2003-2023, CKSource Holding sp. z o.o. All rights reserved.\n * For licensing, see LICENSE.md.\n */\nlet CKEditorModule = /*#__PURE__*/(() => {\n class CKEditorModule {}\n CKEditorModule.ɵfac = function CKEditorModule_Factory(t) {\n return new (t || CKEditorModule)();\n };\n CKEditorModule.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: CKEditorModule\n });\n CKEditorModule.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({\n imports: [[FormsModule, CommonModule]]\n });\n return CKEditorModule;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @license Copyright (c) 2003-2023, CKSource Holding sp. z o.o. All rights reserved.\n * For licensing, see LICENSE.md.\n */\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { CKEditorComponent, CKEditorModule };\n","import { Injectable } from '@angular/core';\nimport { UserService } from './shared/user.service';\n\n@Injectable({\n providedIn: 'root'\n})\nexport class RouteBypassService {\n constructor(private userService: UserService) {}\n shouldByPass() {\n const isLoggedIn = this.userService.isLoggedIn();\n if (!isLoggedIn) {\n return true;\n }\n return false;\n }\n}\n","import { Observable } from 'rxjs';\nimport { Injectable } from '@angular/core';\nimport { ActivatedRouteSnapshot, RouterStateSnapshot } from '@angular/router';\nimport { RouteBypassService } from '../services/route-bypass.service';\n\nexport interface ComponentCanDeactivate {\n canDeactivate: () => Observable | Promise | boolean;\n}\n\n// https://www.concretepage.com/angular-2/angular-candeactivate-guard-example\n// https://stackoverflow.com/questions/35922071/warn-user-of-unsaved-changes-before-leaving-page\n\n@Injectable()\nexport class PendingChangesGuard {\n constructor(private routeBypassService: RouteBypassService) {}\n canDeactivate(component: ComponentCanDeactivate, route: ActivatedRouteSnapshot, state: RouterStateSnapshot, nextState?: RouterStateSnapshot) {\n if (this.routeBypassService.shouldByPass()) {\n return true;\n }\n return component.canDeactivate ? component.canDeactivate() : true;\n }\n}\n"],"mappings":"yHAQA,IAAMA,EAAc,OAAO,aAAa,ECOxC,IAAMC,GAAc,IAAI,MAAM,GAAG,EAAE,KAAK,CAAC,EAAE,IAAI,CAACC,EAAKC,KAAW,IAAMA,EAAM,SAAS,EAAE,GAAG,MAAM,EAAE,CAAC,EA4YnG,IAAIC,IAA+B,IAAM,CACvC,MAAMA,CAAe,CAAC,CACtB,OAAAA,EAAe,UAAO,SAAgCC,EAAG,CACvD,OAAO,IAAKA,GAAKD,EACnB,EACAA,EAAe,UAAyBE,EAAiB,CACvD,KAAMF,CACR,CAAC,EACDA,EAAe,UAAyBG,EAAiB,CACvD,QAAS,CAAC,CAACC,EAAaC,CAAY,CAAC,CACvC,CAAC,EACML,CACT,GAAG,ECjaH,IAAaM,GAAkB,IAAA,CAAzB,IAAOA,EAAP,MAAOA,CAAkB,CAC7BC,YAAoBC,EAAwB,CAAxB,KAAAA,YAAAA,CAA2B,CAC/CC,cAAY,CAEV,MADmB,MAAKD,YAAYE,WAAU,CAKhD,yCARWJ,GAAkBK,EAAAC,CAAA,CAAA,CAAA,wBAAlBN,EAAkBO,QAAlBP,EAAkBQ,UAAAC,WAFjB,MAAM,CAAA,EAEd,IAAOT,EAAPU,SAAOV,CAAkB,GAAA,ECO/B,IAAaW,IAAmB,IAAA,CAA1B,IAAOA,EAAP,MAAOA,CAAmB,CAC9BC,YAAoBC,EAAsC,CAAtC,KAAAA,mBAAAA,CAAyC,CAC7DC,cAAcC,EAAmCC,EAA+BC,EAA4BC,EAA+B,CACzI,OAAI,KAAKL,mBAAmBM,aAAY,EAC/B,GAEFJ,EAAUD,cAAgBC,EAAUD,cAAa,EAAK,EAC/D,yCAPWH,GAAmBS,EAAAC,CAAA,CAAA,CAAA,wBAAnBV,EAAmBW,QAAnBX,EAAmBY,SAAA,CAAA,EAA1B,IAAOZ,EAAPa,SAAOb,CAAmB,GAAA","names":["mainQueueId","HEX_NUMBERS","val","index","CKEditorModule","t","ɵɵdefineNgModule","ɵɵdefineInjector","FormsModule","CommonModule","RouteBypassService","constructor","userService","shouldByPass","isLoggedIn","ɵɵinject","UserService","factory","ɵfac","providedIn","_RouteBypassService","PendingChangesGuard","constructor","routeBypassService","canDeactivate","component","route","state","nextState","shouldByPass","ɵɵinject","RouteBypassService","factory","ɵfac","_PendingChangesGuard"],"x_google_ignoreList":[0,1]}