{"version":3,"sources":["node_modules/@ngrx/effects/fesm2022/ngrx-effects.mjs","node_modules/@ngrx/router-store/fesm2022/ngrx-router-store.mjs","projects/insight/src/app/state/actions/navtree.actions.ts","projects/insight/src/app/state/effects/company-context.effects.ts","projects/insight/src/app/state/effects/navtree.effects.ts","projects/insight/src/app/state/actions/configuration.actions.ts","projects/insight/src/app/state/effects/configuration.effects.ts","projects/insight/src/app/state/reducers/followup-wizard.reducer.ts","projects/insight/src/app/state/effects/followup-wizard.effects.ts","projects/insight/src/app/state/effects/navigation.effects.ts","projects/insight/src/app/state/effects/product-wizard.effects.ts","projects/insight/src/app/state/effects/report.effects.ts","projects/insight/src/app/state/effects/survey-ui.effects.ts","projects/insight/src/app/state/effects/survey-wizard.effects.ts","projects/insight/src/app/state/effects/user-info.effects.ts","projects/insight/src/app/state/effects/user-state.effects.ts"],"sourcesContent":["import * as operators from '@ngrx/operators';\nimport * as i1 from 'rxjs';\nimport { merge, Observable, Subject, defer } from 'rxjs';\nimport { ignoreElements, materialize, map, catchError, filter, groupBy, mergeMap, exhaustMap, dematerialize, take, concatMap, finalize } from 'rxjs/operators';\nimport * as i0 from '@angular/core';\nimport { InjectionToken, Injectable, Inject, NgModule, Optional, inject, makeEnvironmentProviders, ENVIRONMENT_INITIALIZER } from '@angular/core';\nimport * as i3 from '@ngrx/store';\nimport { ScannedActionsSubject, createAction, ROOT_STORE_PROVIDER, FEATURE_STATE_PROVIDER, Store } from '@ngrx/store';\nconst DEFAULT_EFFECT_CONFIG = {\n dispatch: true,\n functional: false,\n useEffectsErrorHandler: true\n};\nconst CREATE_EFFECT_METADATA_KEY = '__@ngrx/effects_create__';\n\n/**\n * @description\n *\n * Creates an effect from a source and an `EffectConfig`.\n *\n * @param source A function which returns an observable or observable factory.\n * @param config A `EffectConfig` to configure the effect. By default,\n * `dispatch` is true, `functional` is false, and `useEffectsErrorHandler` is\n * true.\n * @returns If `EffectConfig`#`functional` is true, returns the source function.\n * Else, returns the source function result. When `EffectConfig`#`dispatch` is\n * true, the source function result needs to be `Observable`.\n *\n * @usageNotes\n *\n * ### Class Effects\n *\n * ```ts\n * @Injectable()\n * export class FeatureEffects {\n * // mapping to a different action\n * readonly effect1$ = createEffect(\n * () => this.actions$.pipe(\n * ofType(FeatureActions.actionOne),\n * map(() => FeatureActions.actionTwo())\n * )\n * );\n *\n * // non-dispatching effect\n * readonly effect2$ = createEffect(\n * () => this.actions$.pipe(\n * ofType(FeatureActions.actionTwo),\n * tap(() => console.log('Action Two Dispatched'))\n * ),\n * { dispatch: false } // FeatureActions.actionTwo is not dispatched\n * );\n *\n * constructor(private readonly actions$: Actions) {}\n * }\n * ```\n *\n * ### Functional Effects\n *\n * ```ts\n * // mapping to a different action\n * export const loadUsers = createEffect(\n * (actions$ = inject(Actions), usersService = inject(UsersService)) => {\n * return actions$.pipe(\n * ofType(UsersPageActions.opened),\n * exhaustMap(() => {\n * return usersService.getAll().pipe(\n * map((users) => UsersApiActions.usersLoadedSuccess({ users })),\n * catchError((error) =>\n * of(UsersApiActions.usersLoadedFailure({ error }))\n * )\n * );\n * })\n * );\n * },\n * { functional: true }\n * );\n *\n * // non-dispatching functional effect\n * export const logDispatchedActions = createEffect(\n * () => inject(Actions).pipe(tap(console.log)),\n * { functional: true, dispatch: false }\n * );\n * ```\n */\nfunction createEffect(source, config = {}) {\n const effect = config.functional ? source : source();\n const value = {\n ...DEFAULT_EFFECT_CONFIG,\n ...config // Overrides any defaults if values are provided\n };\n Object.defineProperty(effect, CREATE_EFFECT_METADATA_KEY, {\n value\n });\n return effect;\n}\nfunction getCreateEffectMetadata(instance) {\n const propertyNames = Object.getOwnPropertyNames(instance);\n const metadata = propertyNames.filter(propertyName => {\n if (instance[propertyName] && instance[propertyName].hasOwnProperty(CREATE_EFFECT_METADATA_KEY)) {\n // If the property type has overridden `hasOwnProperty` we need to ensure\n // that the metadata is valid (containing a `dispatch` property)\n // https://github.com/ngrx/platform/issues/2975\n const property = instance[propertyName];\n return property[CREATE_EFFECT_METADATA_KEY].hasOwnProperty('dispatch');\n }\n return false;\n }).map(propertyName => {\n const metaData = instance[propertyName][CREATE_EFFECT_METADATA_KEY];\n return {\n propertyName,\n ...metaData\n };\n });\n return metadata;\n}\nfunction getEffectsMetadata(instance) {\n return getSourceMetadata(instance).reduce((acc, {\n propertyName,\n dispatch,\n useEffectsErrorHandler\n }) => {\n acc[propertyName] = {\n dispatch,\n useEffectsErrorHandler\n };\n return acc;\n }, {});\n}\nfunction getSourceMetadata(instance) {\n return getCreateEffectMetadata(instance);\n}\nfunction getSourceForInstance(instance) {\n return Object.getPrototypeOf(instance);\n}\nfunction isClassInstance(obj) {\n return !!obj.constructor && obj.constructor.name !== 'Object' && obj.constructor.name !== 'Function';\n}\nfunction isClass(classOrRecord) {\n return typeof classOrRecord === 'function';\n}\nfunction getClasses(classesAndRecords) {\n return classesAndRecords.filter(isClass);\n}\nfunction isToken(tokenOrRecord) {\n return tokenOrRecord instanceof InjectionToken || isClass(tokenOrRecord);\n}\nfunction mergeEffects(sourceInstance, globalErrorHandler, effectsErrorHandler) {\n const source = getSourceForInstance(sourceInstance);\n const isClassBasedEffect = !!source && source.constructor.name !== 'Object';\n const sourceName = isClassBasedEffect ? source.constructor.name : null;\n const observables$ = getSourceMetadata(sourceInstance).map(({\n propertyName,\n dispatch,\n useEffectsErrorHandler\n }) => {\n const observable$ = typeof sourceInstance[propertyName] === 'function' ? sourceInstance[propertyName]() : sourceInstance[propertyName];\n const effectAction$ = useEffectsErrorHandler ? effectsErrorHandler(observable$, globalErrorHandler) : observable$;\n if (dispatch === false) {\n return effectAction$.pipe(ignoreElements());\n }\n const materialized$ = effectAction$.pipe(materialize());\n return materialized$.pipe(map(notification => ({\n effect: sourceInstance[propertyName],\n notification,\n propertyName,\n sourceName,\n sourceInstance\n })));\n });\n return merge(...observables$);\n}\nconst MAX_NUMBER_OF_RETRY_ATTEMPTS = 10;\nfunction defaultEffectsErrorHandler(observable$, errorHandler, retryAttemptLeft = MAX_NUMBER_OF_RETRY_ATTEMPTS) {\n return observable$.pipe(catchError(error => {\n if (errorHandler) errorHandler.handleError(error);\n if (retryAttemptLeft <= 1) {\n return observable$; // last attempt\n }\n // Return observable that produces this particular effect\n return defaultEffectsErrorHandler(observable$, errorHandler, retryAttemptLeft - 1);\n }));\n}\nlet Actions = /*#__PURE__*/(() => {\n class Actions extends Observable {\n constructor(source) {\n super();\n if (source) {\n this.source = source;\n }\n }\n lift(operator) {\n const observable = new Actions();\n observable.source = this;\n observable.operator = operator;\n return observable;\n }\n /** @nocollapse */\n static {\n this.ɵfac = function Actions_Factory(t) {\n return new (t || Actions)(i0.ɵɵinject(ScannedActionsSubject));\n };\n }\n /** @nocollapse */\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: Actions,\n factory: Actions.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return Actions;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * `ofType` filters an Observable of `Actions` into an Observable of the actions\n * whose type strings are passed to it.\n *\n * For example, if `actions` has type `Actions`, and\n * the type of the `Addition` action is `add`, then\n * `actions.pipe(ofType('add'))` returns an `Observable`.\n *\n * Properly typing this function is hard and requires some advanced TS tricks\n * below.\n *\n * Type narrowing automatically works, as long as your `actions` object\n * starts with a `Actions` instead of generic `Actions`.\n *\n * For backwards compatibility, when one passes a single type argument\n * `ofType('something')` the result is an `Observable`. Note, that `T`\n * completely overrides any possible inference from 'something'.\n *\n * Unfortunately, for unknown 'actions: Actions' these types will produce\n * 'Observable'. In such cases one has to manually set the generic type\n * like `actions.ofType('add')`.\n *\n * @usageNotes\n *\n * Filter the Actions stream on the \"customers page loaded\" action\n *\n * ```ts\n * import { ofType } from '@ngrx/effects';\n * import * fromCustomers from '../customers';\n *\n * this.actions$.pipe(\n * ofType(fromCustomers.pageLoaded)\n * )\n * ```\n */\nfunction ofType(...allowedTypes) {\n return filter(action => allowedTypes.some(typeOrActionCreator => {\n if (typeof typeOrActionCreator === 'string') {\n // Comparing the string to type\n return typeOrActionCreator === action.type;\n }\n // We are filtering by ActionCreator\n return typeOrActionCreator.type === action.type;\n }));\n}\nconst _ROOT_EFFECTS_GUARD = new InjectionToken('@ngrx/effects Internal Root Guard');\nconst USER_PROVIDED_EFFECTS = new InjectionToken('@ngrx/effects User Provided Effects');\nconst _ROOT_EFFECTS = new InjectionToken('@ngrx/effects Internal Root Effects');\nconst _ROOT_EFFECTS_INSTANCES = new InjectionToken('@ngrx/effects Internal Root Effects Instances');\nconst _FEATURE_EFFECTS = new InjectionToken('@ngrx/effects Internal Feature Effects');\nconst _FEATURE_EFFECTS_INSTANCE_GROUPS = new InjectionToken('@ngrx/effects Internal Feature Effects Instance Groups');\nconst EFFECTS_ERROR_HANDLER = new InjectionToken('@ngrx/effects Effects Error Handler', {\n providedIn: 'root',\n factory: () => defaultEffectsErrorHandler\n});\nconst ROOT_EFFECTS_INIT = '@ngrx/effects/init';\nconst rootEffectsInit = createAction(ROOT_EFFECTS_INIT);\nfunction reportInvalidActions(output, reporter) {\n if (output.notification.kind === 'N') {\n const action = output.notification.value;\n const isInvalidAction = !isAction(action);\n if (isInvalidAction) {\n reporter.handleError(new Error(`Effect ${getEffectName(output)} dispatched an invalid action: ${stringify(action)}`));\n }\n }\n}\nfunction isAction(action) {\n return typeof action !== 'function' && action && action.type && typeof action.type === 'string';\n}\nfunction getEffectName({\n propertyName,\n sourceInstance,\n sourceName\n}) {\n const isMethod = typeof sourceInstance[propertyName] === 'function';\n const isClassBasedEffect = !!sourceName;\n return isClassBasedEffect ? `\"${sourceName}.${String(propertyName)}${isMethod ? '()' : ''}\"` : `\"${String(propertyName)}()\"`;\n}\nfunction stringify(action) {\n try {\n return JSON.stringify(action);\n } catch {\n return action;\n }\n}\nconst onIdentifyEffectsKey = 'ngrxOnIdentifyEffects';\nfunction isOnIdentifyEffects(instance) {\n return isFunction(instance, onIdentifyEffectsKey);\n}\nconst onRunEffectsKey = 'ngrxOnRunEffects';\nfunction isOnRunEffects(instance) {\n return isFunction(instance, onRunEffectsKey);\n}\nconst onInitEffects = 'ngrxOnInitEffects';\nfunction isOnInitEffects(instance) {\n return isFunction(instance, onInitEffects);\n}\nfunction isFunction(instance, functionName) {\n return instance && functionName in instance && typeof instance[functionName] === 'function';\n}\nlet EffectSources = /*#__PURE__*/(() => {\n class EffectSources extends Subject {\n constructor(errorHandler, effectsErrorHandler) {\n super();\n this.errorHandler = errorHandler;\n this.effectsErrorHandler = effectsErrorHandler;\n }\n addEffects(effectSourceInstance) {\n this.next(effectSourceInstance);\n }\n /**\n * @internal\n */\n toActions() {\n return this.pipe(groupBy(effectsInstance => isClassInstance(effectsInstance) ? getSourceForInstance(effectsInstance) : effectsInstance), mergeMap(source$ => {\n return source$.pipe(groupBy(effectsInstance));\n }), mergeMap(source$ => {\n const effect$ = source$.pipe(exhaustMap(sourceInstance => {\n return resolveEffectSource(this.errorHandler, this.effectsErrorHandler)(sourceInstance);\n }), map(output => {\n reportInvalidActions(output, this.errorHandler);\n return output.notification;\n }), filter(notification => notification.kind === 'N' && notification.value != null), dematerialize());\n // start the stream with an INIT action\n // do this only for the first Effect instance\n const init$ = source$.pipe(take(1), filter(isOnInitEffects), map(instance => instance.ngrxOnInitEffects()));\n return merge(effect$, init$);\n }));\n }\n /** @nocollapse */\n static {\n this.ɵfac = function EffectSources_Factory(t) {\n return new (t || EffectSources)(i0.ɵɵinject(i0.ErrorHandler), i0.ɵɵinject(EFFECTS_ERROR_HANDLER));\n };\n }\n /** @nocollapse */\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: EffectSources,\n factory: EffectSources.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return EffectSources;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nfunction effectsInstance(sourceInstance) {\n if (isOnIdentifyEffects(sourceInstance)) {\n return sourceInstance.ngrxOnIdentifyEffects();\n }\n return '';\n}\nfunction resolveEffectSource(errorHandler, effectsErrorHandler) {\n return sourceInstance => {\n const mergedEffects$ = mergeEffects(sourceInstance, errorHandler, effectsErrorHandler);\n if (isOnRunEffects(sourceInstance)) {\n return sourceInstance.ngrxOnRunEffects(mergedEffects$);\n }\n return mergedEffects$;\n };\n}\nlet EffectsRunner = /*#__PURE__*/(() => {\n class EffectsRunner {\n get isStarted() {\n return !!this.effectsSubscription;\n }\n constructor(effectSources, store) {\n this.effectSources = effectSources;\n this.store = store;\n this.effectsSubscription = null;\n }\n start() {\n if (!this.effectsSubscription) {\n this.effectsSubscription = this.effectSources.toActions().subscribe(this.store);\n }\n }\n ngOnDestroy() {\n if (this.effectsSubscription) {\n this.effectsSubscription.unsubscribe();\n this.effectsSubscription = null;\n }\n }\n /** @nocollapse */\n static {\n this.ɵfac = function EffectsRunner_Factory(t) {\n return new (t || EffectsRunner)(i0.ɵɵinject(EffectSources), i0.ɵɵinject(i3.Store));\n };\n }\n /** @nocollapse */\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: EffectsRunner,\n factory: EffectsRunner.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return EffectsRunner;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet EffectsRootModule = /*#__PURE__*/(() => {\n class EffectsRootModule {\n constructor(sources, runner, store, rootEffectsInstances, storeRootModule, storeFeatureModule, guard) {\n this.sources = sources;\n runner.start();\n for (const effectsInstance of rootEffectsInstances) {\n sources.addEffects(effectsInstance);\n }\n store.dispatch({\n type: ROOT_EFFECTS_INIT\n });\n }\n addEffects(effectsInstance) {\n this.sources.addEffects(effectsInstance);\n }\n /** @nocollapse */\n static {\n this.ɵfac = function EffectsRootModule_Factory(t) {\n return new (t || EffectsRootModule)(i0.ɵɵinject(EffectSources), i0.ɵɵinject(EffectsRunner), i0.ɵɵinject(i3.Store), i0.ɵɵinject(_ROOT_EFFECTS_INSTANCES), i0.ɵɵinject(i3.StoreRootModule, 8), i0.ɵɵinject(i3.StoreFeatureModule, 8), i0.ɵɵinject(_ROOT_EFFECTS_GUARD, 8));\n };\n }\n /** @nocollapse */\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: EffectsRootModule\n });\n }\n /** @nocollapse */\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({});\n }\n }\n return EffectsRootModule;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet EffectsFeatureModule = /*#__PURE__*/(() => {\n class EffectsFeatureModule {\n constructor(effectsRootModule, effectsInstanceGroups, storeRootModule, storeFeatureModule) {\n const effectsInstances = effectsInstanceGroups.flat();\n for (const effectsInstance of effectsInstances) {\n effectsRootModule.addEffects(effectsInstance);\n }\n }\n /** @nocollapse */\n static {\n this.ɵfac = function EffectsFeatureModule_Factory(t) {\n return new (t || EffectsFeatureModule)(i0.ɵɵinject(EffectsRootModule), i0.ɵɵinject(_FEATURE_EFFECTS_INSTANCE_GROUPS), i0.ɵɵinject(i3.StoreRootModule, 8), i0.ɵɵinject(i3.StoreFeatureModule, 8));\n };\n }\n /** @nocollapse */\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: EffectsFeatureModule\n });\n }\n /** @nocollapse */\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({});\n }\n }\n return EffectsFeatureModule;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet EffectsModule = /*#__PURE__*/(() => {\n class EffectsModule {\n static forFeature(...featureEffects) {\n const effects = featureEffects.flat();\n const effectsClasses = getClasses(effects);\n return {\n ngModule: EffectsFeatureModule,\n providers: [effectsClasses, {\n provide: _FEATURE_EFFECTS,\n multi: true,\n useValue: effects\n }, {\n provide: USER_PROVIDED_EFFECTS,\n multi: true,\n useValue: []\n }, {\n provide: _FEATURE_EFFECTS_INSTANCE_GROUPS,\n multi: true,\n useFactory: createEffectsInstances,\n deps: [_FEATURE_EFFECTS, USER_PROVIDED_EFFECTS]\n }]\n };\n }\n static forRoot(...rootEffects) {\n const effects = rootEffects.flat();\n const effectsClasses = getClasses(effects);\n return {\n ngModule: EffectsRootModule,\n providers: [effectsClasses, {\n provide: _ROOT_EFFECTS,\n useValue: [effects]\n }, {\n provide: _ROOT_EFFECTS_GUARD,\n useFactory: _provideForRootGuard\n }, {\n provide: USER_PROVIDED_EFFECTS,\n multi: true,\n useValue: []\n }, {\n provide: _ROOT_EFFECTS_INSTANCES,\n useFactory: createEffectsInstances,\n deps: [_ROOT_EFFECTS, USER_PROVIDED_EFFECTS]\n }]\n };\n }\n /** @nocollapse */\n static {\n this.ɵfac = function EffectsModule_Factory(t) {\n return new (t || EffectsModule)();\n };\n }\n /** @nocollapse */\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: EffectsModule\n });\n }\n /** @nocollapse */\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({});\n }\n }\n return EffectsModule;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nfunction createEffectsInstances(effectsGroups, userProvidedEffectsGroups) {\n const effects = [];\n for (const effectsGroup of effectsGroups) {\n effects.push(...effectsGroup);\n }\n for (const userProvidedEffectsGroup of userProvidedEffectsGroups) {\n effects.push(...userProvidedEffectsGroup);\n }\n return effects.map(effectsTokenOrRecord => isToken(effectsTokenOrRecord) ? inject(effectsTokenOrRecord) : effectsTokenOrRecord);\n}\nfunction _provideForRootGuard() {\n const runner = inject(EffectsRunner, {\n optional: true,\n skipSelf: true\n });\n const rootEffects = inject(_ROOT_EFFECTS, {\n self: true\n });\n // check whether any effects are actually passed\n const hasEffects = !(rootEffects.length === 1 && rootEffects[0].length === 0);\n if (hasEffects && runner) {\n throw new TypeError(`EffectsModule.forRoot() called twice. Feature modules should use EffectsModule.forFeature() instead.`);\n }\n return 'guarded';\n}\n\n/**\n * Wraps project fn with error handling making it safe to use in Effects.\n * Takes either a config with named properties that represent different possible\n * callbacks or project/error callbacks that are required.\n */\nfunction act( /** Allow to take either config object or project/error functions */\nconfigOrProject, errorFn) {\n const {\n project,\n error,\n complete,\n operator,\n unsubscribe\n } = typeof configOrProject === 'function' ? {\n project: configOrProject,\n // eslint-disable-next-line @typescript-eslint/no-non-null-assertion\n error: errorFn,\n operator: concatMap,\n complete: undefined,\n unsubscribe: undefined\n } : {\n ...configOrProject,\n operator: configOrProject.operator || concatMap\n };\n return source => defer(() => {\n const subject = new Subject();\n return merge(source.pipe(operator((input, index) => defer(() => {\n let completed = false;\n let errored = false;\n let projectedCount = 0;\n return project(input, index).pipe(materialize(), map(notification => {\n switch (notification.kind) {\n case 'E':\n errored = true;\n return {\n kind: 'N',\n value: error(notification.error, input)\n };\n case 'C':\n completed = true;\n return complete ? {\n kind: 'N',\n value: complete(projectedCount, input)\n } : undefined;\n default:\n ++projectedCount;\n return notification;\n }\n }), filter(n => n != null), dematerialize(), finalize(() => {\n if (!completed && !errored && unsubscribe) {\n subject.next(unsubscribe(projectedCount, input));\n }\n }));\n }))), subject);\n });\n}\n\n/**\n * @usageNotes\n *\n * ### Providing effects at the root level\n *\n * ```ts\n * bootstrapApplication(AppComponent, {\n * providers: [provideEffects(RouterEffects)],\n * });\n * ```\n *\n * ### Providing effects at the feature level\n *\n * ```ts\n * const booksRoutes: Route[] = [\n * {\n * path: '',\n * providers: [provideEffects(BooksApiEffects)],\n * children: [\n * { path: '', component: BookListComponent },\n * { path: ':id', component: BookDetailsComponent },\n * ],\n * },\n * ];\n * ```\n */\nfunction provideEffects(...effects) {\n const effectsClassesAndRecords = effects.flat();\n const effectsClasses = getClasses(effectsClassesAndRecords);\n return makeEnvironmentProviders([effectsClasses, {\n provide: ENVIRONMENT_INITIALIZER,\n multi: true,\n useValue: () => {\n inject(ROOT_STORE_PROVIDER);\n inject(FEATURE_STATE_PROVIDER, {\n optional: true\n });\n const effectsRunner = inject(EffectsRunner);\n const effectSources = inject(EffectSources);\n const shouldInitEffects = !effectsRunner.isStarted;\n if (shouldInitEffects) {\n effectsRunner.start();\n }\n for (const effectsClassOrRecord of effectsClassesAndRecords) {\n const effectsInstance = isClass(effectsClassOrRecord) ? inject(effectsClassOrRecord) : effectsClassOrRecord;\n effectSources.addEffects(effectsInstance);\n }\n if (shouldInitEffects) {\n const store = inject(Store);\n store.dispatch(rootEffectsInit());\n }\n }\n }]);\n}\n\n/**\n * @deprecated Use `concatLatestFrom` from `@ngrx/operators` instead.\n */\nconst concatLatestFrom = operators.concatLatestFrom;\n\n/**\n * DO NOT EDIT\n *\n * This file is automatically generated at build\n */\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { Actions, EFFECTS_ERROR_HANDLER, EffectSources, EffectsFeatureModule, EffectsModule, EffectsRootModule, EffectsRunner, ROOT_EFFECTS_INIT, USER_PROVIDED_EFFECTS, act, concatLatestFrom, createEffect, defaultEffectsErrorHandler, getEffectsMetadata, mergeEffects, ofType, provideEffects, rootEffectsInit };\n","import * as i1 from '@ngrx/store';\nimport { createAction, props, isNgrxMockEnvironment, select, ACTIVE_RUNTIME_CHECKS, createFeatureSelector, createSelector } from '@ngrx/store';\nimport * as i0 from '@angular/core';\nimport { InjectionToken, isDevMode, Injectable, Inject, makeEnvironmentProviders, ENVIRONMENT_INITIALIZER, inject, NgModule } from '@angular/core';\nimport * as i2 from '@angular/router';\nimport { NavigationStart, RoutesRecognized, NavigationCancel, NavigationError, NavigationEnd } from '@angular/router';\nimport { withLatestFrom } from 'rxjs/operators';\n\n/**\n * An action dispatched when a router navigation request is fired.\n */\nconst ROUTER_REQUEST = '@ngrx/router-store/request';\nconst routerRequestAction = createAction(ROUTER_REQUEST, props());\n/**\n * An action dispatched when the router navigates.\n */\nconst ROUTER_NAVIGATION = '@ngrx/router-store/navigation';\nconst routerNavigationAction = createAction(ROUTER_NAVIGATION, props());\n/**\n * An action dispatched when the router cancels navigation.\n */\nconst ROUTER_CANCEL = '@ngrx/router-store/cancel';\nconst routerCancelAction = createAction(ROUTER_CANCEL, props());\n/**\n * An action dispatched when the router errors.\n */\nconst ROUTER_ERROR = '@ngrx/router-store/error';\nconst routerErrorAction = createAction(ROUTER_ERROR, props());\n/**\n * An action dispatched after navigation has ended and new route is active.\n */\nconst ROUTER_NAVIGATED = '@ngrx/router-store/navigated';\nconst routerNavigatedAction = createAction(ROUTER_NAVIGATED, props());\nfunction routerReducer(state, action) {\n // Allow compilation with strictFunctionTypes - ref: #1344\n const routerAction = action;\n switch (routerAction.type) {\n case ROUTER_NAVIGATION:\n case ROUTER_ERROR:\n case ROUTER_CANCEL:\n return {\n state: routerAction.payload.routerState,\n navigationId: routerAction.payload.event.id\n };\n default:\n return state;\n }\n}\nclass MinimalRouterStateSerializer {\n serialize(routerState) {\n return {\n root: this.serializeRoute(routerState.root),\n url: routerState.url\n };\n }\n serializeRoute(route) {\n const children = route.children.map(c => this.serializeRoute(c));\n return {\n params: route.params,\n data: route.data,\n url: route.url,\n outlet: route.outlet,\n title: route.title,\n routeConfig: route.routeConfig ? {\n path: route.routeConfig.path,\n pathMatch: route.routeConfig.pathMatch,\n redirectTo: route.routeConfig.redirectTo,\n outlet: route.routeConfig.outlet,\n title: typeof route.routeConfig.title === 'string' ? route.routeConfig.title : undefined\n } : null,\n queryParams: route.queryParams,\n fragment: route.fragment,\n firstChild: children[0],\n children\n };\n }\n}\nvar NavigationActionTiming = /*#__PURE__*/function (NavigationActionTiming) {\n NavigationActionTiming[NavigationActionTiming[\"PreActivation\"] = 1] = \"PreActivation\";\n NavigationActionTiming[NavigationActionTiming[\"PostActivation\"] = 2] = \"PostActivation\";\n return NavigationActionTiming;\n}(NavigationActionTiming || {});\nconst DEFAULT_ROUTER_FEATURENAME = 'router';\nconst _ROUTER_CONFIG = new InjectionToken('@ngrx/router-store Internal Configuration');\nconst ROUTER_CONFIG = new InjectionToken('@ngrx/router-store Configuration');\nfunction _createRouterConfig(config) {\n return {\n stateKey: DEFAULT_ROUTER_FEATURENAME,\n serializer: MinimalRouterStateSerializer,\n navigationActionTiming: NavigationActionTiming.PreActivation,\n ...config\n };\n}\nclass FullRouterStateSerializer {\n serialize(routerState) {\n return {\n root: this.serializeRoute(routerState.root),\n url: routerState.url\n };\n }\n serializeRoute(route) {\n const children = route.children.map(c => this.serializeRoute(c));\n return {\n params: route.params,\n paramMap: route.paramMap,\n data: route.data,\n url: route.url,\n outlet: route.outlet,\n title: route.title,\n routeConfig: route.routeConfig ? {\n component: route.routeConfig.component,\n path: route.routeConfig.path,\n pathMatch: route.routeConfig.pathMatch,\n redirectTo: route.routeConfig.redirectTo,\n outlet: route.routeConfig.outlet,\n title: route.routeConfig.title\n } : null,\n queryParams: route.queryParams,\n queryParamMap: route.queryParamMap,\n fragment: route.fragment,\n component: route.routeConfig ? route.routeConfig.component : undefined,\n root: undefined,\n parent: undefined,\n firstChild: children[0],\n pathFromRoot: undefined,\n children\n };\n }\n}\nclass RouterStateSerializer {}\nvar RouterTrigger = /*#__PURE__*/function (RouterTrigger) {\n RouterTrigger[RouterTrigger[\"NONE\"] = 1] = \"NONE\";\n RouterTrigger[RouterTrigger[\"ROUTER\"] = 2] = \"ROUTER\";\n RouterTrigger[RouterTrigger[\"STORE\"] = 3] = \"STORE\";\n return RouterTrigger;\n}(RouterTrigger || {});\n/**\n * Shared router initialization logic used alongside both the StoreRouterConnectingModule and the provideRouterStore\n * function\n */\nlet StoreRouterConnectingService = /*#__PURE__*/(() => {\n class StoreRouterConnectingService {\n constructor(store, router, serializer, errorHandler, config, activeRuntimeChecks) {\n this.store = store;\n this.router = router;\n this.serializer = serializer;\n this.errorHandler = errorHandler;\n this.config = config;\n this.activeRuntimeChecks = activeRuntimeChecks;\n this.lastEvent = null;\n this.routerState = null;\n this.trigger = RouterTrigger.NONE;\n this.stateKey = this.config.stateKey;\n if (!isNgrxMockEnvironment() && isDevMode() && (activeRuntimeChecks?.strictActionSerializability || activeRuntimeChecks?.strictStateSerializability) && this.serializer instanceof FullRouterStateSerializer) {\n console.warn('@ngrx/router-store: The serializability runtime checks cannot be enabled ' + 'with the FullRouterStateSerializer. The FullRouterStateSerializer ' + 'has an unserializable router state and actions that are not serializable. ' + 'To use the serializability runtime checks either use ' + 'the MinimalRouterStateSerializer or implement a custom router state serializer.');\n }\n this.setUpStoreStateListener();\n this.setUpRouterEventsListener();\n }\n setUpStoreStateListener() {\n this.store.pipe(select(this.stateKey), withLatestFrom(this.store)).subscribe(([routerStoreState, storeState]) => {\n this.navigateIfNeeded(routerStoreState, storeState);\n });\n }\n navigateIfNeeded(routerStoreState, storeState) {\n if (!routerStoreState || !routerStoreState.state) {\n return;\n }\n if (this.trigger === RouterTrigger.ROUTER) {\n return;\n }\n if (this.lastEvent instanceof NavigationStart) {\n return;\n }\n const url = routerStoreState.state.url;\n if (!isSameUrl(this.router.url, url)) {\n this.storeState = storeState;\n this.trigger = RouterTrigger.STORE;\n this.router.navigateByUrl(url).catch(error => {\n this.errorHandler.handleError(error);\n });\n }\n }\n setUpRouterEventsListener() {\n const dispatchNavLate = this.config.navigationActionTiming === NavigationActionTiming.PostActivation;\n let routesRecognized;\n this.router.events.pipe(withLatestFrom(this.store)).subscribe(([event, storeState]) => {\n this.lastEvent = event;\n if (event instanceof NavigationStart) {\n this.routerState = this.serializer.serialize(this.router.routerState.snapshot);\n if (this.trigger !== RouterTrigger.STORE) {\n this.storeState = storeState;\n this.dispatchRouterRequest(event);\n }\n } else if (event instanceof RoutesRecognized) {\n routesRecognized = event;\n if (!dispatchNavLate && this.trigger !== RouterTrigger.STORE) {\n this.dispatchRouterNavigation(event);\n }\n } else if (event instanceof NavigationCancel) {\n this.dispatchRouterCancel(event);\n this.reset();\n } else if (event instanceof NavigationError) {\n this.dispatchRouterError(event);\n this.reset();\n } else if (event instanceof NavigationEnd) {\n if (this.trigger !== RouterTrigger.STORE) {\n if (dispatchNavLate) {\n this.dispatchRouterNavigation(routesRecognized);\n }\n this.dispatchRouterNavigated(event);\n }\n this.reset();\n }\n });\n }\n dispatchRouterRequest(event) {\n this.dispatchRouterAction(ROUTER_REQUEST, {\n event\n });\n }\n dispatchRouterNavigation(lastRoutesRecognized) {\n const nextRouterState = this.serializer.serialize(lastRoutesRecognized.state);\n this.dispatchRouterAction(ROUTER_NAVIGATION, {\n routerState: nextRouterState,\n event: new RoutesRecognized(lastRoutesRecognized.id, lastRoutesRecognized.url, lastRoutesRecognized.urlAfterRedirects, nextRouterState)\n });\n }\n dispatchRouterCancel(event) {\n this.dispatchRouterAction(ROUTER_CANCEL, {\n storeState: this.storeState,\n event\n });\n }\n dispatchRouterError(event) {\n this.dispatchRouterAction(ROUTER_ERROR, {\n storeState: this.storeState,\n event: new NavigationError(event.id, event.url, `${event}`)\n });\n }\n dispatchRouterNavigated(event) {\n const routerState = this.serializer.serialize(this.router.routerState.snapshot);\n this.dispatchRouterAction(ROUTER_NAVIGATED, {\n event,\n routerState\n });\n }\n dispatchRouterAction(type, payload) {\n this.trigger = RouterTrigger.ROUTER;\n try {\n this.store.dispatch({\n type,\n payload: {\n routerState: this.routerState,\n ...payload,\n event: this.config.routerState === 0 /* RouterState.Full */ ? payload.event : {\n id: payload.event.id,\n url: payload.event.url,\n // safe, as it will just be `undefined` for non-NavigationEnd router events\n urlAfterRedirects: payload.event.urlAfterRedirects\n }\n }\n });\n } finally {\n this.trigger = RouterTrigger.NONE;\n }\n }\n reset() {\n this.trigger = RouterTrigger.NONE;\n this.storeState = null;\n this.routerState = null;\n }\n /** @nocollapse */\n static {\n this.ɵfac = function StoreRouterConnectingService_Factory(t) {\n return new (t || StoreRouterConnectingService)(i0.ɵɵinject(i1.Store), i0.ɵɵinject(i2.Router), i0.ɵɵinject(RouterStateSerializer), i0.ɵɵinject(i0.ErrorHandler), i0.ɵɵinject(ROUTER_CONFIG), i0.ɵɵinject(ACTIVE_RUNTIME_CHECKS));\n };\n }\n /** @nocollapse */\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: StoreRouterConnectingService,\n factory: StoreRouterConnectingService.ɵfac\n });\n }\n }\n return StoreRouterConnectingService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Check if the URLs are matching. Accounts for the possibility of trailing \"/\" in url.\n */\nfunction isSameUrl(first, second) {\n return stripTrailingSlash(first) === stripTrailingSlash(second);\n}\nfunction stripTrailingSlash(text) {\n if (text?.length > 0 && text[text.length - 1] === '/') {\n return text.substring(0, text.length - 1);\n }\n return text;\n}\n\n/**\n * Connects the Angular Router to the Store.\n *\n * @usageNotes\n *\n * ```ts\n * bootstrapApplication(AppComponent, {\n * providers: [\n * provideStore({ router: routerReducer }),\n * provideRouterStore(),\n * ],\n * });\n * ```\n */\nfunction provideRouterStore(config = {}) {\n return makeEnvironmentProviders([{\n provide: _ROUTER_CONFIG,\n useValue: config\n }, {\n provide: ROUTER_CONFIG,\n useFactory: _createRouterConfig,\n deps: [_ROUTER_CONFIG]\n }, {\n provide: RouterStateSerializer,\n useClass: config.serializer ? config.serializer : config.routerState === 0 /* RouterState.Full */ ? FullRouterStateSerializer : MinimalRouterStateSerializer\n }, {\n provide: ENVIRONMENT_INITIALIZER,\n multi: true,\n useFactory() {\n return () => inject(StoreRouterConnectingService);\n }\n }, StoreRouterConnectingService]);\n}\n\n/**\n * Connects RouterModule with StoreModule.\n *\n * During the navigation, before any guards or resolvers run, the router will dispatch\n * a ROUTER_NAVIGATION action, which has the following signature:\n *\n * ```\n * export type RouterNavigationPayload = {\n * routerState: SerializedRouterStateSnapshot,\n * event: RoutesRecognized\n * }\n * ```\n *\n * Either a reducer or an effect can be invoked in response to this action.\n * If the invoked reducer throws, the navigation will be canceled.\n *\n * If navigation gets canceled because of a guard, a ROUTER_CANCEL action will be\n * dispatched. If navigation results in an error, a ROUTER_ERROR action will be dispatched.\n *\n * Both ROUTER_CANCEL and ROUTER_ERROR contain the store state before the navigation\n * which can be used to restore the consistency of the store.\n *\n * Usage:\n *\n * ```typescript\n * @NgModule({\n * declarations: [AppCmp, SimpleCmp],\n * imports: [\n * BrowserModule,\n * StoreModule.forRoot(mapOfReducers),\n * RouterModule.forRoot([\n * { path: '', component: SimpleCmp },\n * { path: 'next', component: SimpleCmp }\n * ]),\n * StoreRouterConnectingModule.forRoot()\n * ],\n * bootstrap: [AppCmp]\n * })\n * export class AppModule {\n * }\n * ```\n */\nlet StoreRouterConnectingModule = /*#__PURE__*/(() => {\n class StoreRouterConnectingModule {\n static forRoot(config = {}) {\n return {\n ngModule: StoreRouterConnectingModule,\n providers: [provideRouterStore(config)]\n };\n }\n /** @nocollapse */\n static {\n this.ɵfac = function StoreRouterConnectingModule_Factory(t) {\n return new (t || StoreRouterConnectingModule)();\n };\n }\n /** @nocollapse */\n static {\n this.ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: StoreRouterConnectingModule\n });\n }\n /** @nocollapse */\n static {\n this.ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({});\n }\n }\n return StoreRouterConnectingModule;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nfunction createRouterSelector() {\n return createFeatureSelector(DEFAULT_ROUTER_FEATURENAME);\n}\nfunction getRouterSelectors(selectState = createRouterSelector()) {\n const selectRouterState = createSelector(selectState, router => router && router.state);\n const selectRootRoute = createSelector(selectRouterState, routerState => routerState && routerState.root);\n const selectCurrentRoute = createSelector(selectRootRoute, rootRoute => {\n if (!rootRoute) {\n return undefined;\n }\n let route = rootRoute;\n while (route.firstChild) {\n route = route.firstChild;\n }\n return route;\n });\n const selectFragment = createSelector(selectRootRoute, route => route && route.fragment);\n const selectQueryParams = createSelector(selectRootRoute, route => route && route.queryParams);\n const selectQueryParam = param => createSelector(selectQueryParams, params => params && params[param]);\n const selectRouteParams = createSelector(selectCurrentRoute, route => route && route.params);\n const selectRouteParam = param => createSelector(selectRouteParams, params => params && params[param]);\n const selectRouteData = createSelector(selectCurrentRoute, route => route && route.data);\n const selectRouteDataParam = param => createSelector(selectRouteData, data => data && data[param]);\n const selectUrl = createSelector(selectRouterState, routerState => routerState && routerState.url);\n const selectTitle = createSelector(selectCurrentRoute, route => {\n if (!route?.routeConfig) {\n return undefined;\n }\n return typeof route.routeConfig.title === 'string' ? route.routeConfig.title // static title\n : route.title; // resolved title\n });\n return {\n selectCurrentRoute,\n selectFragment,\n selectQueryParams,\n selectQueryParam,\n selectRouteParams,\n selectRouteParam,\n selectRouteData,\n selectRouteDataParam,\n selectUrl,\n selectTitle\n };\n}\n\n/**\n * DO NOT EDIT\n *\n * This file is automatically generated at build\n */\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { DEFAULT_ROUTER_FEATURENAME, FullRouterStateSerializer, MinimalRouterStateSerializer, NavigationActionTiming, ROUTER_CANCEL, ROUTER_CONFIG, ROUTER_ERROR, ROUTER_NAVIGATED, ROUTER_NAVIGATION, ROUTER_REQUEST, RouterStateSerializer, StoreRouterConnectingModule, createRouterSelector, getRouterSelectors, provideRouterStore, routerCancelAction, routerErrorAction, routerNavigatedAction, routerNavigationAction, routerReducer, routerRequestAction };\n","import { Action } from '@ngrx/store';\r\nimport { MenuItem, NavtreeItem, UserState } from 'app/shared/models';\r\n\r\nexport enum Type {\r\n LOAD_NAVTREE = '[NAVTREE] LOAD_NAVTREE',\r\n LOAD_NAVTREE_SUCCESS = '[NAVTREE] LOAD_NAVTREE_SUCCESS',\r\n LOAD_NAVTREE_CANCELED = '[NAVTREE] LOAD_NAVTREE_CANCELED',\r\n UPDATE_VISIBILITY = '[NAVTREE] UPDATE_VISIBILITY',\r\n UPDATE_MISSING_VISIBILITY = '[NAVTREE] UPDATE_MISSING_VISIBILITY',\r\n UPDATE_PARAMETER_MENU_VISIBILITY = 'UPDATE_PARAMETER_MENU_VISIBILITY',\r\n TOGGLE_SIDEBAR = '[NAVTREE] TOGGLE_SIDEBAR',\r\n UPDATE_ISHANDSET = '[NAVTREE] UPDATE_ISHANDSET',\r\n UPDATE_ISTABLET = '[NAVTREE] UPDATE_ISTABLET'\r\n}\r\n\r\nexport class LoadNavtree implements Action {\r\n readonly type = Type.LOAD_NAVTREE;\r\n}\r\nexport class LoadNavtreeCanceled implements Action {\r\n readonly type = Type.LOAD_NAVTREE_CANCELED;\r\n}\r\nexport class LoadNavtreeSuccess implements Action {\r\n\r\n readonly type = Type.LOAD_NAVTREE_SUCCESS;\r\n constructor(public payload: NavtreeItem[]) { }\r\n}\r\n\r\nexport class UpdateVisibility implements Action {\r\n\r\n readonly type = Type.UPDATE_VISIBILITY;\r\n constructor(public params: UserState, public items: MenuItem[]) { }\r\n}\r\n\r\nexport class UpdateMissingVisibility implements Action {\r\n\r\n readonly type = Type.UPDATE_MISSING_VISIBILITY;\r\n constructor(public payload: MenuItem[]) { }\r\n}\r\n\r\nexport class UpdateParameterMenuVisibility implements Action {\r\n\r\n readonly type = Type.UPDATE_PARAMETER_MENU_VISIBILITY;\r\n constructor(public params: UserState, public menuItems: MenuItem[]) { }\r\n}\r\n\r\nexport class UpdateIsHandset implements Action {\r\n readonly type = Type.UPDATE_ISHANDSET;\r\n constructor(public payload: boolean) { }\r\n}\r\n\r\nexport class UpdateIsTablet implements Action {\r\n readonly type = Type.UPDATE_ISTABLET;\r\n constructor(public payload: boolean) { }\r\n}\r\n\r\nexport class ToggleSidebar implements Action {\r\n readonly type = Type.TOGGLE_SIDEBAR;\r\n constructor(public payload: boolean) { }\r\n}\r\n\r\n\r\nexport type Actions = LoadNavtree | LoadNavtreeSuccess | LoadNavtreeCanceled\r\n | UpdateVisibility | UpdateMissingVisibility | UpdateParameterMenuVisibility | UpdateIsHandset | UpdateIsTablet | ToggleSidebar;\r\n","import { Injectable } from '@angular/core';\r\nimport { ActivatedRouteSnapshot } from '@angular/router';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport { ROUTER_NAVIGATION, RouterNavigationAction } from '@ngrx/router-store';\r\nimport { Store } from '@ngrx/store';\r\nimport { Company, UserInfo } from 'app/shared/models';\r\nimport { AttributeService, CompanyService, SurveyService } from 'app/shared/services';\r\nimport * as CompanyContextActions from 'app/state/actions/company-context.actions';\r\nimport * as NavTreeAction from 'app/state/actions/navtree.actions';\r\nimport * as UserInfoActions from 'app/state/actions/user-info.actions';\r\nimport { AppState } from 'app/state/app.state';\r\nimport { from } from 'rxjs';\r\nimport { combineLatestWith, concatMap, filter, map, switchMap, take, withLatestFrom } from 'rxjs/operators';\r\nimport { companyIdSelect } from '../selectors/company-context.selectors';\r\nimport { selectUserInfo } from '../selectors/user-info.selectors';\r\n\r\n@Injectable()\r\nexport class CompanyContextEffects {\r\n constructor(\r\n private actions$: Actions,\r\n private companyService: CompanyService,\r\n private surveyService: SurveyService,\r\n private attributeService: AttributeService,\r\n private store: Store) { }\r\n\r\n setCompanyContextSuccess = createEffect(() => this.actions$.pipe(\r\n ofType(CompanyContextActions.Type.SET_COMPANY_CONTEXT_SUCCESS),\r\n combineLatestWith(this.store.select(s => s.userInfo.displayLanguageId)),\r\n withLatestFrom(this.store.select(s => s.companyContext.companyLanguages), (this.store.select(s => s.userInfo.languageId))),\r\n filter(([[_, displayLangId], companyLanguages]) => !!(displayLangId) && companyLanguages?.length > 0),\r\n switchMap(([[_, displayLangId], companyLanguages, userLanguageId]) => {\r\n\r\n const lang = companyLanguages.find(cl => cl.id === (displayLangId));\r\n /* When company context has switched, we check if our current display Language is among the context company languages\r\n // If that is the case, we can just reload the navigation\r\n */\r\n if (lang) {\r\n const userLang = companyLanguages.find(cl => cl.id === displayLangId) ?? companyLanguages.find(cl => cl.isDefaultCompanyLanguage);\r\n return [new NavTreeAction.LoadNavtree(), new UserInfoActions.SetUserContextLanguage(userLang)];\r\n } else {\r\n const defaultLang = companyLanguages.find(cl => cl.id === userLanguageId) ?? companyLanguages.find(cl => cl.isDefaultCompanyLanguage);\r\n return [new UserInfoActions.SetUserContextLanguage(defaultLang)];\r\n }\r\n })\r\n ));\r\n\r\n saveContextToLocalStorage$ = createEffect(() => this.actions$.pipe(\r\n ofType(CompanyContextActions.Type.SET_COMPANY_CONTEXT_SUCCESS),\r\n withLatestFrom(\r\n this.store.select(selectUserInfo),\r\n this.store.select(companyIdSelect)\r\n ),\r\n switchMap(([_, userInfo, companyId]) => {\r\n this.setSavedCompany(companyId, userInfo.userId);\r\n return from([])\r\n })\r\n ));\r\n\r\n setCompanyContext$ = createEffect(() => this.actions$.pipe(\r\n ofType(\r\n CompanyContextActions.Type.SET_COMPANY_CONTEXT, CompanyContextActions.Type.SET_COMPANY_CONTEXT_BY_SHORT_NAME),\r\n withLatestFrom(this.store.select(state => state.companyContext), this.store.select(state => state.userInfo)),\r\n switchMap(([action, companyContext, userInfo]) => {\r\n if (!action.force && (action.payload === companyContext.id || action.payload === companyContext.shortName)) {\r\n return from([\r\n new UserInfoActions.LoadUserInfo(companyContext.id),\r\n new CompanyContextActions.SetCompanyContextSuccess(companyContext),\r\n ...action.onSuccess\r\n ]);\r\n }\r\n let companyId: string | number;\r\n\r\n if (!isNaN(+action.payload)) { // case when reloading without companyName in url\r\n companyId = +action.payload;\r\n const previousCompanyId = JSON.parse(this.getSavedCompany()) as { companyId: number, userId: number };\r\n if (!companyContext.id && previousCompanyId?.companyId > 0 && userInfo.userId === previousCompanyId?.userId) {\r\n companyId = previousCompanyId.companyId;\r\n }\r\n }\r\n return this.companyService.get(companyId || action.payload).pipe(\r\n concatMap(company => [\r\n userInfo.userPermission.companyId !== company.id\r\n ? new UserInfoActions.LoadUserInfo(company.id)\r\n : new UserInfoActions.LoadUserInfoSuccess(userInfo),\r\n new CompanyContextActions.SetCompanyContextSuccess(company),\r\n ...action.onSuccess\r\n ])\r\n );\r\n }\r\n )\r\n ));\r\n\r\n setContextByToken$ = createEffect(() => this.actions$.pipe(\r\n ofType(CompanyContextActions.Type.SET_COMPANY_CONTEXT_BY_TOKEN),\r\n switchMap((action) =>\r\n this.surveyService.getContext(action.payload.token)\r\n )\r\n ).pipe(\r\n switchMap(context => from([\r\n new UserInfoActions.LoadUserInfoSuccess(context.userContext),\r\n new CompanyContextActions.SetCompanyContextSuccess({ ...context.companyContext, token: 'abc123' })\r\n ])))\r\n );\r\n\r\n useRouteContext$ = createEffect(() => this.actions$.pipe(\r\n ofType(ROUTER_NAVIGATION),\r\n combineLatestWith(\r\n this.actions$.pipe(ofType(UserInfoActions.Type.LOAD_USER_INFO_SUCCESS))\r\n ),\r\n withLatestFrom(this.store.select(state => state.companyContext)),\r\n map(([[routerNavigationAction, userInfo], companyContext]): [Record, UserInfo, Company] =>\r\n ([this.getRouteParams(routerNavigationAction.payload.routerState.root), userInfo.payload, companyContext])),\r\n filter(([params, userInfo, _]) => userInfo.companyId !== null || 'companyId' in params || 'companyShortName' in params),\r\n take(1),\r\n map(([params, userInfo, companyContext]) => {\r\n let companyId = +{ ...userInfo }.companyId;\r\n\r\n\r\n if ('companyShortName' in params) {\r\n return new CompanyContextActions.SetCompanyContextByShortName(params.companyShortName);\r\n }\r\n\r\n if ('companyId' in params) {\r\n companyId = +params.companyId;\r\n }\r\n return companyContext?.id === companyId ? new CompanyContextActions.ContextAlreadySet() : new CompanyContextActions.SetCompanyContext(companyId);\r\n })\r\n ));\r\n\r\n saveCompanyAttributes$ = createEffect(() => this.actions$.pipe(\r\n ofType(CompanyContextActions.Type.SAVE_COMPANY_ATTRIBUTES),\r\n withLatestFrom(this.store.select(state => state.companyContext.id)),\r\n switchMap(([action, companyId]) =>\r\n this.attributeService.updateCompanyMapped(companyId, action.payload)),\r\n switchMap((res) => from([new CompanyContextActions.SaveCompanyAttributesSuccess(res)]))\r\n ));\r\n\r\n private getRouteParams(routeData: ActivatedRouteSnapshot) {\r\n let result = { ...routeData.params };\r\n while ('firstChild' in routeData && routeData.firstChild) {\r\n routeData = routeData.firstChild;\r\n result = { ...result, ...routeData.params };\r\n }\r\n return result;\r\n }\r\n\r\n private setSavedCompany(companyId: number, userId: number) {\r\n localStorage.setItem('currentCompanyIdAndUserId', JSON.stringify({ companyId: companyId, userId: userId }));\r\n }\r\n\r\n private getSavedCompany() {\r\n return localStorage.getItem('currentCompanyIdAndUserId');\r\n }\r\n}\r\n","import { Injectable } from '@angular/core';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport { Store } from '@ngrx/store';\r\nimport { CompanyContext, MenuItem, NavtreeItem } from 'app/shared/models';\r\nimport { MenuService } from 'app/shared/services';\r\nimport * as CompanyContextActions from 'app/state/actions/company-context.actions';\r\nimport * as NavtreeActions from 'app/state/actions/navtree.actions';\r\nimport * as UserInfoActions from 'app/state/actions/user-info.actions';\r\nimport * as UserStateActions from 'app/state/actions/user-state.actions';\r\nimport * as ReportActions from 'app/state/actions/report.actions';\r\nimport { combineLatestWith, filter, switchMap, withLatestFrom } from 'rxjs/operators';\r\nimport { AppState } from '../app.state';\r\n\r\n\r\n@Injectable()\r\nexport class NavtreeEffects {\r\n constructor(\r\n private store: Store,\r\n private actions$: Actions,\r\n private menuService: MenuService) { }\r\n\r\n\r\n updateParameterMenuVisibility$ = createEffect(() => this.actions$.pipe(\r\n ofType(NavtreeActions.Type.UPDATE_PARAMETER_MENU_VISIBILITY))\r\n .pipe(\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([paramAction, companyContext]) => {\r\n return this.menuService\r\n .getMenuVisibility(paramAction.params, paramAction.menuItems)\r\n .pipe(\r\n switchMap(response => {\r\n const missingMenuItems = this.setUpMenuItems(null, response.missingMenuItems, companyContext);\r\n return [\r\n new NavtreeActions.UpdateMissingVisibility(missingMenuItems),\r\n new NavtreeActions.UpdateVisibility(paramAction.params, response.menuItems),\r\n new UserStateActions.UpdateUserStateSuccess(paramAction.params),\r\n ];\r\n })\r\n );\r\n\r\n })\r\n ));\r\n\r\n loadNavtree$ = createEffect(() => this.actions$.pipe(\r\n ofType(NavtreeActions.Type.LOAD_NAVTREE))\r\n .pipe(\r\n combineLatestWith(\r\n this.actions$.pipe(ofType(CompanyContextActions.Type.SET_COMPANY_CONTEXT_SUCCESS)),\r\n this.actions$.pipe(ofType(UserStateActions.Type.LOAD_USER_STATE_SUCCESS))\r\n ),\r\n filter(([_, companyContextSuccess, loadUser]) => companyContextSuccess.payload.id === loadUser.payload.currentCompanyId),\r\n\r\n switchMap(([_, companyContextSuccess]) =>\r\n this.menuService.getMenu()\r\n .pipe(switchMap(menuItems => {\r\n const setupMenu = this.setUpMenuItems(null, menuItems, companyContextSuccess.payload);\r\n const items = setupMenu.groupBy(x => x.displayType).map((x): NavtreeItem =>\r\n ({ type: x.key, items: x.values, isAdmin: false }));\r\n return [new NavtreeActions.LoadNavtreeSuccess(items)];\r\n }))\r\n )));\r\n\r\n loadNavtreeCancel$ = createEffect(() => this.actions$.pipe(\r\n ofType(NavtreeActions.Type.LOAD_NAVTREE),\r\n combineLatestWith(this.actions$.pipe(ofType(UserInfoActions.Type.LOAD_CONTEXT_FROM_TOKEN))))\r\n .pipe(switchMap(_ => [new NavtreeActions.LoadNavtreeCanceled()])));\r\n\r\n initReportStateOnEmptyMenu$ = createEffect(() => this.actions$.pipe(\r\n ofType(NavtreeActions.Type.LOAD_NAVTREE_SUCCESS),\r\n filter(action => action.payload.length === 0)\r\n ).pipe(switchMap(_ => [new ReportActions.InitReportState({})])));\r\n\r\n setUpMenuItems(parentMenuItem: MenuItem, menuItems: MenuItem[], companyContext: CompanyContext): MenuItem[] {\r\n const menuCopy: MenuItem[] = [];\r\n for (const menuItem of menuItems) {\r\n menuItem.parentKey = parentMenuItem ? parentMenuItem.key : null;\r\n menuItem.hasSameTypeChildren = menuItem.children\r\n ? menuItem.children.filter(c => c.displayType === menuItem.displayType).length > 0 : false;\r\n if (menuItem.hasChildren) {\r\n const filteredChildren = this.setUpMenuItems(menuItem, menuItem.children, companyContext);\r\n menuItem.children = filteredChildren;\r\n menuItem.hasChildren = filteredChildren.length > 0;\r\n\r\n if (menuItem.hasChildren) {\r\n menuCopy.push(...filteredChildren);\r\n }\r\n }\r\n menuItem.route = this.buildRoutes(parentMenuItem, menuItem, companyContext);\r\n menuCopy.push(menuItem);\r\n }\r\n\r\n return menuCopy;\r\n }\r\n\r\n private buildRoutes(parentItem: MenuItem, item: MenuItem, companyContext: CompanyContext): string[] {\r\n\r\n if ((item.reportPageItems && item.reportPageItems.length > 0) || (item.key)) {\r\n\r\n if (parentItem) {\r\n if (parentItem.parentKey) {\r\n return ['/portal', companyContext.shortName, 'page', parentItem.parentKey, parentItem.key, item.key];\r\n } else {\r\n return ['/portal', companyContext.shortName, 'page', parentItem.key, item.key];\r\n }\r\n } else {\r\n if (item.reportPageItems && item.reportPageItems.length > 0) {\r\n return ['/portal', companyContext.shortName, 'page', item.key];\r\n } else {\r\n const r = item.children.filter(i => i.reportPageItems && i.reportPageItems.length > 0);\r\n if (r.length > 0) {\r\n return ['/portal', companyContext.shortName, 'page', item.key];\r\n } else {\r\n return [''];\r\n }\r\n }\r\n }\r\n }\r\n return [''];\r\n }\r\n}\r\n\r\n","import { Action } from '@ngrx/store';\r\n\r\nexport enum Type {\r\n LOAD_CONFIGURATION = '[CONFIGURATION] LOAD_CONFIGURATION',\r\n LOAD_CONFIGURATION_SUCCESS = '[CONFIGURATION] LOAD_CONFIGURATION_SUCCESS'\r\n}\r\n\r\nexport class LoadConfiguration implements Action {\r\n readonly type = Type.LOAD_CONFIGURATION;\r\n}\r\n\r\nexport class LoadConfigurationSuccess implements Action {\r\n\r\n readonly type = Type.LOAD_CONFIGURATION_SUCCESS;\r\n constructor(public payload: any) { }\r\n}\r\n\r\n\r\nexport type Actions = LoadConfiguration | LoadConfigurationSuccess;\r\n","import { HttpClient } from '@angular/common/http';\r\nimport { Injectable } from '@angular/core';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport * as ConfigurationActions from 'app/state/actions/configuration.actions';\r\nimport { map, switchMap } from 'rxjs/operators';\r\n\r\n@Injectable()\r\nexport class ConfigurationEffects {\r\n constructor(private actions$: Actions,\r\n private httpClient: HttpClient) {\r\n }\r\n\r\n loadConfiguration$ = createEffect(() => this.actions$.pipe(\r\n ofType(ConfigurationActions.Type.LOAD_CONFIGURATION),\r\n switchMap(_ => this.httpClient.get('/appsettings.json?ms=' + Date.now().toString(), { headers: { 'init': 'true' } })\r\n .pipe(\r\n map(settings => new ConfigurationActions.LoadConfigurationSuccess(settings))\r\n )\r\n )\r\n ));\r\n}\r\n","import { WizardTypes, FollowupWizardContext } from 'app/shared/models';\r\nimport { Actions as ProductWizardActions } from 'app/state/actions/product-wizard.actions';\r\nimport { Actions as FollowupWizardActions, Type as FollowupWizardActionType } from 'app/state/actions/followup-wizard.actions';\r\nimport { handleProductWizardActions } from './product-wizard-helpers';\r\nimport { act } from '@ngrx/effects';\r\nexport const initialState: FollowupWizardContext = {\r\n activeStep: 0,\r\n productId: null,\r\n actionAreaKey: null,\r\n groupResultInfo: { groupId: null, groupName: null, groupResultId: null, snapshotId: null, snapshotName: null },\r\n groupId: null,\r\n selectedRecommendation: null,\r\n selectedCategory: { key: null, name: null },\r\n selectedSubCategory: null,\r\n productDefinition: null,\r\n wizardType: WizardTypes.followup,\r\n nows: [],\r\n goals: [],\r\n actions: [],\r\n recommendations: [],\r\n saving: false,\r\n unsaved: false,\r\n currentVersion: null,\r\n byPassGuard: false\r\n};\r\n\r\nexport function reducer(state: FollowupWizardContext = initialState, action: FollowupWizardActions | ProductWizardActions) {\r\n\r\n const context = handleProductWizardActions(state, action, WizardTypes.followup, initialState);\r\n if (context !== null) {\r\n return context as FollowupWizardContext;\r\n }\r\n\r\n switch (action.type) {\r\n case FollowupWizardActionType.UNLOAD_FOLLOWUP_WIZARD: {\r\n return initialState;\r\n }\r\n case FollowupWizardActionType.SELECTED_ACTIONAREA: {\r\n return { ...state, actionAreaKey: action.payload }\r\n }\r\n case FollowupWizardActionType.SELECTED_RECOMMENDATION: {\r\n return { ...state, selectedRecommendation: action.payload };\r\n }\r\n case FollowupWizardActionType.SELECTED_RECOMMENDATION_CATEGORY: {\r\n return { ...state, selectedCategory: action.payload };\r\n }\r\n case FollowupWizardActionType.SELECTED_RECOMMENDATION_SUBCATEGORY: {\r\n return { ...state, selectedSubCategory: action.payload };\r\n }\r\n case FollowupWizardActionType.ADD_NOW: {\r\n const nows = [...state.nows];\r\n nows.push(action.payload);\r\n return { ...state, nows: nows, getSuggestions: true };\r\n }\r\n case FollowupWizardActionType.EDIT_NOW: {\r\n const nows = [...state.nows];\r\n const index = nows.findIndex(f => f.tempId === action.payload.tempId);\r\n return { ...state, nows: [...nows.slice(0, index), action.payload, ...nows.slice(index + 1)], getSuggestions: true };\r\n }\r\n case FollowupWizardActionType.REMOVE_NOW: {\r\n const index = state.nows.findIndex(f => action.payload.tempId === f.tempId);\r\n if (-1 === index) {\r\n return { ...state };\r\n }\r\n return { ...state, nows: [...state.nows.slice(0, index), ...state.nows.slice(index + 1)], getSuggestions: true };\r\n }\r\n case FollowupWizardActionType.ADD_GOAL: {\r\n const goals = [...state.goals];\r\n goals.push(action.payload);\r\n return { ...state, goals: goals, getSuggestions: true };\r\n }\r\n case FollowupWizardActionType.EDIT_GOAL: {\r\n const goals = [...state.goals];\r\n const index = goals.findIndex(f => f.tempId === action.payload.tempId);\r\n return { ...state, goals: [...goals.slice(0, index), action.payload, ...goals.slice(index + 1)], getSuggestions: true };\r\n }\r\n case FollowupWizardActionType.REMOVE_GOAL: {\r\n const index = state.goals.findIndex(f => action.payload.tempId === f.tempId);\r\n if (-1 === index) {\r\n return { ...state };\r\n }\r\n return { ...state, goals: [...state.goals.slice(0, index), ...state.goals.slice(index + 1)], getSuggestions: true };\r\n }\r\n case FollowupWizardActionType.ADD_ACTION: {\r\n const actions = [...state.actions];\r\n actions.push(action.payload);\r\n return { ...state, actions: actions };\r\n }\r\n case FollowupWizardActionType.EDIT_ACTION: {\r\n const actions = [...state.actions];\r\n const index = actions.findIndex(f => (f.id !== -1 && f.id === action.payload.id) || f.tempId === action.payload.tempId);\r\n return { ...state, actions: [...actions.slice(0, index), action.payload, ...actions.slice(index + 1)] };\r\n }\r\n case FollowupWizardActionType.REMOVE_ACTION: {\r\n const index = state.actions.findIndex(f => (f.id !== -1 && f.id === action.payload.id) || f.tempId === action.payload.tempId);\r\n // Not found, return same reference.\r\n if (-1 === index) {\r\n return { ...state };\r\n }\r\n // Return clone of items before and clone of items after.\r\n return { ...state, actions: [...state.actions.slice(0, index), ...state.actions.slice(index + 1)] };\r\n }\r\n case FollowupWizardActionType.ADD_SUGGESTIONS: {\r\n return { ...state, suggestions: action.payload, getSuggestions: false };\r\n }\r\n case FollowupWizardActionType.SET_BYPASSGUARD: {\r\n return { ...state, byPassGuard: action.payload };\r\n }\r\n default: {\r\n return state;\r\n }\r\n }\r\n}\r\n","import { Injectable } from '@angular/core';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport { Store } from '@ngrx/store';\r\nimport { ProductService } from 'app/shared';\r\nimport { FollowupCreate, FollowupCreateAction, FollowupWizardContext, WizardTypes } from 'app/shared/models';\r\nimport * as FollowupWizardActions from 'app/state/actions/followup-wizard.actions';\r\nimport * as NavigationActions from 'app/state/actions/navigation.actions';\r\nimport * as ProductWizardActions from 'app/state/actions/product-wizard.actions';\r\nimport { AppState } from 'app/state/app.state';\r\nimport { EMPTY, from } from 'rxjs';\r\nimport { catchError, filter, map, switchMap, withLatestFrom } from 'rxjs/operators';\r\nimport { initialState as DefaultFollowupWizardState } from '../reducers/followup-wizard.reducer';\r\nimport { ConfirmationDialogService } from '../../shared/confirmation-dialog/confirmation-dialog.service';\r\nimport { DialogType } from '../../shared/confirmation-dialog/dialog.type';\r\n\r\n@Injectable()\r\nexport class FollowupWizardEffects {\r\n constructor(\r\n private actions$: Actions,\r\n private store: Store,\r\n private productService: ProductService,\r\n private dialogService: ConfirmationDialogService) {\r\n }\r\n startFollowup$ = createEffect(() => this.actions$.pipe(\r\n ofType(FollowupWizardActions.Type.START_FOLLOWUP),\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([action, context]) => {\r\n const state = { ...DefaultFollowupWizardState } as FollowupWizardContext;\r\n state.productDefinition = action.payload;\r\n state.recommendations = action.recommendations;\r\n state.groupResultInfo = action.groupResultInfo;\r\n state.groupId = action.groupId;\r\n const groupResultId = action.groupResultInfo ? action.groupResultInfo.groupResultId : -1;\r\n\r\n if (!action.productId) {\r\n return this.productService.create(context.id, action.payload.id, JSON.stringify(state), groupResultId, action.groupId)\r\n .pipe(\r\n switchMap(product => from([\r\n new ProductWizardActions.SetWizardState({ ...state, productId: product.id, currentVersion: product.currentVersion })\r\n ]))\r\n );\r\n }\r\n return this.productService.getById(action.productId)\r\n .pipe(\r\n switchMap(product => {\r\n if (product === null) {\r\n return this.productService.create(context.id, action.payload.id, JSON.stringify(state), groupResultId)\r\n .pipe(\r\n switchMap(product => from([\r\n new ProductWizardActions.SetWizardState({ ...state, productId: product.id, currentVersion: product.currentVersion })\r\n ]))\r\n );\r\n } else if (product !== null) {\r\n let pState = (product.state != null ? JSON.parse(product.state) : state) as FollowupWizardContext;\r\n // Temporary fix to fix old data, remove code when future arrives\r\n if (!pState.groupResultInfo && action.groupResultInfo) { pState.groupResultInfo = action.groupResultInfo; }\r\n // Todo: remove line above\r\n pState = { ...pState, productId: product.id, actions: product.actions };\r\n return from([\r\n new ProductWizardActions.SetWizardState(pState)\r\n ]);\r\n }\r\n })\r\n );\r\n })\r\n ));\r\n\r\n selectFollowupProductDefinition$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SELECT_PRODUCT_DEFINITION),\r\n filter(action => action.wizardType === WizardTypes.followup),\r\n switchMap(action => from([new ProductWizardActions.SetupDraft(action.payload, WizardTypes.followup)]))\r\n ));\r\n\r\n saveDraftFromFollowUpWizard$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SAVE_DRAFT),\r\n filter(action => action.payload.wizardType === WizardTypes.followup),\r\n switchMap(action => {\r\n let payload = action.payload as FollowupWizardContext;\r\n const draft = JSON.stringify({ ...action.payload, unsaved: false });\r\n this.store.dispatch(new ProductWizardActions.SetChanged({ changed: false }));\r\n return this.updateDraft(payload, draft, action.showMessage);\r\n })\r\n ));\r\n\r\n saveDraftAndGoBackFollowUpWizard$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SAVE_DRAFT_GO_BACK),\r\n filter(action => action.payload.wizardType === WizardTypes.followup),\r\n switchMap(action => {\r\n let payload = action.payload as FollowupWizardContext;\r\n const draft = JSON.stringify(action.payload);\r\n return this.updateDraft(payload, draft, action.showMessage)\r\n .pipe(\r\n switchMap(_ => from([new NavigationActions.Back()])));\r\n })\r\n ));\r\n\r\n startFlow$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SET_WIZARD_STATE),\r\n filter(action => action.payload?.wizardType === WizardTypes.followup),\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([action, context]) =>\r\n from([new NavigationActions.Go({ path: ['portal', context.shortName, 'followup', action.payload.productId] })]))\r\n ));\r\n\r\n createSurvey$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.CREATE_PRODUCT),\r\n filter(action => action.payload.wizardType === WizardTypes.followup),\r\n map(action => this.mapContextToFollowupCreate(action.payload as FollowupWizardContext)),\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([model, companyContext]) => this.productService\r\n .createFollowup(companyContext.id, model)\r\n .pipe(map(x => new ProductWizardActions.ProductCreated(x.id, WizardTypes.followup))\r\n ))\r\n ));\r\n\r\n SetPage$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SET_PAGE),\r\n filter(action => action.wizardType === WizardTypes.followup),\r\n withLatestFrom(this.store.select(s => s.followupWizardContext)),\r\n switchMap(([_, followupWizardContext]) => from([new ProductWizardActions.SaveDraft(followupWizardContext)]))\r\n ));\r\n\r\n saveDraft$ = createEffect(() => this.actions$.pipe(\r\n ofType(\r\n FollowupWizardActions.Type.ADD_GOAL,\r\n FollowupWizardActions.Type.EDIT_GOAL,\r\n FollowupWizardActions.Type.ADD_NOW,\r\n FollowupWizardActions.Type.EDIT_NOW,\r\n FollowupWizardActions.Type.ADD_ACTION,\r\n FollowupWizardActions.Type.EDIT_ACTION),\r\n withLatestFrom(this.store.select(s => s.followupWizardContext)),\r\n switchMap(([_, context]) =>\r\n from([new ProductWizardActions.SaveDraft(context, false)])\r\n )));\r\n\r\n deleteProduct$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.DELETE_PRODUCT),\r\n filter(action => action.wizardType === WizardTypes.followup),\r\n switchMap((action) => this.productService.delete(action.productId))\r\n ), { dispatch: false });\r\n\r\n setChanged$ = createEffect(() => this.actions$.pipe(\r\n ofType(FollowupWizardActions.Type.SELECTED_RECOMMENDATION\r\n ),\r\n withLatestFrom(this.store.select(s => s.followupWizardContext)),\r\n switchMap(([action, context]) => {\r\n if (!context.unsaved) {\r\n return from([new ProductWizardActions.SetChanged({ changed: true })]);\r\n }\r\n return from(EMPTY)\r\n })\r\n ));\r\n\r\n private updateDraft(payload: FollowupWizardContext, draft: string, showMessage: boolean) {\r\n return this.productService.updateDraft(payload.productId, { draft: draft, draftVersion: payload.currentVersion, checkVersion: true }).pipe(\r\n map(result => {\r\n const currentVersion = JSON.parse(result.body).currentVersion;\r\n return new ProductWizardActions.DraftSaved({ productId: payload.productId, currentVersion: currentVersion }, payload.wizardType, showMessage);\r\n }),\r\n catchError(err => {\r\n if (err?.error === '\"Outdated version\"') {\r\n return this.productService.getVersion(payload.productId)\r\n .pipe(switchMap((response) => {\r\n return this.dialogService.openDialog(\r\n 'INSIGHT.ADMIN.PRODUCTWIZARD.VERSION_WARNING.TITLE_WARNING',\r\n 'INSIGHT.ADMIN.PRODUCTWIZARD.VERSION_WARNING.BODY_WARNING',\r\n 500,\r\n DialogType.Confirm,\r\n 'INSIGHT.ADMIN.PRODUCTWIZARD.VERSION_WARNING.CONTINUE',\r\n 'INSIGHT.ADMIN.PRODUCTWIZARD.VERSION_WARNING.CANCEL',\r\n true,\r\n null,\r\n true,\r\n '',\r\n `${response.lastUpdatedBy ?? 'N/A'} ${response.lastUpdatedDate ? new Date(response.lastUpdatedDate).toLocaleString() : ''}`\r\n )\r\n .pipe(\r\n switchMap(response => {\r\n if (response) { \r\n return this.productService.updateDraft(payload.productId, { draft: draft, draftVersion: payload.currentVersion, checkVersion: false }).pipe(\r\n map(httpResult => {\r\n const currentVersion = JSON.parse(httpResult.body).currentVersion;\r\n return new ProductWizardActions.DraftSaved({ productId: payload.productId, currentVersion: currentVersion }, payload.wizardType, showMessage)\r\n }\r\n ));\r\n }\r\n else {\r\n this.store.dispatch(new NavigationActions.Go({ path: ['portal', this.store.select(s => s.companyContext.shortName), 'followup'], extras: { state: { bypassFormGuard: true } } }));\r\n }\r\n }));\r\n }))\r\n }\r\n }))\r\n }\r\n\r\n private mapContextToFollowupCreate(context: FollowupWizardContext): FollowupCreate {\r\n return {\r\n productId: context.productId,\r\n actionAreaKey: context.actionAreaKey,\r\n groupResultId: context.groupResultInfo.groupResultId,\r\n groupId: context.groupId,\r\n actions: context.actions.map(x => {\r\n id: x.id,\r\n title: x.title,\r\n description: x.description,\r\n deadline: x.deadline,\r\n responsibleUserIds: x.responsibleUsers.map(u => u.id),\r\n targetGroupIds: x.targetGroupIds,\r\n recommendationId: context.selectedRecommendation ? context.selectedRecommendation.id : null,\r\n category: context.selectedCategory?.key ?? context.selectedRecommendation?.categoryKey ?? null,\r\n subCategory: context.selectedSubCategory?.subCategoryKey ?? context.selectedRecommendation?.subCategoryKey ?? null\r\n })\r\n };\r\n }\r\n}\r\n","import { Location } from '@angular/common';\r\nimport { Injectable } from '@angular/core';\r\nimport { Router } from '@angular/router';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport * as NavigationActions from 'app/state/actions/navigation.actions';\r\nimport { map, tap } from 'rxjs/operators';\r\n\r\n@Injectable()\r\nexport class NavigationEffects {\r\n constructor(\r\n private actions$: Actions,\r\n private router: Router,\r\n private location: Location\r\n ) {\r\n }\r\n\r\n\r\n navigate$ = createEffect(() => this.actions$.pipe(\r\n ofType(NavigationActions.Type.GO),\r\n map((action: NavigationActions.Go) => action.payload),\r\n tap(({ path, query: queryParams, extras }\r\n ) => {\r\n // TODO: This needs to be fixed before enabling\r\n // strictActionImmutability for StoreModule\r\n this.router.navigate([...path], { queryParams, ...extras });\r\n })\r\n ), { dispatch: false });\r\n\r\n\r\n navigateBack$ = createEffect(() => this.actions$.pipe(\r\n ofType(NavigationActions.Type.BACK),\r\n tap(() => this.location.back())\r\n ), { dispatch: false });\r\n\r\n\r\n navigateForward$ = createEffect(() => this.actions$.pipe(\r\n ofType(NavigationActions.Type.FORWARD),\r\n tap(() => this.location.forward())\r\n ), { dispatch: false });\r\n}\r\n","import { Injectable } from '@angular/core';\r\nimport { MatSnackBar } from '@angular/material/snack-bar';\r\nimport { TranslocoService } from '@ngneat/transloco';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport { Store } from '@ngrx/store';\r\nimport { ProductDefinitionJson, ScheduleContext, WizardContexts, WizardTypes } from 'app/shared/models';\r\nimport { FollowupWizardContext, SurveyWizardContext, isFolloupWizardContext, isSurveyWizardContext } from 'app/shared/models/product-wizard.model';\r\nimport { ProductService } from 'app/shared/services';\r\nimport * as ProductWizardActions from 'app/state/actions/product-wizard.actions';\r\nimport { AppState } from 'app/state/app.state';\r\nimport { initialState as DefaultSurveyWizardState, getNextBusinessDay, getReminderEmails } from 'app/state/reducers/survey-wizard.reducer';\r\nimport { from } from 'rxjs';\r\nimport { filter, switchMap, take, tap, withLatestFrom } from 'rxjs/operators';\r\nimport * as SurveyWizardActions from '../actions/survey-wizard.actions';\r\nimport { initialState as DefaultFollowupWizardState } from '../reducers/followup-wizard.reducer';\r\n\r\n@Injectable()\r\nexport class ProductWizardEffects {\r\n constructor(\r\n private actions$: Actions,\r\n private store: Store,\r\n private productService: ProductService,\r\n private snackBar: MatSnackBar,\r\n private translations: TranslocoService,\r\n ) {\r\n }\r\n createFromSurvey$ = createEffect(() => this.actions$.pipe(\r\n ofType('[SURVEY_WIZARD] CREATE_FROM_SURVEY'),\r\n switchMap((action) =>\r\n this.productService.getById(action.payload).pipe(\r\n switchMap(product => {\r\n const stateObj = JSON.parse(product.state) as SurveyWizardContext;\r\n const definitionObject = JSON.parse(product.companyProductDefinition.definition) as ProductDefinitionJson;\r\n const productDefinition = { ...product.companyProductDefinition, definitionObject: definitionObject }\r\n const newStateObj: SurveyWizardContext =\r\n {\r\n ...DefaultSurveyWizardState,\r\n productDefinition: productDefinition,\r\n modules: stateObj.modules,\r\n moduleId: stateObj.moduleId\r\n };\r\n return from([\r\n new ProductWizardActions.CreateFromSurveySuccess(newStateObj),\r\n new SurveyWizardActions.GetIndexInfo()])\r\n })\r\n ))\r\n ));\r\n\r\n loadDraft$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.LOAD_DRAFT),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([action, surveyWizardContext]) => {\r\n const product$ = typeof action.payload === 'number'\r\n // referer is url\r\n ? this.productService.getById(action.payload)\r\n // referer is product selector\r\n : from([action.payload]);\r\n\r\n return product$.pipe(switchMap(product => {\r\n let context: WizardContexts;\r\n if (product === null || product.state === null) {\r\n if (!surveyWizardContext.productId) {\r\n // We end up here if we don't have an actual draft, but just a selected product definition\r\n // so we need to start the zelection flow all over. That will give us a new product Id\r\n return from([new ProductWizardActions.SelectProductDefinition(product.companyProductDefinition, WizardTypes.survey)]);\r\n }\r\n } else {\r\n context = JSON.parse(product.state, this.reviver) as WizardContexts;\r\n context.currentVersion = product.currentVersion;\r\n if (!context.productDefinition?.definitionObject) { // parse old drafts lacking definitionObject\r\n context.productDefinition.definitionObject = JSON.parse(context.productDefinition.definition);\r\n }\r\n if (context.wizardType === WizardTypes.followup) {\r\n if (product.actions && product.actions.length >= context.actions.length) {\r\n context.actions = product.actions;\r\n }\r\n } else if (context.wizardType === WizardTypes.survey) {\r\n this.setupSurveyDates(context.schedule);\r\n }\r\n }\r\n\r\n if (context?.productId === null) {\r\n context.productId = typeof action.payload === 'number' ? action.payload : action.payload.id;\r\n }\r\n if (action.forceStep > -1) {\r\n context.activeStep = action.forceStep;\r\n }\r\n\r\n // Fix for old drafts /w no name\r\n if (isSurveyWizardContext(context) && context?.name == null) {\r\n context.name = context.productDefinition?.name;\r\n }\r\n\r\n if (isSurveyWizardContext(context)) {\r\n context.wasDeactivated = action.wasDeactivated;\r\n // get new user count (setGroups), things in organization might have change, people might have been added or removed\r\n // TODO! also; for now we need to save draft after loading it in order for rules to be reapplied\r\n\r\n return from([\r\n new ProductWizardActions.SetWizardState({ ...context, pristine: false }),\r\n new SurveyWizardActions.SetGroups(context.participants.groups),\r\n new ProductWizardActions.SetChanged({ changed: false }),\r\n ]);\r\n } else {\r\n return from([new ProductWizardActions.SetWizardState({ ...context, pristine: false }),\r\n new ProductWizardActions.SetChanged({ changed: false })]);\r\n }\r\n\r\n }));\r\n })\r\n ));\r\n\r\n createDraft$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.CREATE_DRAFT),\r\n withLatestFrom(this.store.select(s => s.companyContext), this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([action, context, surveyWizardContext]) => {\r\n let defaultWizardState: WizardContexts;\r\n let initialDraftState: string = null;\r\n\r\n if (isSurveyWizardContext(action.payload)) {\r\n\r\n const initialState = surveyWizardContext;\r\n defaultWizardState = {\r\n ...initialState,\r\n name: '',\r\n index: {\r\n indexValidation: [...initialState.index.indexValidation],\r\n indexes: initialState.index.indexes ? [...initialState.index.indexes] : null,\r\n indexInfo: [...action.payload.index.indexInfo]\r\n }\r\n };\r\n }\r\n\r\n if (isFolloupWizardContext(action.payload)) {\r\n defaultWizardState = this.getInitialState(action.payload.wizardType) as FollowupWizardContext;\r\n initialDraftState = defaultWizardState != null ? JSON.stringify(defaultWizardState) : null;\r\n }\r\n\r\n const state: WizardContexts = JSON.parse(JSON.stringify(defaultWizardState), this.reviver);\r\n state.productDefinition = action.payload.productDefinition;\r\n\r\n return this.productService.create(context.id, action.payload.productDefinition.id, initialDraftState)\r\n .pipe(\r\n switchMap(product => {\r\n return from([\r\n new ProductWizardActions.SaveDraft({ ...state, productId: product.id, currentVersion: product.currentVersion }),\r\n new ProductWizardActions.SetWizardState({ ...state, productId: product.id, currentVersion: product.currentVersion, pristine: true }),\r\n ])\r\n }\r\n )\r\n );\r\n })\r\n ));\r\n\r\n draftSaved$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.DRAFT_SAVED),\r\n filter(action => action.showMessage),\r\n tap(() => this.translations.selectTranslate('INSIGHT.GLOBAL.UPDATED')\r\n .pipe(take(1))\r\n .subscribe((t: string) => {\r\n this.snackIt(t + '!', null);\r\n })),\r\n switchMap(_ => from([]))\r\n ));\r\n\r\n selectProductDefinition$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SELECT_PRODUCT_DEFINITION),\r\n switchMap((action) => from([\r\n new ProductWizardActions.SelectProductDefinitionSuccess(action.payload, action.wizardType)\r\n ]))\r\n ));\r\n setChange$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SET_CHANGED),\r\n switchMap(action => {\r\n return from([new ProductWizardActions.SetChangedSuccess({ changed: action.payload.changed, action: action.payload.action })]);\r\n })\r\n ));\r\n\r\n actionAfterChanged$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SET_CHANGED_SUCCESS),\r\n switchMap(action => {\r\n return action.payload.action ? from([action.payload.action]) : from([]);\r\n })\r\n ))\r\n\r\n private snackIt(title: string, desc: string) {\r\n const popup = this.snackBar.open(title, desc,\r\n { duration: 3000, politeness: 'polite', panelClass: 'polite' });\r\n popup.onAction().subscribe(() => {\r\n popup.dismiss();\r\n });\r\n }\r\n reviver(_, value: any) {\r\n const dateFormat = /^\\d{4}-\\d{2}-\\d{2}T\\d{2}:\\d{2}:\\d{2}.\\d{3}Z$/;\r\n if (typeof value === 'string' && dateFormat.test(value)) {\r\n return new Date(value);\r\n }\r\n return value;\r\n }\r\n\r\n private getInitialState(wizardType: WizardTypes): WizardContexts {\r\n switch (wizardType) {\r\n case WizardTypes.survey:\r\n return DefaultSurveyWizardState;\r\n case WizardTypes.followup:\r\n return DefaultFollowupWizardState;\r\n }\r\n }\r\n\r\n private setupSurveyDates(scheduleContext: ScheduleContext): void {\r\n const todaysDate = new Date();\r\n\r\n // Update startDate to todays date in case it's valid or in the past\r\n if (!this.isValidDate(scheduleContext.startDate) || new Date(scheduleContext.startDate).getTime() < todaysDate.getTime()) {\r\n scheduleContext.startDate = new Date();\r\n scheduleContext.startDate.setSeconds(0, 0);\r\n }\r\n\r\n // Update endDate to 23:59:00 14 days from startDate in case it's before startDate (unless it's null which we allow)\r\n if (\r\n scheduleContext.endDate !== null &&\r\n scheduleContext.endDate < scheduleContext.startDate\r\n ) {\r\n scheduleContext.endDate = new Date(scheduleContext.startDate.getTime());\r\n scheduleContext.endDate.setDate(scheduleContext.startDate.getDate() + 14);\r\n scheduleContext.endDate.setHours(23, 59, 0, 0);\r\n }\r\n\r\n if (scheduleContext.reminderEmails.some(r => r.date < scheduleContext.startDate)) {\r\n scheduleContext.reminderEmails = getReminderEmails(scheduleContext.startDate, scheduleContext.endDate, scheduleContext.reminderEmails[0].emailId);\r\n }\r\n }\r\n\r\n private isValidDate(d) {\r\n if (Object.prototype.toString.call(d) === '[object Date]') {\r\n if (isNaN(d.getTime())) { // d.valueOf() could also work\r\n return false;\r\n } else {\r\n return true;\r\n }\r\n } else {\r\n return false;\r\n }\r\n }\r\n}\r\n","import { Injectable } from '@angular/core';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport * as CompanyContextActions from 'app/state/actions/company-context.actions';\r\nimport * as ReportActions from 'app/state/actions/report.actions';\r\nimport * as UserStateActions from 'app/state/actions/user-state.actions';\r\nimport { filter, mergeMap, switchMap } from 'rxjs/operators';\r\n\r\n@Injectable()\r\nexport class ReportEffects {\r\n constructor(\r\n private actions$: Actions) { }\r\n\r\n invalidateOnComanyChange = createEffect(() => this.actions$.pipe(\r\n ofType(CompanyContextActions.Type.SET_COMPANY_CONTEXT),\r\n mergeMap(_ => {\r\n return [\r\n new ReportActions.Invalidate()\r\n ]\r\n })\r\n ));\r\n\r\n changeGroupSetHierarchy = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.GROUP_SELECTOR_CHANGE_GROUP),\r\n filter(action => !!action.payload.groupParameter),\r\n mergeMap(action => {\r\n return [\r\n new ReportActions.Invalidate(),\r\n new UserStateActions.UpdateParameter({ name: action.payload.groupParameter.key, value: action.payload.groupParameter.value.toString() }),\r\n new ReportActions.GroupSelectorChangeGroupSuccess({ groupId: action.payload.groupId, groupCategory: action.payload.groupCategory, hierarchyId: action.payload.hierarchyId })\r\n ]\r\n })\r\n ));\r\n\r\n setReport = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_ACTIVE_REPORT),\r\n switchMap(action => {\r\n return [new ReportActions.SetActiveReportSuccess(action.payload)];\r\n })\r\n ));\r\n\r\n setFilterSettings = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_SETTINGS_FILTER),\r\n switchMap(action => {\r\n const parametersToUpdate = action.payload.settingsFilter.filter(x => x.setParameter != null);\r\n if (parametersToUpdate.length > 0) {\r\n return [\r\n new UserStateActions.UpdateMultipleParameters(parametersToUpdate.map(x => ({ name: x.setParameter, value: x.value }))),\r\n new ReportActions.SetSettingsFilterSuccess(action.payload)\r\n ];\r\n }\r\n\r\n return [new ReportActions.SetSettingsFilterSuccess(action.payload)];\r\n })\r\n ));\r\n\r\n setFilterSorting = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_SORTING_FILTER),\r\n switchMap(action => [new ReportActions.SetSortingFilterSuccess(action.payload)])\r\n ));\r\n\r\n setFilterQuestion = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_QUESTION_FILTER),\r\n switchMap(action => [new ReportActions.SetQuestionFilterSuccess(action.payload)])\r\n ));\r\n\r\n setFilterFreetextQuestion = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_FREETEXT_QUESTION_FILTER),\r\n switchMap(action => [new ReportActions.SetFreetextQuestionFilterSuccess(action.payload)])\r\n ));\r\n\r\n setFilterRecommendationArea = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_AREA_FILTER),\r\n switchMap(action => [new ReportActions.SetAreaFilterSuccess(action.payload)])\r\n ));\r\n\r\n setIndexFilter = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_INDEX_FILTER),\r\n switchMap(action => [new ReportActions.SetIndexFilterSuccess(action.payload)])\r\n ));\r\n\r\n setStatusFilter = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_STATUS_FILTER),\r\n switchMap(action => [new ReportActions.SetStatusFilterSuccess(action.payload)])\r\n ));\r\n\r\n setFilterTonalityCategory = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_TONALITY_CATEGORY_FILTER),\r\n switchMap(action => [new ReportActions.SetTonalityCategoryFilterSuccess(action.payload)])\r\n ));\r\n setFilterTonality = createEffect(() => this.actions$.pipe(\r\n ofType(ReportActions.Type.SET_TONALITY_FILTER),\r\n switchMap(action => [new ReportActions.SetTonalityFilterSuccess(action.payload)])\r\n ));\r\n\r\n\r\n}\r\n","import { HttpErrorResponse } from '@angular/common/http';\r\nimport { Injectable } from '@angular/core';\r\nimport { ActivatedRouteSnapshot, Params } from '@angular/router';\r\nimport { TranslocoService } from '@ngneat/transloco';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport { Store } from '@ngrx/store';\r\nimport {NeedsToUnsubscribe, QuestionService} from 'app/shared';\r\nimport { Answer, Condition, Operand, Survey, SurveyPageGroup, SurveyRule } from 'app/shared/models';\r\nimport { AuthenticationService, ModuleService, SurveyService } from 'app/shared/services';\r\nimport { SurveyNavigationBookmark } from 'app/shared/survey-render/models';\r\nimport * as SurveyUIActions from 'app/state/actions/survey-ui.actions';\r\nimport { AppState } from 'app/state/app.state';\r\nimport { EMPTY, from, of } from 'rxjs';\r\nimport { catchError, combineLatestWith, filter, map, switchMap, tap, withLatestFrom } from 'rxjs/operators';\r\nimport { LoadContextFromToken } from './../actions/user-info.actions';\r\n\r\nexport interface TargetAction {\r\n id: number;\r\n visible: boolean;\r\n}\r\n@Injectable()\r\nexport class SurveyUIEffects extends NeedsToUnsubscribe {\r\n survey: Survey;\r\n constructor(\r\n private actions$: Actions,\r\n private surveyService: SurveyService,\r\n private moduleService: ModuleService,\r\n private questionService: QuestionService,\r\n private authService: AuthenticationService,\r\n private store: Store,\r\n private translate: TranslocoService) { super(); }\r\n\r\n initSurvey$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.INIT_SURVEY_APP),\r\n switchMap(_ => {\r\n return [new SurveyUIActions.SetupSurveyContext()];\r\n })\r\n ));\r\n\r\n setupContext$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.SETUP_SURVEY_CONTEXT),\r\n combineLatestWith(this.store.select(x => x.router)),\r\n map(([_, router]) => this.getRouteParams(router.state.root)),\r\n switchMap(params => from([new LoadContextFromToken(String(params['token']))]))\r\n ));\r\n\r\n\r\n loadSurveyContent$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.SETUP_SURVEY_CONTEXT),\r\n combineLatestWith(this.store.select(s => s.userInfo.displayLanguageId)),\r\n withLatestFrom(this.store.select(x => x.router)),\r\n filter(([[_, displayLangId], __]) => !!displayLangId),\r\n switchMap(([[_, displayLangId], router]) => {\r\n const params = this.getRouteParams(router.state.root);\r\n return this.surveyService.get(String(params['token']), displayLangId)\r\n }),\r\n switchMap(survey => from([new SurveyUIActions.LoadSurveyContentSuccess(survey)])),\r\n catchError(error => {\r\n if (error?.error?.error === 'session expired') {\r\n return of(new SurveyUIActions.LoadSurveySurveyExpired());\r\n } else {\r\n this.authService.startSigninMainWindow('');\r\n }\r\n })\r\n ));\r\n\r\n\r\n loadSurveyStateFromDatabase$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.LOAD_SURVEY_CONTENT_SUCCESS),\r\n withLatestFrom(this.store.select(x => x.router), this.store.select(x => x.surveyState.pageGroups)),\r\n map(([_, router, pageGroups]) => [\r\n this.getRouteParams(router.state.root)['token'],\r\n this.getQuestionIds(pageGroups)\r\n ]),\r\n switchMap(([token, questionIds]) => this.surveyService.getState(token).pipe(\r\n switchMap(data => {\r\n let serverSurveyAnswers: Answer[] = [];\r\n serverSurveyAnswers = JSON.parse(data) as Answer[];\r\n\r\n let validAnswers: Answer[] = [];\r\n if (serverSurveyAnswers && serverSurveyAnswers.length) {\r\n validAnswers = serverSurveyAnswers.filter(a => questionIds.includes(a.questionId));\r\n }\r\n return of(new SurveyUIActions.LoadSurveyAnswersFromDatabase(validAnswers));\r\n }))\r\n )\r\n ));\r\n\r\n loadSurveyAnswersFromDatabaseSuccess$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.LOAD_ANSWERS_DATABASE),\r\n filter(action => action.payload != null),\r\n map(action => {\r\n return new SurveyUIActions.LoadSurveyAnswersFromDatabaseSuccess(action.payload);\r\n })\r\n ));\r\n\r\n goToNextPage = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.NEXT_PAGE, SurveyUIActions.Type.START_SURVEY),\r\n withLatestFrom(this.store.select(s => s.surveyState.pageCurrent)),\r\n switchMap(([_, page]) => {\r\n\r\n return [new SurveyUIActions\r\n .GoToPage({ chapterIndex: null, pageIndex: page + 1 })\r\n ];\r\n })\r\n ));\r\n\r\n goToPreviousPage = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.PREVIOUS_PAGE),\r\n withLatestFrom(this.store.select(s => s.surveyState.pageCurrent)),\r\n switchMap(([_, page]) =>\r\n [new SurveyUIActions\r\n .GoToPage({ chapterIndex: null, pageIndex: page - 1 })])\r\n ));\r\n\r\n fastForwardPage = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.FAST_FORWARD_PAGE),\r\n withLatestFrom(this.store.select(s => s.surveyState.fastForwardChapter),\r\n this.store.select(s => s.surveyState.fastForwardPage)),\r\n switchMap(([_, ffChapter, ffPage]) =>\r\n [new SurveyUIActions\r\n .GoToPage({ chapterIndex: ffChapter, pageIndex: ffPage })])\r\n ));\r\n\r\n goToPageCheck = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.GO_TO_PAGE),\r\n filter(action => action.payload != null),\r\n withLatestFrom(\r\n this.store.select(s => s.surveyState.fastForwardChapter),\r\n this.store.select(s => s.surveyState.fastForwardPage),\r\n this.store.select(s => s.surveyState.chapterCurrent)\r\n ),\r\n switchMap(([action, fastForwardChapter, fastForwardPage, chapterCurrent]) => {\r\n\r\n const bookmark = { ...action.payload };\r\n\r\n if (!bookmark.chapterIndex) {\r\n bookmark.chapterIndex = chapterCurrent;\r\n }\r\n\r\n if (bookmark.chapterIndex > fastForwardChapter) {\r\n return [new SurveyUIActions.GoToPageFailure()];\r\n }\r\n\r\n return [new SurveyUIActions\r\n .GoToPageSuccess({ chapterIndex: bookmark.chapterIndex, pageIndex: bookmark.pageIndex })\r\n ];\r\n })));\r\n\r\n removeSurveyState$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.SUBMIT_SURVEY_SUCCESS, SurveyUIActions.Type.CLEAR_STATE),\r\n withLatestFrom(this.store.select(s => s.router)),\r\n map(([action, router]) => [action, this.getRouteParams(router.state.root)]),\r\n tap(([_, params]) => this.surveyService.updateState(params['token'], '')),\r\n switchMap(() => from([]))\r\n ));\r\n\r\n loadPreview$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.LOAD_PREVIEW),\r\n switchMap(action => this.moduleService.preview(action.payload)\r\n .pipe(map(previewResult => {\r\n return new SurveyUIActions.LoadPreviewSuccess(previewResult);\r\n })))\r\n ));\r\n\r\n loadQuestionPreview$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.LOAD_QUESTION_PREVIEW),\r\n switchMap(action =>\r\n this.moduleService.preview(action.payload)\r\n .pipe(map(previewResult => {\r\n if (action.payload.fieldOverride) {\r\n previewResult.pageGroups[0].pages[0].pageItems[0].question.questionFields = action.payload.fieldOverride;\r\n }\r\n return new SurveyUIActions.LoadPreviewSuccess(previewResult);\r\n })))\r\n ));\r\n\r\n loadQuestionFieldPreview$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.LOAD_QUESTION_FIELD_PREVIEW),\r\n switchMap(action => this.questionService.previewQuestionField(action.payload)\r\n .pipe(map(previewResult => {\r\n return new SurveyUIActions.LoadPreviewSuccess(previewResult);\r\n })))\r\n ));\r\n\r\n saveDBState$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.REGISTER_ANSWER, SurveyUIActions.Type.REMOVE_ANSWER),\r\n withLatestFrom(\r\n this.store.select(s => s.surveyState.answers),\r\n this.store.select(x => x.router),\r\n this.store.select(s => s.surveyState.previewMode)),\r\n map(([_, answers, router, previewMode]) => {\r\n const surveyKey = this.getRouteParams(router.state.root);\r\n if (surveyKey && !previewMode) {\r\n return new SurveyUIActions.SaveAnswersDatabase(answers);\r\n } else {\r\n return new SurveyUIActions.SaveAnswersDatabaseFailure('preview')\r\n }\r\n })));\r\n\r\n saveDBStateSuccess = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.SAVE_ANSWERS_DATABASE),\r\n withLatestFrom(this.store.select(x => x.router)),\r\n map(([action, router]) => {\r\n const params = this.getRouteParams(router.state.root);\r\n const surveyKey = params['token'];\r\n return [surveyKey, action.payload];\r\n }),\r\n switchMap(([key, payload]) => this.surveyService.updateState(key, JSON.stringify(payload)).pipe(\r\n catchError((x: HttpErrorResponse) => from([x]))\r\n )),\r\n map(response => response.ok ? new SurveyUIActions.SaveAnswersDatabaseSuccess()\r\n : new SurveyUIActions.SaveAnswersDatabaseFailure(response.status))\r\n ));\r\n\r\n evaluateRules$ = createEffect(() => this.actions$.pipe(\r\n ofType\r\n (SurveyUIActions.Type.REGISTER_ANSWER, SurveyUIActions.Type.REMOVE_ANSWER,\r\n SurveyUIActions.Type.START_SURVEY, SurveyUIActions.Type.LOAD_ANSWERS_DATABASE_SUCCESS),\r\n withLatestFrom(this.store.select(s => s.surveyState)),\r\n filter(([_, state]) => state.rules.length > 0),\r\n switchMap(([action, state]) => {\r\n const changes = [];\r\n const answers = [...state.answers];\r\n if (action instanceof SurveyUIActions.RegisterAnswer || action instanceof SurveyUIActions.RemoveAnswer) {\r\n const source = action.payload;\r\n const filteredDependeciesCount = state.ruleDependencies\r\n .filter(dep => dep.sourceId === source.questionId).length;\r\n if (filteredDependeciesCount === 0) { return from(EMPTY); }\r\n }\r\n this.evaluateRules(state.rules, answers, changes);\r\n return from(changes);\r\n })\r\n ));\r\n\r\n updateFastForward = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.REGISTER_ANSWER,\r\n SurveyUIActions.Type.REMOVE_ANSWER,\r\n SurveyUIActions.Type.LOAD_ANSWERS_DATABASE_SUCCESS,\r\n SurveyUIActions.Type.LOAD_PREVIEW_SUCCESS),\r\n switchMap((_ => {\r\n return [new SurveyUIActions.SetFastForwardPage()];\r\n }))\r\n ));\r\n\r\n fastForwardAfterLoadedFromDatabase$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.LOAD_ANSWERS_DATABASE_SUCCESS),\r\n filter(action => action.payload && action.payload.length > 0),\r\n switchMap(_ => [\r\n new SurveyUIActions.SetFastForwardPage(),\r\n new SurveyUIActions.FastForwardPage(),\r\n ]),\r\n ));\r\n\r\n submitSurvey$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyUIActions.Type.SUBMIT_SURVEY),\r\n withLatestFrom(this.store.select(s => s.surveyState),\r\n this.store.select(x => x.router)),\r\n switchMap(([_, surveyState, router]) => {\r\n if (surveyState.previewMode) { return from([new SurveyUIActions.SubmitSurveySuccess()]); }\r\n const params = this.getRouteParams(router.state.root);\r\n const surveyKey = params['token'];\r\n return this.surveyService\r\n .submit({ sessionId: surveyState.sessionId, answers: surveyState.answers, token: surveyKey })\r\n .pipe(\r\n catchError(err => of(err)),\r\n map((err: any) => {\r\n return err.ok ? new SurveyUIActions.SubmitSurveySuccess() : new SurveyUIActions.SubmitSurveyFailure();\r\n }),\r\n );\r\n })\r\n ));\r\n\r\n private evaluateRules(rules: SurveyRule[],\r\n answers: Answer[],\r\n changes: (SurveyUIActions.SetQuestionVisibility |\r\n SurveyUIActions.SetContentVisibility |\r\n SurveyUIActions.RemoveAnswer |\r\n SurveyUIActions.SetChapterVisibility)[]) {\r\n\r\n const questionChanges: TargetAction[] = [];\r\n const removeAnswers: Answer[] = [];\r\n\r\n for (const rule of rules.filter(r => this.canBeEvaluatedOnClient(r.condition))) {\r\n const conditionValue = this.evaluate(rule.condition, answers);\r\n const visible = rule.action === 'Hide' && !conditionValue ||\r\n rule.action === 'Show' && conditionValue;\r\n for (const target of rule.targets) {\r\n switch (target.targetType) {\r\n case 'Question':\r\n questionChanges.push({ id: target.targetId, visible: visible });\r\n const hasAnswer = answers.find(a => a.questionId === target.targetId);\r\n if (!visible && hasAnswer) {\r\n removeAnswers.push(hasAnswer);\r\n }\r\n break;\r\n case 'Content':\r\n changes.push(new SurveyUIActions.SetContentVisibility({ contentId: target.targetId, visible: visible }));\r\n break;\r\n case 'PageGroup':\r\n changes.push(new SurveyUIActions.SetChapterVisibility({ pageGroupKey: target.targetKey, visible: visible }));\r\n break;\r\n }\r\n }\r\n }\r\n\r\n if (removeAnswers.length) {\r\n for (const answer of removeAnswers) {\r\n changes.push(new SurveyUIActions.RemoveAnswer(answer));\r\n }\r\n }\r\n\r\n if (questionChanges.length) {\r\n changes.push(new SurveyUIActions.SetQuestionVisibility(questionChanges));\r\n }\r\n }\r\n\r\n private canBeEvaluatedOnClient(condition: Condition): boolean {\r\n if (condition == null) {\r\n return false;\r\n } else if (condition.logic) {\r\n return condition.conditions.some(this.canBeEvaluatedOnClient);\r\n } else {\r\n const canBeEvaluated = ['Question', 'Const'];\r\n return canBeEvaluated.includes(condition.operand1.source) &&\r\n canBeEvaluated.includes(condition.operand2.source);\r\n }\r\n }\r\n\r\n private getValue(operand: Operand, answers: Answer[]): string {\r\n if (operand.source === 'Question') {\r\n const answer = answers.filter(a => operand.sourceId === a.questionId)\r\n .map(a => a.value).join(',');\r\n return answer?.length ? answer : null;\r\n } else if (operand.source === 'Const') {\r\n return operand.value;\r\n }\r\n\r\n return null;\r\n }\r\n\r\n private evaluate(condition: Condition, answers: Answer[]): boolean {\r\n if (condition.logic) {\r\n const children = condition.conditions.map(c => this.evaluate(c, answers));\r\n if (condition.logic === 'And') {\r\n return children.every(c => c);\r\n } else {\r\n return children.some(c => c);\r\n }\r\n } else {\r\n if (condition.context === 'Backend') { return true; }\r\n const operand1Value = this.getValue(condition.operand1, answers);\r\n const operand2Value = this.getValue(condition.operand2, answers);\r\n const conditionValue = this.evaluateOperands(operand1Value, condition.operator, operand2Value);\r\n return conditionValue;\r\n }\r\n }\r\n private evaluateOperands(op1: string, operator: string, op2: string): boolean {\r\n // TODO: Should probably check type for comparison...\r\n if (operator === 'Eq') {\r\n if (op1 === null || op2 === null) {\r\n return (op1 === 'null' || op2 === 'null');\r\n }\r\n return op1 === op2;\r\n } else if (operator === 'Neq') {\r\n return !this.evaluateOperands(op1, 'Eq', op2);\r\n } else if (operator === 'In') {\r\n if (op2 === null) { return false; }\r\n return op2.split(',').includes(op1 === null ? 'null' : op1);\r\n } else if (operator === 'Nin') {\r\n if (op2 === null) { return false; }\r\n return !op2.split(',').includes(op1 === null ? 'null' : op1);\r\n } else if (op1 === null || op2 === null) {\r\n return false;\r\n } else if (operator === 'Lt') {\r\n return +op1 < +op2;\r\n } else if (operator === 'Lte') {\r\n return +op1 <= +op2;\r\n } else if (operator === 'Gt') {\r\n return +op1 > +op2;\r\n } else if (operator === 'Gte') {\r\n return +op1 >= +op2;\r\n } else if (operator === 'Con') {\r\n if (op1 === null) { return false; }\r\n return op1.split(',').includes(op2 === null ? 'null' : op2);\r\n }\r\n return false;\r\n }\r\n\r\n private getRouteParams(routeData: ActivatedRouteSnapshot): Params {\r\n let result: Params = { ...routeData.params };\r\n while (Object.prototype.hasOwnProperty.call(routeData, 'firstChild') && routeData.firstChild) {\r\n routeData = routeData.firstChild;\r\n result = { ...result, ...routeData.params };\r\n }\r\n return result;\r\n }\r\n\r\n private getQuestionIds(pageGroups: SurveyPageGroup[]): number[] {\r\n return pageGroups\r\n .flatMap(pg => pg.pages)\r\n .flatMap(p => p.pageItems)\r\n .filter(pi => pi.question)\r\n .map(pi => pi.question.questionId);\r\n }\r\n}\r\n","import { Injectable } from '@angular/core';\r\nimport { ActivatedRoute } from '@angular/router';\r\nimport { TranslocoService } from '@ngneat/transloco';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport { Store } from '@ngrx/store';\r\nimport { ConfirmationDialogService } from 'app/shared/confirmation-dialog/confirmation-dialog.service';\r\nimport { DialogType } from 'app/shared/confirmation-dialog/dialog.type';\r\nimport {\r\n ActivateSurvey,\r\n CompanyContext,\r\n CompanyProductDefinition,\r\n ProductDefinitionJson,\r\n ProductIndex,\r\n Rule,\r\n RuleWithModuleKey,\r\n Survey,\r\n SurveyCreate,\r\n SurveyMetaDto,\r\n SurveyModulePageGroup,\r\n SurveyProductDefinitionJsonStep,\r\n SurveyWizardContext,\r\n UserWithRelatedUsers,\r\n WizardTypes,\r\n isSurveyWizardContext\r\n} from 'app/shared/models';\r\nimport { QuestionInfo } from 'app/shared/models/index.model';\r\nimport { ValidationData, ValidationError } from 'app/shared/product-wizard/survey/module-selection/models/survey-wizard-question.model';\r\nimport { CompanyProductDefinitionService, ErrorsService, GroupService, ModuleService, ProductService, SurveyService } from 'app/shared/services';\r\nimport { UserService } from 'app/shared/services/user.service';\r\nimport * as NavigationActions from 'app/state/actions/navigation.actions';\r\nimport * as ProductWizardActions from 'app/state/actions/product-wizard.actions';\r\nimport * as SurveyWizardActions from 'app/state/actions/survey-wizard.actions';\r\nimport { AppState } from 'app/state/app.state';\r\nimport { EMPTY, combineLatest, from, iif, of } from 'rxjs';\r\nimport { catchError, filter, map, mergeMap, shareReplay, switchMap, take, withLatestFrom } from 'rxjs/operators';\r\n\r\nexport type scheduleActions =\r\n SurveyWizardActions.SetStartDate\r\n | SurveyWizardActions.SetStartTime\r\n | SurveyWizardActions.SetEndDate\r\n | SurveyWizardActions.SetReportDate\r\n | SurveyWizardActions.SetReminderEmail\r\n | SurveyWizardActions.SetReminderEmails\r\n | SurveyWizardActions.SetAutoReport;\r\n\r\nexport type communicationActions =\r\n SurveyWizardActions.SetActivationEmail\r\n | SurveyWizardActions.SetReportEmail\r\n | SurveyWizardActions.SetActivationSms\r\n | SurveyWizardActions.SetWelcomeSms\r\n | SurveyWizardActions.SetCommunicationEnabled\r\n | SurveyWizardActions.SetCommunicationMethod\r\n | SurveyWizardActions.SetPinCodeEmail\r\n | SurveyWizardActions.SetPinCodeSms\r\n | SurveyWizardActions.SetPincodeLanguage;\r\n\r\n@Injectable()\r\nexport class SurveyWizardEffects {\r\n constructor(\r\n private actions$: Actions,\r\n private store: Store,\r\n private groupService: GroupService,\r\n private productService: ProductService,\r\n private surveyService: SurveyService,\r\n private errorService: ErrorsService,\r\n private translations: TranslocoService,\r\n private companyProductDefinitionService: CompanyProductDefinitionService,\r\n private moduleService: ModuleService,\r\n private userService: UserService,\r\n private route: ActivatedRoute,\r\n private dialogService: ConfirmationDialogService) {\r\n }\r\n\r\n setSelectedModuleId$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.SET_MODULE_ID),\r\n switchMap((action) => from([new SurveyWizardActions.SetModuleIdSuccess(action.payload)]))\r\n ));\r\n\r\n setSelectedModules$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.SET_SELECTED_MODULES),\r\n switchMap((action) => from([new SurveyWizardActions.SetSelectedModulesSuccess(action.payload)]))\r\n ));\r\n\r\n getIndexInfoOnNew$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SELECT_PRODUCT_DEFINITION_SUCCESS),\r\n filter(action => action.wizardType === WizardTypes.survey),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext), this.store.select(s => s.companyContext)),\r\n switchMap(([_, surveyWizardContext, companyContext]) => {\r\n\r\n if (surveyWizardContext.index?.indexes == null) {\r\n return from([new SurveyWizardActions.GetIndexInfo()])\r\n } else {\r\n return from([new NavigationActions.Go({ path: this.pathToSurveySetup(companyContext, surveyWizardContext.productId), extras: { state: { bypassFormGuard: true } } })])\r\n }\r\n })\r\n ));\r\n\r\n startFlow$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SET_WIZARD_STATE),\r\n filter(action => isSurveyWizardContext(action.payload)),\r\n withLatestFrom(this.store.select(s => s.companyContext), this.store.select(s => s.userInfo)),\r\n switchMap(([action, companyContext, userInfo]) => {\r\n const context = action.payload as SurveyWizardContext;\r\n const indexValidation = this.validateIndexes(context);\r\n const autoReportDefaultValue = !userInfo.userPermission.can('Survey.Create.NoCommunication', companyContext.id, -1);\r\n\r\n return from(\r\n [\r\n new SurveyWizardActions.SetIndexes(indexValidation),\r\n new SurveyWizardActions.InitAutoReport({ context: action.payload, autoReportDefaultValue }),\r\n new SurveyWizardActions.SetupContent({\r\n companyProductDefinition: action.payload.productDefinition,\r\n selectedModules: context.modules\r\n })\r\n ]);\r\n })\r\n ));\r\n\r\n startFlowGo$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SET_WIZARD_STATE),\r\n filter(action => isSurveyWizardContext(action.payload)),\r\n withLatestFrom(this.store.select(s => s.companyContext), this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([action, companyContext, surveyWizardContext]) => {\r\n if (!(surveyWizardContext.wasDeactivated) && surveyWizardContext.surveyId) {\r\n return from(EMPTY);\r\n }\r\n return from([new NavigationActions.Go({ path: this.pathToSurveySetup(companyContext, action.payload.productId), extras: { state: { bypassFormGuard: true } } })])\r\n })\r\n ));\r\n\r\n setupContent$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.SETUP_CONTENT),\r\n withLatestFrom(this.store.select(s => s.companyContext), this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([action, companyContext, context]) => {\r\n\r\n const def: CompanyProductDefinition = action.payload.companyProductDefinition;\r\n const definitionObject: ProductDefinitionJson = def?.definitionObject ?? JSON.parse(def.definition) as ProductDefinitionJson;\r\n const moduleStep: SurveyProductDefinitionJsonStep = (definitionObject.steps as SurveyProductDefinitionJsonStep[]).find(s => s.stepId === 'modules');\r\n\r\n const moduleTags = moduleStep?.availableModuleTags ?? [];\r\n const moduleKeys = moduleStep?.availableModuleKeys ?? [];\r\n const preselected = moduleStep?.preselected ?? [];\r\n const main = moduleStep?.main || preselected[0];\r\n\r\n return iif(() => (moduleTags?.length > 0 || moduleKeys?.length > 0),\r\n this.moduleService.getByKeysAndTags(companyContext.id, moduleKeys, moduleTags).pipe(\r\n switchMap(response => {\r\n const moduleCategories = this.moduleService.getModuleCategories(response.modules);\r\n\r\n // vi vill inte Toggla om det redan finns ett surveyModulId...\r\n // this.store.dispatch(new SurveyWizardActions.SetSelectedModules());\r\n const selected = action.payload.selectedModules.map(sm => sm.key);\r\n if (selected.length === 0) {\r\n const preselectedModules = this.moduleService.getSelectedModules(preselected.filter((el) => !selected.includes(el)), moduleCategories);\r\n for (const preselectedModule of preselectedModules) {\r\n this.store.dispatch(new SurveyWizardActions.ToggleModule(preselectedModule));\r\n }\r\n }\r\n const mainModule = this.moduleService.getMainModule(main, moduleCategories);\r\n const mainModuleView = action.payload.selectedModules.find(sm => sm.key === mainModule?.key);\r\n\r\n if (mainModuleView) {\r\n const module = moduleCategories\r\n .flatMap(mc => mc.modules)\r\n .find(m => m.key === mainModule.key);\r\n\r\n if (module !== undefined) {\r\n module.main = true;\r\n }\r\n }\r\n moduleCategories.forEach(mc => mc.modules.removeEvery(m => !m.enabled && !m.main))\r\n\r\n return from([\r\n new SurveyWizardActions.SetupContentSuccess(moduleCategories)\r\n ]);\r\n })),\r\n from([\r\n new SurveyWizardActions.SetupContentSuccess([])\r\n ]));\r\n }\r\n )));\r\n\r\n toggleGroups$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.TOGGLE_GROUP),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([action, surveyWizardContext]) => {\r\n const currentGroups = [...surveyWizardContext.participants.groups];\r\n if (currentGroups.some(x => x.id === action.payload.id)) {\r\n currentGroups.removeEvery(x => x.id === action.payload.id);\r\n } else {\r\n currentGroups.push(action.payload);\r\n }\r\n return from([new SurveyWizardActions.SetGroups(currentGroups)]);\r\n })\r\n ));\r\n\r\n updateParticipantCounts$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.SET_GROUPS),\r\n withLatestFrom(this.store.select(state => state.surveyWizardContext?.productDefinition)),\r\n switchMap(([action, productDefinition]) => {\r\n const definitionObject: ProductDefinitionJson = productDefinition?.definitionObject ?? JSON.parse(productDefinition.definition) as ProductDefinitionJson;\r\n const ignoreExcludeFlag = definitionObject.survey?.ignoreExcludedFlag ?? false;\r\n const settings = definitionObject.steps.find(s => s.stepId === 'participants')?.settings;\r\n const showPerspectives = (settings && 'showPerspectives' in settings) ? !!settings.showPerspectives : false;\r\n\r\n const companyId$ = this.store.select(s => s.companyContext.id).pipe(take(1), shareReplay(1));\r\n const participants$ = this.store.select(s => s.surveyWizardContext.participants.groups);\r\n const selectedHierarchyId$ = this.store.select(s => s.surveyWizardContext.participants?.selectedHierarchy?.id);\r\n\r\n return participants$.pipe(withLatestFrom(combineLatest([selectedHierarchyId$, companyId$])))\r\n .pipe(\r\n filter(([_, [hierarchyId, __]]) => !!hierarchyId),\r\n switchMap(([groups, [hiererchyId, companyId]]) => {\r\n return this.userService.getCompanyGroupsUsersPerspectives(companyId, hiererchyId, [...groups.map(g => g.id)])\r\n }),\r\n map((model: UserWithRelatedUsers[]) => {\r\n return showPerspectives\r\n ? {\r\n perspectivesRespondentsCount: +model?.reduce((prev, next) => (prev + (+next.userCount)), 0),\r\n perspectivesFocusUsersCount: +model?.length\r\n }\r\n : {}\r\n }),\r\n mergeMap(perspectiveModel => {\r\n return this.groupService.getUserCounts(action.payload.map(g => g.id), action.payload.filter(g => g.pin).map(g => g.id), ignoreExcludeFlag)\r\n .pipe(map(model => new SurveyWizardActions.SetParticipantsCounts({ ...model, ...perspectiveModel })))\r\n })\r\n )\r\n }))\r\n );\r\n\r\n activeSurvey$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.CREATE_PRODUCT),\r\n filter(action => action.payload.wizardType === WizardTypes.survey),\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([action, companyContext]) => {\r\n const payload = action.payload as SurveyWizardContext;\r\n return this.surveyService.activate(\r\n companyContext.id,\r\n payload.surveyId,\r\n this.mapContextToSurveyActive(payload))\r\n .pipe(map(() => new ProductWizardActions.ProductCreated(payload.surveyId, WizardTypes.survey)));\r\n })\r\n ));\r\n\r\n saveDraftFromSurveyWizard$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SAVE_DRAFT),\r\n filter(action => action.payload.wizardType === WizardTypes.survey),\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([action, context]) => {\r\n let payload = action.payload as SurveyWizardContext;\r\n this.store.dispatch(new ProductWizardActions.SetChanged({ changed: false }));\r\n return iif(() => !payload.surveyId,\r\n this.createSurvey(payload, context).pipe(\r\n switchMap(httpResult => {\r\n const survey = JSON.parse(httpResult.body).survey as Partial;\r\n const surveyId = survey.id;\r\n const surveyModuleId = survey.surveyModule.id;\r\n if (httpResult.ok) {\r\n payload = { ...payload, surveyId: surveyId, moduleId: surveyModuleId, unsaved: false };\r\n }\r\n this.store.dispatch(new SurveyWizardActions.SetSurveyId(surveyId));\r\n this.store.dispatch(new SurveyWizardActions.SetModuleId(surveyModuleId));\r\n return this.updateDraft(payload, JSON.stringify(payload), action.showMessage);\r\n })\r\n ),\r\n this.updateSurvey(payload, context).pipe(\r\n switchMap(_ => from([\r\n new SurveyWizardActions.SortModules(payload.modules)])),\r\n switchMap(() =>\r\n this.updateDraft({ ...payload, unsaved: false }, JSON.stringify(payload), action.showMessage))\r\n )\r\n );\r\n })\r\n ));\r\n\r\n saveDraftAndGoBackFromSurveyWizard$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SAVE_DRAFT_GO_BACK),\r\n filter(action => action.payload.wizardType === WizardTypes.survey),\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([action, context]) => {\r\n let payload = action.payload as SurveyWizardContext;\r\n return iif(() =>\r\n !(payload).surveyId,\r\n this.createSurvey(payload, context).pipe(\r\n switchMap(httpResult => {\r\n const surveyId = JSON.parse(httpResult.body).survey.id;\r\n const surveyModuleId = JSON.parse(httpResult.body).survey.surveyModule.id;\r\n if (httpResult.ok) {\r\n payload = { ...payload, surveyId: surveyId };\r\n }\r\n this.store.dispatch(new SurveyWizardActions.SetSurveyId(surveyId));\r\n this.store.dispatch(new SurveyWizardActions.SetModuleId(surveyModuleId));\r\n return this.updateDraft(payload, JSON.stringify(payload), action.showMessage)\r\n .pipe(\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([_, companyContext]) => from([\r\n new ProductWizardActions.SetChanged(\r\n {\r\n changed: false,\r\n action: new NavigationActions.Go({ path: [companyContext.shortName, 'surveys'] })\r\n }),\r\n ]))\r\n );\r\n })\r\n ),\r\n this.updateSurvey(payload, context).pipe(\r\n switchMap(() => this.updateDraft(payload, JSON.stringify(payload), action.showMessage)),\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([_, companyContext]) => from([\r\n new ProductWizardActions.SetChanged(\r\n {\r\n changed: false,\r\n action: new NavigationActions.Go({ path: [companyContext.shortName, 'surveys'] })\r\n }),\r\n ])\r\n )\r\n ));\r\n })\r\n ));\r\n\r\n SetPage$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.SET_PAGE),\r\n filter(action => action.wizardType === WizardTypes.survey),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([_, surveyWizardContext]) => iif(\r\n () => surveyWizardContext.unsaved,\r\n from([new ProductWizardActions.SaveDraft(surveyWizardContext)]),\r\n from(EMPTY))\r\n )\r\n ));\r\n\r\n productCreated$ = createEffect(() => this.actions$.pipe(\r\n ofType(ProductWizardActions.Type.PRODUCT_CREATED),\r\n filter(action => action.wizardType === WizardTypes.survey),\r\n withLatestFrom(this.store.select(s => s.companyContext)),\r\n switchMap(([_, companyContext]) =>\r\n from([new NavigationActions.Go({ path: [companyContext.shortName, 'surveys'] })])\r\n )));\r\n\r\n getIndexInfo$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.GET_INDEX_INFO),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([_, context]) => this.companyProductDefinitionService.getIndexInfoVerbose(context.productDefinition.id)),\r\n switchMap(indexes => of(new SurveyWizardActions.GetIndexInfoSuccess(indexes)))\r\n ));\r\n\r\n getIndexInfoSuccess$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.GET_INDEX_INFO_SUCCESS),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext), this.store.select(s => s.companyContext)),\r\n switchMap(([_, surveyWizardContext, companyContext]) => {\r\n return from(surveyWizardContext.productId\r\n ? [new NavigationActions.Go({ path: this.pathToSurveySetup(companyContext, surveyWizardContext.productId) })]\r\n : [new ProductWizardActions.CreateDraft(surveyWizardContext)])\r\n }\r\n )\r\n ));\r\n\r\n calculateSurveyIndexes$ = createEffect(() => this.actions$.pipe(\r\n ofType(\r\n SurveyWizardActions.Type.TOGGLE_MODULE,\r\n SurveyWizardActions.Type.TOGGLE_QUESTION,\r\n SurveyWizardActions.Type.SET_SELECTED_MODULES_SUCCESS),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([_, surveyWizardContext]) => {\r\n const indexValidation = this.validateIndexes(surveyWizardContext);\r\n return from([\r\n new SurveyWizardActions.SortModules(surveyWizardContext.modules),\r\n new SurveyWizardActions.SetIndexes(indexValidation),\r\n ]);\r\n })\r\n ));\r\n\r\n sortModules$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.SORT_MODULES),\r\n switchMap(x => from([]))\r\n ));\r\n\r\n // TODO: This is due to communication component dispatching action upon init\r\n setCommunicationMethod$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.SET_COMMUNICATION_METHOD),\r\n switchMap((action) => {\r\n if (!!action.init) { return from(EMPTY) }\r\n return from([new SurveyWizardActions.SetCommunicationMethodSuccess(action.payload)]);\r\n })\r\n ));\r\n\r\n setName$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.SET_NAME),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext.name)),\r\n switchMap(([action, name]) => {\r\n if (action.payload != name)\r\n return from([new SurveyWizardActions.SetNameSuccess(action.payload)]);\r\n return from(EMPTY);\r\n })\r\n )\r\n );\r\n\r\n setChanged$ = createEffect(() => this.actions$.pipe(\r\n ofType(\r\n SurveyWizardActions.Type.SET_NAME_SUCCESS,\r\n SurveyWizardActions.Type.ADD_QUESTIONS_TO_MODULE,\r\n SurveyWizardActions.Type.REMOVE_QUESTIONS_FROM_MODULE,\r\n SurveyWizardActions.Type.SET_GROUPS,\r\n SurveyWizardActions.Type.TOGGLE_QUESTION,\r\n SurveyWizardActions.Type.SET_ACTIVATION_EMAIL,\r\n SurveyWizardActions.Type.SET_REPORT_EMAIL,\r\n SurveyWizardActions.Type.SET_ACTIVATION_SMS,\r\n SurveyWizardActions.Type.SET_WELCOME_SMS,\r\n SurveyWizardActions.Type.SET_COMMUNICATION_METHOD_SUCCESS,\r\n SurveyWizardActions.Type.SET_PIN_CODE_EMAIL,\r\n SurveyWizardActions.Type.SET_PIN_CODE_SMS,\r\n SurveyWizardActions.Type.SET_PINCODE_LANGUAGE,\r\n SurveyWizardActions.Type.SET_START_DATE,\r\n SurveyWizardActions.Type.SET_START_TIME,\r\n SurveyWizardActions.Type.SET_END_DATE,\r\n SurveyWizardActions.Type.SET_REPORT_DATE,\r\n SurveyWizardActions.Type.SET_REMINDER_EMAIL,\r\n SurveyWizardActions.Type.SET_REMINDER_EMAILS,\r\n SurveyWizardActions.Type.SET_AUTO_REPORT\r\n ),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([_, context]) => {\r\n if (!context.unsaved) {\r\n return from([new ProductWizardActions.SetChanged({ changed: true })]);\r\n }\r\n return from(EMPTY)\r\n })\r\n ));\r\n\r\n setChangedForToggleModule$ = createEffect(() => this.actions$.pipe(\r\n ofType(SurveyWizardActions.Type.TOGGLE_MODULE),\r\n withLatestFrom(this.store.select(s => s.surveyWizardContext)),\r\n switchMap(([tm, context]) => {\r\n if (!context.unsaved && !tm.payload.preSelected) {\r\n return from([new ProductWizardActions.SetChanged({ changed: true })]);\r\n }\r\n return from(EMPTY)\r\n })\r\n ));\r\n\r\n private validateIndexes(context: SurveyWizardContext): ValidationData[] {\r\n const validationTable: ValidationData[] = [];\r\n\r\n const requiredIndexes = context.index.indexInfo.filter(idx => idx.required).map(x => x.id);\r\n const selectedQuestions: string[] = context.modules\r\n .flatMap(module => module.pageGroups\r\n .flatMap(pageGroup => pageGroup.pages\r\n .flatMap(pages => pages.pageItems.filter(pageItem => !!pageItem.questionId && !pageItem.excluded))).map(pageItem => pageItem.key));\r\n\r\n context.index.indexInfo.forEach(index => {\r\n const data = this.validateIndex(index, null, requiredIndexes, selectedQuestions);\r\n validationTable.push(data);\r\n });\r\n return validationTable;\r\n }\r\n\r\n private validateIndex(index: ProductIndex, parentId: unknown, requiredIndexes: number[], selectedQuestions: string[]): ValidationData {\r\n\r\n const childData: ValidationData[] = [];\r\n if (index.children && index.children.length > 0) {\r\n for (let i = 0; i < index.children.length; i++) {\r\n childData.push(this.validateIndex(index.children[i], index.id, requiredIndexes, selectedQuestions));\r\n }\r\n }\r\n\r\n const additionalQuestions: QuestionInfo[] = [\r\n ...(index.questionKeys).filter(qk => !selectedQuestions.includes(qk.key)),\r\n ...childData.flatMap(x => x.additionalQuestions)\r\n ];\r\n\r\n const includedQuestions =\r\n (index.questionKeys).filter(qk => selectedQuestions.includes(qk.key));\r\n const childrenIncludedQuestions = childData.map(c => c.includedQuestions.length)\r\n .reduce((prev, curr) => prev + curr, 0);\r\n const includedQuestionsCount = includedQuestions ? includedQuestions.length : childrenIncludedQuestions;\r\n\r\n const childQuestionCount = index.children.map(c => c.questionKeys.length)\r\n .reduce((prev, curr) => prev + curr, 0);\r\n const indexAvailableQuestionsCount = index.questionKeys ? index.questionKeys.length\r\n : childQuestionCount;\r\n\r\n const childrenMinQ = childData.map(c => c.minQuestionCount)\r\n .reduce((prev, curr) => prev + curr, 0);\r\n const childrenMaxQ = childData.map(c => c.maxQuestionCount)\r\n .reduce((prev, curr) => prev + curr, 0);\r\n const minQuestionCount = index.minQuestionCount ? index.minQuestionCount + childrenMinQ\r\n : (childrenMinQ ? childrenMinQ : index.questionKeys.length);\r\n const maxQuestionCount = index.maxQuestionCount ? index.maxQuestionCount + childrenMaxQ\r\n : (childrenMaxQ ? childrenMaxQ : index.questionKeys.length);\r\n\r\n let errors = ValidationError.None;\r\n let status = 'INSIGHT.ADMIN.PRODUCTWIZARD.VALIDATION.OK';\r\n /*\r\n if (\r\n !(childData.map(c => c.errors).includes(ValidationError.Error))\r\n && !(requiredIndexes.includes(index.id) || requiredIndexes.includes(index.parentId))) {\r\n errors = ValidationError.Warning;\r\n status = 'INSIGHT.ADMIN.PRODUCTWIZARD.VALIDATION.NOT_IN_PRODUCT';\r\n }*/\r\n\r\n if (includedQuestionsCount < minQuestionCount\r\n || childData.filter(i => i.errors !== ValidationError.None).length > 0) {\r\n if (index.required) {\r\n errors = ValidationError.Error;\r\n status = 'INSIGHT.ADMIN.PRODUCTWIZARD.VALIDATION.NEEDS_QUESTIONS';\r\n } else if (childData.findIndex(i => i.errors !== ValidationError.None) > -1) {\r\n const data = childData.find(i => i.errors !== ValidationError.None);\r\n errors = data.errors;\r\n status = data.status;\r\n } else {\r\n errors = ValidationError.Warning;\r\n status = 'INSIGHT.ADMIN.PRODUCTWIZARD.VALIDATION.CANNOT_BE_CALCULATED';\r\n }\r\n }\r\n return {\r\n parentId: +parentId,\r\n id: index.id,\r\n key: index.indexKey,\r\n children: childData,\r\n name: index.name,\r\n minQuestionCount: minQuestionCount,\r\n maxQuestionCount: maxQuestionCount,\r\n indexAvailableQuestionsCount: indexAvailableQuestionsCount,\r\n additionalQuestions: additionalQuestions,\r\n questionCount: includedQuestionsCount,\r\n includedQuestions: includedQuestions,\r\n required: index.required,\r\n errors: errors,\r\n status: status,\r\n };\r\n }\r\n\r\n private updateDraft(payload: SurveyWizardContext, draft: string, showMessage: boolean) {\r\n return this.productService.updateDraft(payload.productId, { draft: draft, draftVersion: payload.currentVersion, checkVersion: true }).pipe(\r\n map(result => {\r\n const currentVersion = JSON.parse(result.body).currentVersion;\r\n return new ProductWizardActions.DraftSaved({ productId: payload.productId, currentVersion: currentVersion }, payload.wizardType, showMessage);\r\n }),\r\n catchError(err => {\r\n if (err?.error === '\"Outdated version\"') {\r\n return this.productService.getVersion(payload.productId)\r\n .pipe(switchMap((response) => {\r\n return this.dialogService.openDialog(\r\n 'INSIGHT.ADMIN.PRODUCTWIZARD.VERSION_WARNING.TITLE_WARNING',\r\n 'INSIGHT.ADMIN.PRODUCTWIZARD.VERSION_WARNING.BODY_WARNING',\r\n 500,\r\n DialogType.Confirm,\r\n 'INSIGHT.ADMIN.PRODUCTWIZARD.VERSION_WARNING.CONTINUE',\r\n 'INSIGHT.ADMIN.PRODUCTWIZARD.VERSION_WARNING.CANCEL',\r\n true,\r\n null,\r\n true,\r\n '',\r\n `${response.lastUpdatedBy ?? 'N/A'} ${response.lastUpdatedDate ? new Date(response.lastUpdatedDate).toLocaleString() : ''}`\r\n )\r\n .pipe(\r\n switchMap(response => {\r\n if (response) {\r\n return this.productService.updateDraft(payload.productId, { draft: draft, draftVersion: payload.currentVersion, checkVersion: false }).pipe(\r\n map(httpResult => {\r\n const currentVersion = JSON.parse(httpResult.body).currentVersion;\r\n return new ProductWizardActions.DraftSaved({ productId: payload.productId, currentVersion: currentVersion }, payload.wizardType, showMessage)\r\n }\r\n ));\r\n }\r\n else {\r\n this.store.dispatch(new NavigationActions.Go({ path: [this.store.select(s => s.companyContext.shortName), 'surveys'], extras: { state: { bypassFormGuard: true } } }));\r\n }\r\n }));\r\n }))\r\n }\r\n }))\r\n }\r\n\r\n private createSurvey(payload: SurveyWizardContext, context: CompanyContext) {\r\n return this.surveyService.create(\r\n this.mapContextToSurveyCreate(context.id, payload)).pipe(\r\n catchError(err => {\r\n this.translations.selectTranslate('INSIGHT.GLOBAL.ERROR.SOMETHINGWRONG')\r\n .pipe(take(1))\r\n .subscribe((msg: string) => {\r\n this.errorService.openErrorPopup(msg);\r\n });\r\n return of(err);\r\n }))\r\n }\r\n\r\n private updateSurvey(payload: SurveyWizardContext, context: CompanyContext) {\r\n return this.surveyService.update(context.id, payload.surveyId, this.mapContextToSurveyCreate(context.id, payload))\r\n .pipe(\r\n catchError(err => {\r\n this.translations.selectTranslate('INSIGHT.GLOBAL.ERROR.SOMETHINGWRONG')\r\n .pipe(take(1))\r\n .subscribe((msg: string) => {\r\n this.errorService.openErrorPopup(msg);\r\n });\r\n return of(err);\r\n }));\r\n }\r\n\r\n private mapContextToSurveyCreate(companyId: number, context: SurveyWizardContext): SurveyCreate {\r\n\r\n const rules: RuleWithModuleKey[] = context.modules\r\n .flatMap(m => (m.rules\r\n .map((r: Rule): RuleWithModuleKey => ({ ...r, moduleKey: m.key }))));\r\n\r\n const emailId = context.communication.communicationMethod === 'email' ? context.communication?.activationEmail?.id : null;\r\n const pinCodeEmailId = context.communication.communicationMethod === 'email' && context.communication?.hasPinGroups ?\r\n context.communication?.pinCodeEmail?.id : null;\r\n\r\n const meta: SurveyMetaDto[] = [];\r\n const pageGroups: SurveyModulePageGroup[] = [];\r\n context.modules.forEach(function (m) {\r\n meta.push(...m.meta.map(mm => ({ metaId: mm.metaId, value: mm.value, moduleKey: m.key })));\r\n pageGroups.push(...m.pageGroups.map((pg): SurveyModulePageGroup => ({ ...pg, moduleId: m.id, moduleKey: m.key })))\r\n });\r\n\r\n return {\r\n companyId: companyId,\r\n productId: context.productId,\r\n name: context.name,\r\n startDate: context.schedule.startDate,\r\n endDate: context.schedule.endDate,\r\n groups: context.participants.groups.map(x => x.id),\r\n indexes: context.index.indexes,\r\n emailId: emailId,\r\n pinCodeEmailId: pinCodeEmailId,\r\n reminderEmails: emailId ? context.schedule.reminderEmails : [],\r\n pageGroups: pageGroups,\r\n rules: rules,\r\n ruleIds: rules.map(x => +x.id),\r\n testMode: true,\r\n meta: meta,\r\n multipleSessions: context.productDefinition.definitionObject.survey?.multipleSessions ?? 'NotAllowed'\r\n };\r\n }\r\n\r\n private mapContextToSurveyActive(context: SurveyWizardContext): ActivateSurvey {\r\n const pageGroups: SurveyModulePageGroup[] = [];\r\n context.modules.forEach(module => {\r\n pageGroups.push(...module.pageGroups.map(pg => ({ ...pg, moduleId: module.id, moduleKey: module.key })))\r\n });\r\n\r\n const rules: RuleWithModuleKey[] = context.modules\r\n .flatMap(m => (m.rules\r\n .map((r: Rule): RuleWithModuleKey => ({ ...r, moduleKey: m.key }))));\r\n\r\n const emailId = context.communication.communicationMethod === 'email' ?\r\n context.communication.activationEmail?.id : null;\r\n const pinCodeEmailId = context.communication.communicationMethod === 'email' && context.communication.hasPinGroups ?\r\n context.communication.pinCodeEmail?.id : null;\r\n const reportEmailId = context.communication.communicationMethod === 'email' ?\r\n context.communication.reportEmail?.id : null;\r\n\r\n const activationSmsId = context.communication.communicationMethod === 'email' ?\r\n context.communication.activationSms?.id : null;\r\n const pinCodeSmsId = context.communication.communicationMethod === 'email' &&\r\n context.communication.hasPinGroups ?\r\n context.communication.pinCodeSms?.id : null;\r\n const welcomeSmsId = context.communication.communicationMethod === 'email' ?\r\n context.communication.welcomeSms?.id : null;\r\n\r\n return {\r\n productId: context.productId,\r\n name: context.name,\r\n startDate: context.schedule.startDate,\r\n endDate: context.schedule.endDate,\r\n reportDate: context.schedule.reportDate,\r\n hierarchyId: context.participants.selectedHierarchy?.id,\r\n groups: context.participants.groups.map(x => x.id),\r\n users: [],\r\n indexes: context.index.indexes,\r\n emailId: emailId,\r\n pinCodeEmailId: pinCodeEmailId,\r\n reportEmailId: reportEmailId,\r\n activationSmsId: activationSmsId,\r\n pinCodeSmsId: pinCodeSmsId,\r\n welcomeSmsId: welcomeSmsId,\r\n reminderEmails: emailId ? context.schedule.reminderEmails : [],\r\n autoReport: context.communication.autoReport,\r\n pageGroups: pageGroups,\r\n rules: rules,\r\n directActivation: context.schedule.directActivation,\r\n multipleSessions: context.productDefinition.definitionObject.survey.multipleSessions,\r\n recurringSchedule: {\r\n schedules: context.schedule.schedules,\r\n duration: context.schedule.duration\r\n }\r\n };\r\n\r\n }\r\n\r\n private activatedRoute() {\r\n let route: ActivatedRoute = this.route;\r\n while (route.firstChild != null) {\r\n route = route.firstChild;\r\n }\r\n return route;\r\n }\r\n\r\n private pathToSurveySetup(companyContext: CompanyContext, productId: number) {\r\n return [companyContext.shortName, 'surveys', 'drafts', 'setup', productId];\r\n }\r\n}\r\n\r\n","import { Injectable } from '@angular/core';\r\nimport { TranslocoService } from '@ngneat/transloco';\r\nimport { act, Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport { Store } from '@ngrx/store';\r\nimport { NavtreeItem } from 'app/shared/models';\r\nimport { SurveyService, UserService } from 'app/shared/services';\r\nimport * as CompanyContextActions from 'app/state/actions/company-context.actions';\r\nimport * as NavtreeActions from 'app/state/actions/navtree.actions';\r\nimport * as UserInfoActions from 'app/state/actions/user-info.actions';\r\nimport { EMPTY } from 'rxjs';\r\nimport { concatMap, map, switchMap, withLatestFrom } from 'rxjs/operators';\r\nimport { AppState } from '../app.state';\r\nimport * as ReportActions from 'app/state/actions/report.actions';\r\n\r\n@Injectable()\r\nexport class UserInfoEffects {\r\n constructor(\r\n private store: Store,\r\n private actions$: Actions,\r\n private userService: UserService,\r\n private surveyService: SurveyService,\r\n private translate: TranslocoService) {\r\n }\r\n\r\n loadUserInfo$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserInfoActions.Type.LOAD_USER_INFO),\r\n switchMap(action => this.userService.userInfo(action.payload)\r\n .pipe(map(userInfo => {\r\n if (userInfo.status === 0) {\r\n const availableUsers: number[] = [];\r\n for (const availableAccount of userInfo.availableAccounts) {\r\n for (const company of availableAccount.companies.filter(c =>\r\n c.userId > 0 &&\r\n c.userId !== userInfo.userId &&\r\n !availableUsers.includes(c.userId))) {\r\n availableUsers.push(company.userId);\r\n }\r\n }\r\n\r\n if (availableUsers.length > 0) {\r\n return new UserInfoActions.SwitchUserContext(availableUsers[0]);\r\n }\r\n }\r\n\r\n return new UserInfoActions.LoadUserInfoSuccess(userInfo);\r\n }))\r\n )\r\n ));\r\n\r\n setUserLanguage$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserInfoActions.Type.SET_USER_LANGUAGE),\r\n withLatestFrom(this.store.select(s => s.companyContext.companyLanguages)),\r\n switchMap(([action, languages]) => this.userService.setUserLanguage(action.payload).pipe(\r\n switchMap(_ => {\r\n const lang = languages.find(cl => cl.id === action.payload?.id);\r\n if (!lang) return EMPTY;\r\n return [\r\n new UserInfoActions.SetUserLanguageSuccess(action.payload),\r\n new UserInfoActions.SetUserContextLanguage(action.payload)\r\n ]\r\n })\r\n )\r\n )\r\n ));\r\n\r\n setUserLanguageFromToken$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserInfoActions.Type.SET_USER_LANGUAGE_FROM_TOKEN),\r\n switchMap(action => this.userService.setUserLanguageFromToken(action.payload.token, action.payload.language.id).pipe(\r\n switchMap(_ => [\r\n new UserInfoActions.SetUserLanguageSuccess(action.payload.language),\r\n new UserInfoActions.SetUserContextLanguage(action.payload.language)\r\n ])\r\n ))\r\n ));\r\n\r\n setUserContextLanguage$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserInfoActions.Type.SET_USER_CONTEXT_LANGUAGE),\r\n withLatestFrom(this.store.select(s => s.companyContext.companyLanguages)),\r\n switchMap(([action, languages]) => {\r\n const lang = languages.find(cl => cl.id === action.payload?.id);\r\n if (!lang) return EMPTY;\r\n this.translate.setActiveLang(lang.code);\r\n return [new UserInfoActions.SetUserContextLanguageSuccess(lang)];\r\n })\r\n ));\r\n\r\n loadContextFromToken$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserInfoActions.Type.LOAD_CONTEXT_FROM_TOKEN),\r\n switchMap(action => this.surveyService.getContext(action.token).pipe(\r\n switchMap(context => {\r\n const userLangId = context.userContext.languageId;\r\n const defaultLang = context.companyContext.companyLanguages.find(cl => cl.isDefaultCompanyLanguage);\r\n const lang = context.companyContext.companyLanguages.find(cl => cl.id === userLangId) ?? defaultLang;\r\n const setUserLanguage = new UserInfoActions.SetUserContextLanguage(lang);\r\n const loadUserSuccessAction = new UserInfoActions.LoadUserInfoSuccess(context.userContext);\r\n const setCompanyContextSuccess = new CompanyContextActions.SetCompanyContextSuccess({\r\n ...context.companyContext\r\n });\r\n\r\n for (const menuItem of context.menu) {\r\n menuItem.route = [];\r\n }\r\n const items = context.menu.groupBy(x => x.displayType).map((x): NavtreeItem =>\r\n ({ type: x.key, items: x.values, isAdmin: false }));\r\n const loadNavtreeSuccessAction = new NavtreeActions.LoadNavtreeSuccess(items);\r\n return [\r\n setCompanyContextSuccess,\r\n loadUserSuccessAction,\r\n // loadNavtreeSuccessAction,\r\n setUserLanguage,\r\n new ReportActions.InitReportState({})\r\n ];\r\n })\r\n )\r\n )\r\n ));\r\n\r\n switchUser$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserInfoActions.Type.SWITCH_USER_CONTEXT),\r\n switchMap((action) =>\r\n this.userService.switchUser(action.payload)\r\n .pipe(\r\n concatMap(switchUserResponse => [\r\n new UserInfoActions.LoadUserInfoSuccess(switchUserResponse.userContext),\r\n new CompanyContextActions.SetCompanyContextSuccess({ ...switchUserResponse.companyContext }),\r\n ...action.onSuccess\r\n ])\r\n )\r\n )\r\n )\r\n );\r\n}\r\n\r\n","import { Injectable } from '@angular/core';\r\nimport { Actions, createEffect, ofType } from '@ngrx/effects';\r\nimport { Action, Store } from '@ngrx/store';\r\nimport { ParameterService } from 'app/shared';\r\nimport { CompanyContext, MenuItem, NavtreeState, ParameterItem } from 'app/shared/models';\r\nimport * as CompanyContextActions from 'app/state/actions/company-context.actions';\r\nimport * as NavTreeActions from 'app/state/actions/navtree.actions';\r\nimport * as ReportActions from 'app/state/actions/report.actions';\r\nimport * as UserInfoActions from 'app/state/actions/user-info.actions';\r\nimport * as UserStateActions from 'app/state/actions/user-state.actions';\r\nimport { EMPTY, Observable } from 'rxjs';\r\nimport { combineLatestWith, filter, map, mergeMap, switchMap, withLatestFrom } from 'rxjs/operators';\r\nimport { AppState } from '../app.state';\r\n\r\nconst CURRENT_GROUP_PARAMETER_NAME = 'currentGroup';\r\n\r\n@Injectable()\r\nexport class UserStateEffects {\r\n constructor(private actions$: Actions,\r\n private store: Store,\r\n private parameterService: ParameterService) { }\r\n\r\n loadState$ = createEffect(() =>\r\n this.actions$.pipe(\r\n ofType(CompanyContextActions.Type.SET_COMPANY_CONTEXT_SUCCESS),\r\n combineLatestWith(this.actions$.pipe(ofType(ReportActions.Type.INIT_PORTAL))),\r\n withLatestFrom(this.store.select(s => s.userInfo)))\r\n .pipe(\r\n filter(([_, userInfo]) => userInfo.userId !== null),\r\n switchMap(([[companyContextSuccess, __], _]) => {\r\n return this.parameterService.loadUserState(companyContextSuccess.payload.id)\r\n .pipe(\r\n map(result => new UserStateActions.LoadUserStateSuccess(result))\r\n );\r\n })));\r\n\r\n updateReportState$ = createEffect(() => this.actions$.pipe(\r\n ofType\r\n (UserStateActions.Type.LOAD_USER_STATE_SUCCESS, UserStateActions.Type.UPDATE_USER_STATE_SUCCESS, UserInfoActions.Type.SET_USER_CONTEXT_LANGUAGE_SUCCESS),\r\n withLatestFrom(this.store.select(s => s.companyContext.id), this.store.select(s => s.userState.companyParameters)),\r\n filter(([_, __, params]) => params?.length > 0),\r\n mergeMap(([_, companyId, companyParameters]) => {\r\n const groupId = companyParameters.find(p => p.companyId === companyId)\r\n ?.parameters.find(p => p.name === CURRENT_GROUP_PARAMETER_NAME).value;\r\n return (groupId && companyId)\r\n ? [new ReportActions.Invalidate(), new ReportActions.InitReportState({ id: +groupId })]\r\n : EMPTY;\r\n }))\r\n );\r\n\r\n loadStateSuccess$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserStateActions.Type.LOAD_USER_STATE_SUCCESS),\r\n ofType(ReportActions.Type.INIT_PORTAL),\r\n map(_ => new NavTreeActions.LoadNavtree()))\r\n );\r\n\r\n updateParameter$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserStateActions.Type.UPDATE_PARAMETER),\r\n withLatestFrom(this.store.select(s => s.companyContext), this.store.select(s => s.navtreeState)),\r\n switchMap(([action, companyContext, navContext]) => {\r\n return this.parameterActions([action.parameter], companyContext, navContext);\r\n })\r\n ));\r\n\r\n updateMultipleParameters$ = createEffect(() => this.actions$.pipe(\r\n ofType(UserStateActions.Type.UPDATE_MULTIPLE_PARAMETERS),\r\n withLatestFrom(this.store.select(s => s.companyContext), this.store.select(s => s.navtreeState)),\r\n switchMap(([action, companyContext, navContext]) => {\r\n return this.parameterActions(action.parameters, companyContext, navContext);\r\n }))\r\n );\r\n\r\n private parameterActions(parameterItems: ParameterItem[], companyContext: CompanyContext, navContext: NavtreeState): Observable {\r\n return this.parameterService\r\n .updateUserStateMultiple(companyContext.id, parameterItems)\r\n .pipe(\r\n switchMap(companyParams => {\r\n const returnActions: Action[] = [];\r\n\r\n if (parameterItems.some(p => !!p.invalidates)) {\r\n returnActions.push(new ReportActions.Invalidate());\r\n }\r\n\r\n if (navContext.displayParameters.some(p => p.parameterKey && p.context === 'BackendAndFrontend')) {\r\n if (parameterItems.some(p => p.name === 'currentGroup')) {\r\n const items: MenuItem[] = navContext.items.flatMap(tree => tree.items).map(i => ({ key: i.key, visible: i.visible })) as MenuItem[];\r\n return [\r\n ...returnActions,\r\n new NavTreeActions.UpdateParameterMenuVisibility(companyParams, items)\r\n ];\r\n } else {\r\n return [\r\n ...returnActions,\r\n new UserStateActions.UpdateUserStateSuccess(companyParams),\r\n new NavTreeActions.UpdateVisibility(companyParams, null)\r\n ];\r\n }\r\n\r\n } else if (navContext.displayParameters.some(p => p.parameterKey && p.context === 'Frontend')) {\r\n return [\r\n new UserStateActions.UpdateUserStateSuccess(companyParams),\r\n new NavTreeActions.UpdateVisibility(companyParams, null)\r\n ];\r\n } else {\r\n return [new UserStateActions.UpdateUserStateSuccess(companyParams)];\r\n }\r\n })\r\n );\r\n }\r\n}\r\n"],"mappings":"urDAQA,IAAMA,GAAwB,CAC5B,SAAU,GACV,WAAY,GACZ,uBAAwB,EAC1B,EACMC,GAA6B,2BAuEnC,SAASC,EAAaC,EAAQC,EAAS,CAAC,EAAG,CACzC,IAAMC,EAASD,EAAO,WAAaD,EAASA,EAAO,EAC7CG,EAAQC,IAAA,GACTP,IACAI,GAEL,cAAO,eAAeC,EAAQJ,GAA4B,CACxD,MAAAK,CACF,CAAC,EACMD,CACT,CACA,SAASG,GAAwBC,EAAU,CAkBzC,OAjBsB,OAAO,oBAAoBA,CAAQ,EAC1B,OAAOC,GAChCD,EAASC,CAAY,GAAKD,EAASC,CAAY,EAAE,eAAeT,EAA0B,EAI3EQ,EAASC,CAAY,EACtBT,EAA0B,EAAE,eAAe,UAAU,EAEhE,EACR,EAAE,IAAIS,GAAgB,CACrB,IAAMC,EAAWF,EAASC,CAAY,EAAET,EAA0B,EAClE,OAAOM,EAAA,CACL,aAAAG,GACGC,EAEP,CAAC,CAEH,CAcA,SAASC,GAAkBC,EAAU,CACnC,OAAOC,GAAwBD,CAAQ,CACzC,CACA,SAASE,GAAqBF,EAAU,CACtC,OAAO,OAAO,eAAeA,CAAQ,CACvC,CACA,SAASG,GAAgBC,EAAK,CAC5B,MAAO,CAAC,CAACA,EAAI,aAAeA,EAAI,YAAY,OAAS,UAAYA,EAAI,YAAY,OAAS,UAC5F,CACA,SAASC,GAAQC,EAAe,CAC9B,OAAO,OAAOA,GAAkB,UAClC,CACA,SAASC,GAAWC,EAAmB,CACrC,OAAOA,EAAkB,OAAOH,EAAO,CACzC,CACA,SAASI,GAAQC,EAAe,CAC9B,OAAOA,aAAyBC,GAAkBN,GAAQK,CAAa,CACzE,CACA,SAASE,GAAaC,EAAgBC,EAAoBC,EAAqB,CAC7E,IAAMC,EAASd,GAAqBW,CAAc,EAE5CI,EADqB,CAAC,CAACD,GAAUA,EAAO,YAAY,OAAS,SAC3BA,EAAO,YAAY,KAAO,KAC5DE,EAAenB,GAAkBc,CAAc,EAAE,IAAI,CAAC,CAC1D,aAAAM,EACA,SAAAC,EACA,uBAAAC,CACF,IAAM,CACJ,IAAMC,EAAc,OAAOT,EAAeM,CAAY,GAAM,WAAaN,EAAeM,CAAY,EAAE,EAAIN,EAAeM,CAAY,EAC/HI,EAAgBF,EAAyBN,EAAoBO,EAAaR,CAAkB,EAAIQ,EACtG,OAAIF,IAAa,GACRG,EAAc,KAAKC,GAAe,CAAC,EAEtBD,EAAc,KAAKE,GAAY,CAAC,EACjC,KAAKC,EAAIC,IAAiB,CAC7C,OAAQd,EAAeM,CAAY,EACnC,aAAAQ,EACA,aAAAR,EACA,WAAAF,EACA,eAAAJ,CACF,EAAE,CAAC,CACL,CAAC,EACD,OAAOe,GAAM,GAAGV,CAAY,CAC9B,CACA,IAAMW,GAA+B,GACrC,SAASC,GAA2BR,EAAaS,EAAcC,EAAmBH,GAA8B,CAC9G,OAAOP,EAAY,KAAKW,EAAWC,IAC7BH,GAAcA,EAAa,YAAYG,CAAK,EAC5CF,GAAoB,EACfV,EAGFQ,GAA2BR,EAAaS,EAAcC,EAAmB,CAAC,EAClF,CAAC,CACJ,CACA,IAAIG,GAAwB,IAAM,CAChC,IAAMC,EAAN,MAAMA,UAAgBC,EAAW,CAC/B,YAAYrB,EAAQ,CAClB,MAAM,EACFA,IACF,KAAK,OAASA,EAElB,CACA,KAAKsB,EAAU,CACb,IAAMC,EAAa,IAAIH,EACvB,OAAAG,EAAW,OAAS,KACpBA,EAAW,SAAWD,EACfC,CACT,CAeF,EAZIH,EAAK,UAAO,SAAyBI,EAAG,CACtC,OAAO,IAAKA,GAAKJ,GAAYK,EAASC,EAAqB,CAAC,CAC9D,EAIAN,EAAK,WAA0BO,EAAmB,CAChD,MAAOP,EACP,QAASA,EAAQ,UACjB,WAAY,MACd,CAAC,EAzBL,IAAMD,EAANC,EA4BA,OAAOD,CACT,GAAG,EAuCH,SAASS,KAAUC,EAAc,CAC/B,OAAOC,EAAOC,GAAUF,EAAa,KAAKG,GACpC,OAAOA,GAAwB,SAE1BA,IAAwBD,EAAO,KAGjCC,EAAoB,OAASD,EAAO,IAC5C,CAAC,CACJ,CACA,IAAME,GAAsB,IAAItC,EAAe,mCAAmC,EAC5EuC,GAAwB,IAAIvC,EAAe,qCAAqC,EAChFwC,GAAgB,IAAIxC,EAAe,qCAAqC,EACxEyC,GAA0B,IAAIzC,EAAe,+CAA+C,EAC5F0C,GAAmB,IAAI1C,EAAe,wCAAwC,EAC9E2C,GAAmC,IAAI3C,EAAe,wDAAwD,EAC9G4C,GAAwB,IAAI5C,EAAe,sCAAuC,CACtF,WAAY,OACZ,QAAS,IAAMmB,EACjB,CAAC,EACK0B,GAAoB,qBACpBC,GAAkBC,GAAaF,EAAiB,EACtD,SAASG,GAAqBC,EAAQC,EAAU,CAC9C,GAAID,EAAO,aAAa,OAAS,IAAK,CACpC,IAAMb,EAASa,EAAO,aAAa,MACX,CAACE,GAASf,CAAM,GAEtCc,EAAS,YAAY,IAAI,MAAM,UAAUE,GAAcH,CAAM,CAAC,kCAAkCI,GAAUjB,CAAM,CAAC,EAAE,CAAC,CAExH,CACF,CACA,SAASe,GAASf,EAAQ,CACxB,OAAO,OAAOA,GAAW,YAAcA,GAAUA,EAAO,MAAQ,OAAOA,EAAO,MAAS,QACzF,CACA,SAASgB,GAAc,CACrB,aAAA5C,EACA,eAAAN,EACA,WAAAI,CACF,EAAG,CACD,IAAMgD,EAAW,OAAOpD,EAAeM,CAAY,GAAM,WAEzD,MAD2B,CAAC,CAACF,EACD,IAAIA,CAAU,IAAI,OAAOE,CAAY,CAAC,GAAG8C,EAAW,KAAO,EAAE,IAAM,IAAI,OAAO9C,CAAY,CAAC,KACzH,CACA,SAAS6C,GAAUjB,EAAQ,CACzB,GAAI,CACF,OAAO,KAAK,UAAUA,CAAM,CAC9B,MAAQ,CACN,OAAOA,CACT,CACF,CACA,IAAMmB,GAAuB,wBAC7B,SAASC,GAAoBnE,EAAU,CACrC,OAAOoE,GAAWpE,EAAUkE,EAAoB,CAClD,CACA,IAAMG,GAAkB,mBACxB,SAASC,GAAetE,EAAU,CAChC,OAAOoE,GAAWpE,EAAUqE,EAAe,CAC7C,CACA,IAAME,GAAgB,oBACtB,SAASC,GAAgBxE,EAAU,CACjC,OAAOoE,GAAWpE,EAAUuE,EAAa,CAC3C,CACA,SAASH,GAAWpE,EAAUyE,EAAc,CAC1C,OAAOzE,GAAYyE,KAAgBzE,GAAY,OAAOA,EAASyE,CAAY,GAAM,UACnF,CACA,IAAIC,IAA8B,IAAM,CACtC,IAAMC,EAAN,MAAMA,UAAsBC,EAAQ,CAClC,YAAY7C,EAAchB,EAAqB,CAC7C,MAAM,EACN,KAAK,aAAegB,EACpB,KAAK,oBAAsBhB,CAC7B,CACA,WAAW8D,EAAsB,CAC/B,KAAK,KAAKA,CAAoB,CAChC,CAIA,WAAY,CACV,OAAO,KAAK,KAAKC,GAAQC,GAAmB5E,GAAgB4E,CAAe,EAAI7E,GAAqB6E,CAAe,EAAIA,CAAe,EAAGC,GAASC,GACzIA,EAAQ,KAAKH,GAAQC,EAAe,CAAC,CAC7C,EAAGC,GAASC,GAAW,CACtB,IAAMC,EAAUD,EAAQ,KAAKE,GAAWtE,GAC/BuE,GAAoB,KAAK,aAAc,KAAK,mBAAmB,EAAEvE,CAAc,CACvF,EAAGa,EAAIkC,IACND,GAAqBC,EAAQ,KAAK,YAAY,EACvCA,EAAO,aACf,EAAGd,EAAOnB,GAAgBA,EAAa,OAAS,KAAOA,EAAa,OAAS,IAAI,EAAG0D,GAAc,CAAC,EAG9FC,EAAQL,EAAQ,KAAKM,GAAK,CAAC,EAAGzC,EAAO0B,EAAe,EAAG9C,EAAI1B,GAAYA,EAAS,kBAAkB,CAAC,CAAC,EAC1G,OAAO4B,GAAMsD,EAASI,CAAK,CAC7B,CAAC,CAAC,CACJ,CAeF,EAZIX,EAAK,UAAO,SAA+BnC,EAAG,CAC5C,OAAO,IAAKA,GAAKmC,GAAkBlC,EAAY+C,EAAY,EAAM/C,EAASc,EAAqB,CAAC,CAClG,EAIAoB,EAAK,WAA0BhC,EAAmB,CAChD,MAAOgC,EACP,QAASA,EAAc,UACvB,WAAY,MACd,CAAC,EAxCL,IAAMD,EAANC,EA2CA,OAAOD,CACT,GAAG,EAIH,SAASK,GAAgBlE,EAAgB,CACvC,OAAIsD,GAAoBtD,CAAc,EAC7BA,EAAe,sBAAsB,EAEvC,EACT,CACA,SAASuE,GAAoBrD,EAAchB,EAAqB,CAC9D,OAAOF,GAAkB,CACvB,IAAM4E,EAAiB7E,GAAaC,EAAgBkB,EAAchB,CAAmB,EACrF,OAAIuD,GAAezD,CAAc,EACxBA,EAAe,iBAAiB4E,CAAc,EAEhDA,CACT,CACF,CACA,IAAIC,IAA8B,IAAM,CACtC,IAAMC,EAAN,MAAMA,CAAc,CAClB,IAAI,WAAY,CACd,MAAO,CAAC,CAAC,KAAK,mBAChB,CACA,YAAYC,EAAeC,EAAO,CAChC,KAAK,cAAgBD,EACrB,KAAK,MAAQC,EACb,KAAK,oBAAsB,IAC7B,CACA,OAAQ,CACD,KAAK,sBACR,KAAK,oBAAsB,KAAK,cAAc,UAAU,EAAE,UAAU,KAAK,KAAK,EAElF,CACA,aAAc,CACR,KAAK,sBACP,KAAK,oBAAoB,YAAY,EACrC,KAAK,oBAAsB,KAE/B,CAeF,EAZIF,EAAK,UAAO,SAA+BnD,EAAG,CAC5C,OAAO,IAAKA,GAAKmD,GAAkBlD,EAASiC,EAAa,EAAMjC,EAAYqD,CAAK,CAAC,CACnF,EAIAH,EAAK,WAA0BhD,EAAmB,CAChD,MAAOgD,EACP,QAASA,EAAc,UACvB,WAAY,MACd,CAAC,EAhCL,IAAMD,EAANC,EAmCA,OAAOD,CACT,GAAG,EAICK,IAAkC,IAAM,CAC1C,IAAMC,EAAN,MAAMA,CAAkB,CACtB,YAAYC,EAASC,EAAQL,EAAOM,EAAsBC,EAAiBC,EAAoBC,EAAO,CACpG,KAAK,QAAUL,EACfC,EAAO,MAAM,EACb,QAAWnB,KAAmBoB,EAC5BF,EAAQ,WAAWlB,CAAe,EAEpCc,EAAM,SAAS,CACb,KAAMrC,EACR,CAAC,CACH,CACA,WAAWuB,EAAiB,CAC1B,KAAK,QAAQ,WAAWA,CAAe,CACzC,CAiBF,EAdIiB,EAAK,UAAO,SAAmCxD,EAAG,CAChD,OAAO,IAAKA,GAAKwD,GAAsBvD,EAASiC,EAAa,EAAMjC,EAASiD,EAAa,EAAMjD,EAAYqD,CAAK,EAAMrD,EAASW,EAAuB,EAAMX,EAAY8D,GAAiB,CAAC,EAAM9D,EAAY+D,GAAoB,CAAC,EAAM/D,EAASQ,GAAqB,CAAC,CAAC,CACzQ,EAIA+C,EAAK,UAAyBS,GAAiB,CAC7C,KAAMT,CACR,CAAC,EAIDA,EAAK,UAAyBU,GAAiB,CAAC,CAAC,EA5BrD,IAAMX,EAANC,EA+BA,OAAOD,CACT,GAAG,EAICY,IAAqC,IAAM,CAC7C,IAAMC,EAAN,MAAMA,CAAqB,CACzB,YAAYC,EAAmBC,EAAuBV,EAAiBC,EAAoB,CACzF,IAAMU,EAAmBD,EAAsB,KAAK,EACpD,QAAW/B,KAAmBgC,EAC5BF,EAAkB,WAAW9B,CAAe,CAEhD,CAiBF,EAdI6B,EAAK,UAAO,SAAsCpE,EAAG,CACnD,OAAO,IAAKA,GAAKoE,GAAyBnE,EAASsD,EAAiB,EAAMtD,EAASa,EAAgC,EAAMb,EAAY8D,GAAiB,CAAC,EAAM9D,EAAY+D,GAAoB,CAAC,CAAC,CACjM,EAIAI,EAAK,UAAyBH,GAAiB,CAC7C,KAAMG,CACR,CAAC,EAIDA,EAAK,UAAyBF,GAAiB,CAAC,CAAC,EArBrD,IAAMC,EAANC,EAwBA,OAAOD,CACT,GAAG,EAICK,IAA8B,IAAM,CACtC,IAAMC,EAAN,MAAMA,CAAc,CAClB,OAAO,cAAcC,EAAgB,CACnC,IAAMC,EAAUD,EAAe,KAAK,EAC9BE,EAAiB7G,GAAW4G,CAAO,EACzC,MAAO,CACL,SAAUR,GACV,UAAW,CAACS,EAAgB,CAC1B,QAAS/D,GACT,MAAO,GACP,SAAU8D,CACZ,EAAG,CACD,QAASjE,GACT,MAAO,GACP,SAAU,CAAC,CACb,EAAG,CACD,QAASI,GACT,MAAO,GACP,WAAY+D,GACZ,KAAM,CAAChE,GAAkBH,EAAqB,CAChD,CAAC,CACH,CACF,CACA,OAAO,WAAWoE,EAAa,CAC7B,IAAMH,EAAUG,EAAY,KAAK,EAC3BF,EAAiB7G,GAAW4G,CAAO,EACzC,MAAO,CACL,SAAUpB,GACV,UAAW,CAACqB,EAAgB,CAC1B,QAASjE,GACT,SAAU,CAACgE,CAAO,CACpB,EAAG,CACD,QAASlE,GACT,WAAYsE,EACd,EAAG,CACD,QAASrE,GACT,MAAO,GACP,SAAU,CAAC,CACb,EAAG,CACD,QAASE,GACT,WAAYiE,GACZ,KAAM,CAAClE,GAAeD,EAAqB,CAC7C,CAAC,CACH,CACF,CAiBF,EAdI+D,EAAK,UAAO,SAA+BzE,EAAG,CAC5C,OAAO,IAAKA,GAAKyE,EACnB,EAIAA,EAAK,UAAyBR,GAAiB,CAC7C,KAAMQ,CACR,CAAC,EAIDA,EAAK,UAAyBP,GAAiB,CAAC,CAAC,EA1DrD,IAAMM,EAANC,EA6DA,OAAOD,CACT,GAAG,EAIH,SAASK,GAAuBG,EAAeC,EAA2B,CACxE,IAAMN,EAAU,CAAC,EACjB,QAAWO,KAAgBF,EACzBL,EAAQ,KAAK,GAAGO,CAAY,EAE9B,QAAWC,KAA4BF,EACrCN,EAAQ,KAAK,GAAGQ,CAAwB,EAE1C,OAAOR,EAAQ,IAAIS,GAAwBnH,GAAQmH,CAAoB,EAAIC,GAAOD,CAAoB,EAAIA,CAAoB,CAChI,CACA,SAASL,IAAuB,CAC9B,IAAMrB,EAAS2B,GAAOnC,GAAe,CACnC,SAAU,GACV,SAAU,EACZ,CAAC,EACK4B,EAAcO,GAAO1E,GAAe,CACxC,KAAM,EACR,CAAC,EAGD,GADmB,EAAEmE,EAAY,SAAW,GAAKA,EAAY,CAAC,EAAE,SAAW,IACzDpB,EAChB,MAAM,IAAI,UAAU,sGAAsG,EAE5H,MAAO,SACT,CCxjBA,IAAM4B,GAAiB,6BACjBC,GAAsBC,GAAaF,GAAgBG,GAAM,CAAC,EAI1DC,GAAoB,gCACpBC,GAAyBH,GAAaE,GAAmBD,GAAM,CAAC,EAIhEG,GAAgB,4BAChBC,GAAqBL,GAAaI,GAAeH,GAAM,CAAC,EAIxDK,GAAe,2BACfC,GAAoBP,GAAaM,GAAcL,GAAM,CAAC,EAItDO,GAAmB,+BACnBC,GAAwBT,GAAaQ,GAAkBP,GAAM,CAAC,EACpE,SAASS,GAAcC,EAAOC,EAAQ,CAEpC,IAAMC,EAAeD,EACrB,OAAQC,EAAa,KAAM,CACzB,KAAKX,GACL,KAAKI,GACL,KAAKF,GACH,MAAO,CACL,MAAOS,EAAa,QAAQ,YAC5B,aAAcA,EAAa,QAAQ,MAAM,EAC3C,EACF,QACE,OAAOF,CACX,CACF,CACA,IAAMG,GAAN,KAAmC,CACjC,UAAUC,EAAa,CACrB,MAAO,CACL,KAAM,KAAK,eAAeA,EAAY,IAAI,EAC1C,IAAKA,EAAY,GACnB,CACF,CACA,eAAeC,EAAO,CACpB,IAAMC,EAAWD,EAAM,SAAS,IAAIE,GAAK,KAAK,eAAeA,CAAC,CAAC,EAC/D,MAAO,CACL,OAAQF,EAAM,OACd,KAAMA,EAAM,KACZ,IAAKA,EAAM,IACX,OAAQA,EAAM,OACd,MAAOA,EAAM,MACb,YAAaA,EAAM,YAAc,CAC/B,KAAMA,EAAM,YAAY,KACxB,UAAWA,EAAM,YAAY,UAC7B,WAAYA,EAAM,YAAY,WAC9B,OAAQA,EAAM,YAAY,OAC1B,MAAO,OAAOA,EAAM,YAAY,OAAU,SAAWA,EAAM,YAAY,MAAQ,MACjF,EAAI,KACJ,YAAaA,EAAM,YACnB,SAAUA,EAAM,SAChB,WAAYC,EAAS,CAAC,EACtB,SAAAA,CACF,CACF,CACF,EACIE,GAAsC,SAAUA,EAAwB,CAC1E,OAAAA,EAAuBA,EAAuB,cAAmB,CAAC,EAAI,gBACtEA,EAAuBA,EAAuB,eAAoB,CAAC,EAAI,iBAChEA,CACT,EAAEA,IAA0B,CAAC,CAAC,EACxBC,GAA6B,SAC7BC,GAAiB,IAAIC,EAAe,2CAA2C,EAC/EC,GAAgB,IAAID,EAAe,kCAAkC,EAC3E,SAASE,GAAoBC,EAAQ,CACnC,OAAOC,EAAA,CACL,SAAUN,GACV,WAAYN,GACZ,uBAAwBK,GAAuB,eAC5CM,EAEP,CACA,IAAME,GAAN,KAAgC,CAC9B,UAAUZ,EAAa,CACrB,MAAO,CACL,KAAM,KAAK,eAAeA,EAAY,IAAI,EAC1C,IAAKA,EAAY,GACnB,CACF,CACA,eAAeC,EAAO,CACpB,IAAMC,EAAWD,EAAM,SAAS,IAAIE,GAAK,KAAK,eAAeA,CAAC,CAAC,EAC/D,MAAO,CACL,OAAQF,EAAM,OACd,SAAUA,EAAM,SAChB,KAAMA,EAAM,KACZ,IAAKA,EAAM,IACX,OAAQA,EAAM,OACd,MAAOA,EAAM,MACb,YAAaA,EAAM,YAAc,CAC/B,UAAWA,EAAM,YAAY,UAC7B,KAAMA,EAAM,YAAY,KACxB,UAAWA,EAAM,YAAY,UAC7B,WAAYA,EAAM,YAAY,WAC9B,OAAQA,EAAM,YAAY,OAC1B,MAAOA,EAAM,YAAY,KAC3B,EAAI,KACJ,YAAaA,EAAM,YACnB,cAAeA,EAAM,cACrB,SAAUA,EAAM,SAChB,UAAWA,EAAM,YAAcA,EAAM,YAAY,UAAY,OAC7D,KAAM,OACN,OAAQ,OACR,WAAYC,EAAS,CAAC,EACtB,aAAc,OACd,SAAAA,CACF,CACF,CACF,EACMW,GAAN,KAA4B,CAAC,EACzBC,GAA6B,SAAUA,EAAe,CACxD,OAAAA,EAAcA,EAAc,KAAU,CAAC,EAAI,OAC3CA,EAAcA,EAAc,OAAY,CAAC,EAAI,SAC7CA,EAAcA,EAAc,MAAW,CAAC,EAAI,QACrCA,CACT,EAAEA,IAAiB,CAAC,CAAC,EAKjBC,IAA6C,IAAM,CACrD,IAAMC,EAAN,MAAMA,CAA6B,CACjC,YAAYC,EAAOC,EAAQC,EAAYC,EAAcV,EAAQW,EAAqB,CAChF,KAAK,MAAQJ,EACb,KAAK,OAASC,EACd,KAAK,WAAaC,EAClB,KAAK,aAAeC,EACpB,KAAK,OAASV,EACd,KAAK,oBAAsBW,EAC3B,KAAK,UAAY,KACjB,KAAK,YAAc,KACnB,KAAK,QAAUP,GAAc,KAC7B,KAAK,SAAW,KAAK,OAAO,SACxB,CAACQ,GAAsB,GAAKC,GAAU,IAAMF,GAAqB,6BAA+BA,GAAqB,6BAA+B,KAAK,sBAAsBT,IACjL,QAAQ,KAAK,2VAA+W,EAE9X,KAAK,wBAAwB,EAC7B,KAAK,0BAA0B,CACjC,CACA,yBAA0B,CACxB,KAAK,MAAM,KAAKY,GAAO,KAAK,QAAQ,EAAGC,EAAe,KAAK,KAAK,CAAC,EAAE,UAAU,CAAC,CAACC,EAAkBC,CAAU,IAAM,CAC/G,KAAK,iBAAiBD,EAAkBC,CAAU,CACpD,CAAC,CACH,CACA,iBAAiBD,EAAkBC,EAAY,CAO7C,GANI,CAACD,GAAoB,CAACA,EAAiB,OAGvC,KAAK,UAAYZ,GAAc,QAG/B,KAAK,qBAAqBc,GAC5B,OAEF,IAAMC,EAAMH,EAAiB,MAAM,IAC9BI,GAAU,KAAK,OAAO,IAAKD,CAAG,IACjC,KAAK,WAAaF,EAClB,KAAK,QAAUb,GAAc,MAC7B,KAAK,OAAO,cAAce,CAAG,EAAE,MAAME,GAAS,CAC5C,KAAK,aAAa,YAAYA,CAAK,CACrC,CAAC,EAEL,CACA,2BAA4B,CAC1B,IAAMC,EAAkB,KAAK,OAAO,yBAA2B5B,GAAuB,eAClF6B,EACJ,KAAK,OAAO,OAAO,KAAKR,EAAe,KAAK,KAAK,CAAC,EAAE,UAAU,CAAC,CAACS,EAAOP,CAAU,IAAM,CACrF,KAAK,UAAYO,EACbA,aAAiBN,IACnB,KAAK,YAAc,KAAK,WAAW,UAAU,KAAK,OAAO,YAAY,QAAQ,EACzE,KAAK,UAAYd,GAAc,QACjC,KAAK,WAAaa,EAClB,KAAK,sBAAsBO,CAAK,IAEzBA,aAAiBC,IAC1BF,EAAmBC,EACf,CAACF,GAAmB,KAAK,UAAYlB,GAAc,OACrD,KAAK,yBAAyBoB,CAAK,GAE5BA,aAAiBE,IAC1B,KAAK,qBAAqBF,CAAK,EAC/B,KAAK,MAAM,GACFA,aAAiBG,IAC1B,KAAK,oBAAoBH,CAAK,EAC9B,KAAK,MAAM,GACFA,aAAiBI,KACtB,KAAK,UAAYxB,GAAc,QAC7BkB,GACF,KAAK,yBAAyBC,CAAgB,EAEhD,KAAK,wBAAwBC,CAAK,GAEpC,KAAK,MAAM,EAEf,CAAC,CACH,CACA,sBAAsBA,EAAO,CAC3B,KAAK,qBAAqBnD,GAAgB,CACxC,MAAAmD,CACF,CAAC,CACH,CACA,yBAAyBK,EAAsB,CAC7C,IAAMC,EAAkB,KAAK,WAAW,UAAUD,EAAqB,KAAK,EAC5E,KAAK,qBAAqBpD,GAAmB,CAC3C,YAAaqD,EACb,MAAO,IAAIL,GAAiBI,EAAqB,GAAIA,EAAqB,IAAKA,EAAqB,kBAAmBC,CAAe,CACxI,CAAC,CACH,CACA,qBAAqBN,EAAO,CAC1B,KAAK,qBAAqB7C,GAAe,CACvC,WAAY,KAAK,WACjB,MAAA6C,CACF,CAAC,CACH,CACA,oBAAoBA,EAAO,CACzB,KAAK,qBAAqB3C,GAAc,CACtC,WAAY,KAAK,WACjB,MAAO,IAAI8C,GAAgBH,EAAM,GAAIA,EAAM,IAAK,GAAGA,CAAK,EAAE,CAC5D,CAAC,CACH,CACA,wBAAwBA,EAAO,CAC7B,IAAMlC,EAAc,KAAK,WAAW,UAAU,KAAK,OAAO,YAAY,QAAQ,EAC9E,KAAK,qBAAqBP,GAAkB,CAC1C,MAAAyC,EACA,YAAAlC,CACF,CAAC,CACH,CACA,qBAAqByC,EAAMC,EAAS,CAClC,KAAK,QAAU5B,GAAc,OAC7B,GAAI,CACF,KAAK,MAAM,SAAS,CAClB,KAAA2B,EACA,QAASE,EAAAhC,EAAA,CACP,YAAa,KAAK,aACf+B,GAFI,CAGP,MAAO,KAAK,OAAO,cAAgB,EAA2BA,EAAQ,MAAQ,CAC5E,GAAIA,EAAQ,MAAM,GAClB,IAAKA,EAAQ,MAAM,IAEnB,kBAAmBA,EAAQ,MAAM,iBACnC,CACF,EACF,CAAC,CACH,QAAE,CACA,KAAK,QAAU5B,GAAc,IAC/B,CACF,CACA,OAAQ,CACN,KAAK,QAAUA,GAAc,KAC7B,KAAK,WAAa,KAClB,KAAK,YAAc,IACrB,CAcF,EAXIE,EAAK,UAAO,SAA8C4B,EAAG,CAC3D,OAAO,IAAKA,GAAK5B,GAAiC6B,EAAYC,CAAK,EAAMD,EAAYE,EAAM,EAAMF,EAAShC,EAAqB,EAAMgC,EAAYG,EAAY,EAAMH,EAASrC,EAAa,EAAMqC,EAASI,EAAqB,CAAC,CAChO,EAIAjC,EAAK,WAA0BkC,EAAmB,CAChD,MAAOlC,EACP,QAASA,EAA6B,SACxC,CAAC,EA9IL,IAAMD,EAANC,EAiJA,OAAOD,CACT,GAAG,EAOH,SAASe,GAAUqB,EAAOC,EAAQ,CAChC,OAAOC,GAAmBF,CAAK,IAAME,GAAmBD,CAAM,CAChE,CACA,SAASC,GAAmBC,EAAM,CAChC,OAAIA,GAAM,OAAS,GAAKA,EAAKA,EAAK,OAAS,CAAC,IAAM,IACzCA,EAAK,UAAU,EAAGA,EAAK,OAAS,CAAC,EAEnCA,CACT,CAgBA,SAASC,GAAmB7C,EAAS,CAAC,EAAG,CACvC,OAAO8C,GAAyB,CAAC,CAC/B,QAASlD,GACT,SAAUI,CACZ,EAAG,CACD,QAASF,GACT,WAAYC,GACZ,KAAM,CAACH,EAAc,CACvB,EAAG,CACD,QAASO,GACT,SAAUH,EAAO,WAAaA,EAAO,WAAaA,EAAO,cAAgB,EAA2BE,GAA4Bb,EAClI,EAAG,CACD,QAAS0D,GACT,MAAO,GACP,YAAa,CACX,MAAO,IAAMC,GAAO3C,EAA4B,CAClD,CACF,EAAGA,EAA4B,CAAC,CAClC,CA4CA,IAAI4C,IAA4C,IAAM,CACpD,IAAMC,EAAN,MAAMA,CAA4B,CAChC,OAAO,QAAQlD,EAAS,CAAC,EAAG,CAC1B,MAAO,CACL,SAAUkD,EACV,UAAW,CAACL,GAAmB7C,CAAM,CAAC,CACxC,CACF,CAiBF,EAdIkD,EAAK,UAAO,SAA6ChB,EAAG,CAC1D,OAAO,IAAKA,GAAKgB,EACnB,EAIAA,EAAK,UAAyBC,GAAiB,CAC7C,KAAMD,CACR,CAAC,EAIDA,EAAK,UAAyBE,GAAiB,CAAC,CAAC,EArBrD,IAAMH,EAANC,EAwBA,OAAOD,CACT,GAAG,ECnZH,IAAYI,EAAZ,SAAYA,EAAI,CACdA,OAAAA,EAAA,aAAA,yBACAA,EAAA,qBAAA,iCACAA,EAAA,sBAAA,kCACAA,EAAA,kBAAA,8BACAA,EAAA,0BAAA,sCACAA,EAAA,iCAAA,mCACAA,EAAA,eAAA,2BACAA,EAAA,iBAAA,6BACAA,EAAA,gBAAA,4BATUA,CAUZ,EAVYA,GAAI,CAAA,CAAA,EAYHC,GAAP,KAAkB,CAAxBC,aAAA,CACW,KAAAC,KAAOH,EAAKI,YACvB,GACaC,GAAP,KAA0B,CAAhCH,aAAA,CACW,KAAAC,KAAOH,EAAKM,qBACvB,GACaC,GAAP,KAAyB,CAG7BL,YAAmBM,EAAsB,CAAtB,KAAAA,QAAAA,EADV,KAAAL,KAAOH,EAAKS,oBACwB,GAGlCC,GAAP,KAAuB,CAG3BR,YAAmBS,EAA0BC,EAAiB,CAA3C,KAAAD,OAAAA,EAA0B,KAAAC,MAAAA,EADpC,KAAAT,KAAOH,EAAKa,iBAC6C,GAGvDC,GAAP,KAA8B,CAGlCZ,YAAmBM,EAAmB,CAAnB,KAAAA,QAAAA,EADV,KAAAL,KAAOH,EAAKe,yBACqB,GAG/BC,GAAP,KAAoC,CAGxCd,YAAmBS,EAA0BM,EAAqB,CAA/C,KAAAN,OAAAA,EAA0B,KAAAM,UAAAA,EADpC,KAAAd,KAAOH,EAAKkB,gCACiD,GAG3DC,GAAP,KAAsB,CAE1BjB,YAAmBM,EAAgB,CAAhB,KAAAA,QAAAA,EADV,KAAAL,KAAOH,EAAKoB,gBACkB,GAG5BC,GAAP,KAAqB,CAEzBnB,YAAmBM,EAAgB,CAAhB,KAAAA,QAAAA,EADV,KAAAL,KAAOH,EAAKsB,eACkB,GAG5BC,GAAP,KAAoB,CAExBrB,YAAmBM,EAAgB,CAAhB,KAAAA,QAAAA,EADV,KAAAL,KAAOH,EAAKwB,cACkB,GCxCzC,IAAaC,IAAqB,IAAA,CAA5B,IAAOA,EAAP,MAAOA,CAAqB,CAChCC,YACUC,EACAC,EACAC,EACAC,EACAC,EAAsB,CAJtB,KAAAJ,SAAAA,EACA,KAAAC,eAAAA,EACA,KAAAC,cAAAA,EACA,KAAAC,iBAAAA,EACA,KAAAC,MAAAA,EAEV,KAAAC,yBAA2BC,EAAa,IAAM,KAAKN,SAASO,KAC1DC,EAA6EC,EAAKC,2BAA2B,EAC7GC,EAAkB,KAAKP,MAAMQ,OAAOC,GAAKA,EAAEC,SAASC,iBAAiB,CAAC,EACtEC,EAAe,KAAKZ,MAAMQ,OAAOC,GAAKA,EAAEI,eAAeC,gBAAgB,EAAI,KAAKd,MAAMQ,OAAOC,GAAKA,EAAEC,SAASK,UAAU,CAAE,EACzHC,EAAO,CAAC,CAAC,CAACC,EAAGC,CAAa,EAAGJ,CAAgB,IAAM,CAAC,CAAEI,GAAkBJ,GAAkBK,OAAS,CAAC,EACpGC,EAAU,CAAC,CAAC,CAACH,EAAGC,CAAa,EAAGJ,EAAkBO,CAAc,IAAK,CAMnE,GAJaP,EAAiBQ,KAAKC,GAAMA,EAAGC,KAAQN,CAAc,EAIxD,CACR,IAAMO,EAAWX,EAAiBQ,KAAKC,GAAMA,EAAGC,KAAON,CAAa,GAAKJ,EAAiBQ,KAAKC,GAAMA,EAAGG,wBAAwB,EAChI,MAAO,CAAC,IAAkBC,GAAe,IAAoBC,GAAuBH,CAAQ,CAAC,CAC/F,KAAO,CACL,IAAMI,EAAcf,EAAiBQ,KAAKC,GAAMA,EAAGC,KAAOH,CAAc,GAAKP,EAAiBQ,KAAKC,GAAMA,EAAGG,wBAAwB,EACpI,MAAO,CAAC,IAAoBE,GAAuBC,CAAW,CAAC,CACjE,CACF,CAAC,CAAC,CACH,EAED,KAAAC,2BAA6B5B,EAAa,IAAM,KAAKN,SAASO,KAC5DC,EAA6EC,EAAKC,2BAA2B,EAC7GM,EACE,KAAKZ,MAAMQ,OAAOuB,EAAc,EAChC,KAAK/B,MAAMQ,OAAOwB,EAAe,CAAC,EAEpCZ,EAAU,CAAC,CAACH,EAAGP,EAAUuB,CAAS,KAChC,KAAKC,gBAAgBD,EAAWvB,EAASyB,MAAM,EACxCC,EAAK,CAAA,CAAE,EACf,CAAC,CACH,EAED,KAAAC,mBAAqBnC,EAAa,IAAM,KAAKN,SAASO,KACpDC,EACwBC,EAAKiC,oBAA2CjC,EAAKkC,iCAAiC,EAC9G3B,EAAe,KAAKZ,MAAMQ,OAAOgC,GAASA,EAAM3B,cAAc,EAAG,KAAKb,MAAMQ,OAAOgC,GAASA,EAAM9B,QAAQ,CAAC,EAC3GU,EAAU,CAAC,CAACqB,EAAQ5B,EAAgBH,CAAQ,IAAK,CAC/C,GAAI,CAAC+B,EAAOC,QAAUD,EAAOE,UAAY9B,EAAeW,IAAMiB,EAAOE,UAAY9B,EAAe+B,WAC9F,OAAOR,EAAK,CACV,IAAoBS,GAAahC,EAAeW,EAAE,EAClD,IAA0BsB,GAAyBjC,CAAc,EACjE,GAAG4B,EAAOM,SAAS,CACpB,EAEH,IAAId,EAEJ,GAAI,CAACe,MAAM,CAACP,EAAOE,OAAO,EAAG,CAC3BV,EAAY,CAACQ,EAAOE,QACpB,IAAMM,EAAoBC,KAAKC,MAAM,KAAKC,gBAAe,CAAE,EACvD,CAACvC,EAAeW,IAAMyB,GAAmBhB,UAAY,GAAKvB,EAASyB,SAAWc,GAAmBd,SACnGF,EAAYgB,EAAkBhB,UAElC,CACA,OAAO,KAAKpC,eAAewD,IAAIpB,GAAaQ,EAAOE,OAAO,EAAExC,KAC1DmD,GAAUC,GAAW,CACnB7C,EAAS8C,eAAevB,YAAcsB,EAAQ/B,GAC1C,IAAoBqB,GAAaU,EAAQ/B,EAAE,EAC3C,IAAoBiC,GAAoB/C,CAAQ,EACpD,IAA0BoC,GAAyBS,CAAO,EAC1D,GAAGd,EAAOM,SAAS,CACpB,CAAC,CAEN,CAAC,CACA,CACF,EAED,KAAAW,mBAAqBxD,EAAa,IAAM,KAAKN,SAASO,KACpDC,EAA6EC,EAAKsD,4BAA4B,EAC9GvC,EAAWqB,GACT,KAAK3C,cAAc8D,WAAWnB,EAAOE,QAAQkB,KAAK,CAAC,CACpD,EACD1D,KACAiB,EAAU0C,GAAW1B,EAAK,CACxB,IAAoBqB,GAAoBK,EAAQC,WAAW,EAC3D,IAA0BjB,GAAyBkB,EAAAC,EAAA,GAAKH,EAAQjD,gBAAb,CAA6BgD,MAAO,QAAQ,EAAE,CAAC,CACnG,CAAC,CAAC,CAAC,EAGN,KAAAK,iBAAmBhE,EAAa,IAAM,KAAKN,SAASO,KAClDC,EAA+B+D,EAAiB,EAChD5D,EACE,KAAKX,SAASO,KAAKC,EAA4DC,EAAK+D,sBAAsB,CAAC,CAAC,EAE9GxD,EAAe,KAAKZ,MAAMQ,OAAOgC,GAASA,EAAM3B,cAAc,CAAC,EAC/DwD,EAAI,CAAC,CAAC,CAACC,EAAwB5D,CAAQ,EAAGG,CAAc,IACrD,CAAC,KAAK0D,eAAeD,EAAuB3B,QAAQ6B,YAAYC,IAAI,EAAG/D,EAASiC,QAAS9B,CAAc,CAAE,EAC5GG,EAAO,CAAC,CAAC0D,EAAQhE,EAAUO,CAAC,IAAMP,EAASuB,YAAc,MAAQ,cAAeyC,GAAU,qBAAsBA,CAAM,EACtHC,GAAK,CAAC,EACNN,EAAI,CAAC,CAACK,EAAQhE,EAAUG,CAAc,IAAK,CACzC,IAAIoB,EAAY,CAACgC,EAAA,GAAKvD,GAAWuB,UAGjC,MAAI,qBAAsByC,EACjB,IAA0BE,GAA6BF,EAAOG,gBAAgB,GAGnF,cAAeH,IACjBzC,EAAY,CAACyC,EAAOzC,WAEfpB,GAAgBW,KAAOS,EAAY,IAA0B6C,GAAsB,IAA0BC,GAAkB9C,CAAS,EACjJ,CAAC,CAAC,CACH,EAED,KAAA+C,uBAAyB9E,EAAa,IAAM,KAAKN,SAASO,KACxDC,EAA0EC,EAAK4E,uBAAuB,EACtGrE,EAAe,KAAKZ,MAAMQ,OAAOgC,GAASA,EAAM3B,eAAeW,EAAE,CAAC,EAClEJ,EAAU,CAAC,CAACqB,EAAQR,CAAS,IAC3B,KAAKlC,iBAAiBmF,oBAAoBjD,EAAWQ,EAAOE,OAAO,CAAC,EACtEvB,EAAW+D,GAAQ/C,EAAK,CAAC,IAA0BgD,GAA6BD,CAAG,CAAC,CAAC,CAAC,CAAC,CACxF,CAhHmC,CAkH5BZ,eAAec,EAAiC,CACtD,IAAIC,EAASrB,EAAA,GAAKoB,EAAUX,QAC5B,KAAO,eAAgBW,GAAaA,EAAUE,YAC5CF,EAAYA,EAAUE,WACtBD,EAASrB,IAAA,GAAKqB,GAAWD,EAAUX,QAErC,OAAOY,CACT,CAEQpD,gBAAgBD,EAAmBE,EAAc,CACvDqD,aAAaC,QAAQ,4BAA6BvC,KAAKwC,UAAU,CAAEzD,UAAWA,EAAWE,OAAQA,CAAM,CAAE,CAAC,CAC5G,CAEQiB,iBAAe,CACrB,OAAOoC,aAAaG,QAAQ,2BAA2B,CACzD,yCAvIWjG,GAAqBkG,EAAAC,CAAA,EAAAD,EAAAE,EAAA,EAAAF,EAAAG,EAAA,EAAAH,EAAAI,EAAA,EAAAJ,EAAAK,CAAA,CAAA,CAAA,wBAArBvG,EAAqBwG,QAArBxG,EAAqByG,SAAA,CAAA,EAA5B,IAAOzG,EAAP0G,SAAO1G,CAAqB,GAAA,ECFlC,IAAa2G,IAAc,IAAA,CAArB,IAAOA,EAAP,MAAOA,CAAc,CACzBC,YACUC,EACAC,EACAC,EAAwB,CAFxB,KAAAF,MAAAA,EACA,KAAAC,SAAAA,EACA,KAAAC,YAAAA,EAGV,KAAAC,+BAAiCC,EAAa,IAAM,KAAKH,SAASI,KAChEC,EAAoEC,EAAKC,gCAAgC,CAAC,EACzGH,KACCI,EAAe,KAAKT,MAAMU,OAAOC,GAAKA,EAAEC,cAAc,CAAC,EACvDC,EAAU,CAAC,CAACC,EAAaF,CAAc,IAC9B,KAAKV,YACTa,kBAAkBD,EAAYE,OAAQF,EAAYG,SAAS,EAC3DZ,KACCQ,EAAUK,GAAW,CACnB,IAAMC,EAAmB,KAAKC,eAAe,KAAMF,EAASC,iBAAkBP,CAAc,EAC5F,MAAO,CACL,IAAmBS,GAAwBF,CAAgB,EAC3D,IAAmBG,GAAiBR,EAAYE,OAAQE,EAASD,SAAS,EAC1E,IAAqBM,GAAuBT,EAAYE,MAAM,CAAC,CAEnE,CAAC,CAAC,CAGP,CAAC,CACH,EAEH,KAAAQ,aAAepB,EAAa,IAAM,KAAKH,SAASI,KAC9CC,EAAkDC,EAAKkB,YAAY,CAAC,EACnEpB,KACCqB,EACE,KAAKzB,SAASI,KAAKC,EAA6EC,EAAKoB,2BAA2B,CAAC,EACjI,KAAK1B,SAASI,KAAKC,EAA+DC,GAAKqB,uBAAuB,CAAC,CAAC,EAElHC,EAAO,CAAC,CAACC,EAAGC,EAAuBC,CAAQ,IAAMD,EAAsBE,QAAQC,KAAOF,EAASC,QAAQE,gBAAgB,EAEvHtB,EAAU,CAAC,CAACiB,EAAGC,CAAqB,IAClC,KAAK7B,YAAYkC,QAAO,EACrB/B,KAAKQ,EAAUI,GAAY,CAE1B,IAAMoB,EADY,KAAKjB,eAAe,KAAMH,EAAWc,EAAsBE,OAAO,EAC5DK,QAAQC,GAAKA,EAAEC,WAAW,EAAEC,IAAKF,IACtD,CAAEG,KAAMH,EAAEI,IAAKN,MAAOE,EAAEK,OAAQC,QAAS,EAAK,EAAG,EACpD,MAAO,CAAC,IAAmBC,GAAmBT,CAAK,CAAC,CACtD,CAAC,CAAC,CAAC,CACN,CAAC,EAEN,KAAAU,mBAAqB3C,EAAa,IAAM,KAAKH,SAASI,KACpDC,EAAkDC,EAAKkB,YAAY,EACnEC,EAAkB,KAAKzB,SAASI,KAAKC,EAA6DC,EAAKyC,uBAAuB,CAAC,CAAC,CAAC,EAChI3C,KAAKQ,EAAUiB,GAAK,CAAC,IAAmBmB,EAAqB,CAAC,CAAC,CAAC,EAEnE,KAAAC,4BAA8B9C,EAAa,IAAM,KAAKH,SAASI,KAC7DC,EAAyDC,EAAK4C,oBAAoB,EAClFtB,EAAOuB,GAAUA,EAAOnB,QAAQoB,SAAW,CAAC,CAAC,EAC7ChD,KAAKQ,EAAUiB,GAAK,CAAC,IAAkBwB,GAAgB,CAAA,CAAE,CAAC,CAAC,CAAC,CAAC,CAnDzB,CAqDtClC,eAAemC,EAA0BtC,EAAuBL,EAA8B,CAC5F,IAAM4C,EAAuB,CAAA,EAC7B,QAAWC,KAAYxC,EAAW,CAIhC,GAHAwC,EAASC,UAAYH,EAAiBA,EAAeZ,IAAM,KAC3Dc,EAASE,oBAAsBF,EAASG,SACpCH,EAASG,SAAS/B,OAAOgC,GAAKA,EAAErB,cAAgBiB,EAASjB,WAAW,EAAEa,OAAS,EAAI,GACnFI,EAASK,YAAa,CACxB,IAAMC,EAAmB,KAAK3C,eAAeqC,EAAUA,EAASG,SAAUhD,CAAc,EACxF6C,EAASG,SAAWG,EACpBN,EAASK,YAAcC,EAAiBV,OAAS,EAE7CI,EAASK,aACXN,EAASQ,KAAK,GAAGD,CAAgB,CAErC,CACAN,EAASQ,MAAQ,KAAKC,YAAYX,EAAgBE,EAAU7C,CAAc,EAC1E4C,EAASQ,KAAKP,CAAQ,CACxB,CAEA,OAAOD,CACT,CAEQU,YAAYC,EAAsBC,EAAgBxD,EAA8B,CAEtF,OAAKwD,EAAKC,iBAAmBD,EAAKC,gBAAgBhB,OAAS,GAAOe,EAAKzB,IAEjEwB,EACEA,EAAWT,UACN,CAAC,UAAW9C,EAAe0D,UAAW,OAAQH,EAAWT,UAAWS,EAAWxB,IAAKyB,EAAKzB,GAAG,EAE5F,CAAC,UAAW/B,EAAe0D,UAAW,OAAQH,EAAWxB,IAAKyB,EAAKzB,GAAG,EAG3EyB,EAAKC,iBAAmBD,EAAKC,gBAAgBhB,OAAS,EACjD,CAAC,UAAWzC,EAAe0D,UAAW,OAAQF,EAAKzB,GAAG,EAEnDyB,EAAKR,SAAS/B,OAAO0C,GAAKA,EAAEF,iBAAmBE,EAAEF,gBAAgBhB,OAAS,CAAC,EAC/EA,OAAS,EACN,CAAC,UAAWzC,EAAe0D,UAAW,OAAQF,EAAKzB,GAAG,EAEtD,CAAC,EAAE,EAKX,CAAC,EAAE,CACZ,yCAvGW7C,GAAc0E,EAAAC,CAAA,EAAAD,EAAAE,CAAA,EAAAF,EAAAG,EAAA,CAAA,CAAA,wBAAd7E,EAAc8E,QAAd9E,EAAc+E,SAAA,CAAA,EAArB,IAAO/E,EAAPgF,SAAOhF,CAAc,GAAA,ECb3B,IAAYiF,GAAZ,SAAYA,EAAI,CACdA,OAAAA,EAAA,mBAAA,qCACAA,EAAA,2BAAA,6CAFUA,CAGZ,EAHYA,IAAI,CAAA,CAAA,EAKHC,GAAP,KAAwB,CAA9BC,aAAA,CACW,KAAAC,KAAOH,GAAKI,kBACvB,GAEaC,GAAP,KAA+B,CAGnCH,YAAmBI,EAAY,CAAZ,KAAAA,QAAAA,EADV,KAAAH,KAAOH,GAAKO,0BACc,GCPrC,IAAaC,IAAoB,IAAA,CAA3B,IAAOA,EAAP,MAAOA,CAAoB,CAC/BC,YAAoBC,EACVC,EAAsB,CADZ,KAAAD,SAAAA,EACV,KAAAC,WAAAA,EAGV,KAAAC,mBAAqBC,EAAa,IAAM,KAAKH,SAASI,KACpDC,EAAoEC,GAAKC,kBAAkB,EAC3FC,EAAUC,GAAK,KAAKR,WAAWS,IAAU,wBAA0BC,KAAKC,IAAG,EAAGC,SAAQ,EAAI,CAAEC,QAAS,CAAE,KAAQ,MAAM,CAAE,CAAE,EACtHV,KACCW,EAAIC,GAAY,IAAyBC,GAAyBD,CAAQ,CAAC,CAAC,CAC7E,CACF,CACF,CATD,yCAHWlB,GAAoBoB,EAAAC,CAAA,EAAAD,EAAAE,EAAA,CAAA,CAAA,wBAApBtB,EAAoBuB,QAApBvB,EAAoBwB,SAAA,CAAA,EAA3B,IAAOxB,EAAPyB,SAAOzB,CAAoB,GAAA,ECF1B,IAAM0B,GAAsC,CAC/CC,WAAY,EACZC,UAAW,KACXC,cAAe,KACfC,gBAAiB,CAAEC,QAAS,KAAMC,UAAW,KAAMC,cAAe,KAAMC,WAAY,KAAMC,aAAc,IAAI,EAC5GJ,QAAS,KACTK,uBAAwB,KACxBC,iBAAkB,CAAEC,IAAK,KAAMC,KAAM,IAAI,EACzCC,oBAAqB,KACrBC,kBAAmB,KACnBC,WAAYC,EAAYC,SACxBC,KAAM,CAAA,EACNC,MAAO,CAAA,EACPC,QAAS,CAAA,EACTC,gBAAiB,CAAA,EACjBC,OAAQ,GACRC,QAAS,GACTC,eAAgB,KAChBC,YAAa,IAGX,SAAUC,GAAQC,EAA+B5B,GAAc6B,EAAoD,CAErH,IAAMC,EAAUC,GAA2BH,EAAOC,EAAQZ,EAAYC,SAAUlB,EAAY,EAC5F,GAAI8B,IAAY,KACZ,OAAOA,EAGX,OAAQD,EAAOG,KAAI,CACf,KAAKC,EAAyBC,uBAC1B,OAAOlC,GAEX,KAAKiC,EAAyBE,oBAC5B,OAAOC,EAAAC,EAAA,GAAKT,GAAL,CAAYzB,cAAe0B,EAAOS,OAAO,GAElD,KAAKL,EAAyBM,wBAC1B,OAAOH,EAAAC,EAAA,GAAKT,GAAL,CAAYlB,uBAAwBmB,EAAOS,OAAO,GAE7D,KAAKL,EAAyBO,iCAC1B,OAAOJ,EAAAC,EAAA,GAAKT,GAAL,CAAYjB,iBAAkBkB,EAAOS,OAAO,GAEvD,KAAKL,EAAyBQ,oCAC1B,OAAOL,EAAAC,EAAA,GAAKT,GAAL,CAAYd,oBAAqBe,EAAOS,OAAO,GAE1D,KAAKL,EAAyBS,QAAS,CACnC,IAAMvB,EAAO,CAAC,GAAGS,EAAMT,IAAI,EAC3BA,OAAAA,EAAKwB,KAAKd,EAAOS,OAAO,EACjBF,EAAAC,EAAA,GAAKT,GAAL,CAAYT,KAAMA,EAAMyB,eAAgB,EAAI,EACvD,CACA,KAAKX,EAAyBY,SAAU,CACpC,IAAM1B,EAAO,CAAC,GAAGS,EAAMT,IAAI,EACrB2B,EAAQ3B,EAAK4B,UAAUC,GAAKA,EAAEC,SAAWpB,EAAOS,QAAQW,MAAM,EACpE,OAAOb,EAAAC,EAAA,GAAKT,GAAL,CAAYT,KAAM,CAAC,GAAGA,EAAK+B,MAAM,EAAGJ,CAAK,EAAGjB,EAAOS,QAAS,GAAGnB,EAAK+B,MAAMJ,EAAQ,CAAC,CAAC,EAAGF,eAAgB,EAAI,EACtH,CACA,KAAKX,EAAyBkB,WAAY,CACtC,IAAML,EAAQlB,EAAMT,KAAK4B,UAAUC,GAAKnB,EAAOS,QAAQW,SAAWD,EAAEC,MAAM,EAC1E,OAAWH,IAAP,GACOT,EAAA,GAAKT,GAETQ,EAAAC,EAAA,GAAKT,GAAL,CAAYT,KAAM,CAAC,GAAGS,EAAMT,KAAK+B,MAAM,EAAGJ,CAAK,EAAG,GAAGlB,EAAMT,KAAK+B,MAAMJ,EAAQ,CAAC,CAAC,EAAGF,eAAgB,EAAI,EAClH,CACA,KAAKX,EAAyBmB,SAAU,CACpC,IAAMhC,EAAQ,CAAC,GAAGQ,EAAMR,KAAK,EAC7BA,OAAAA,EAAMuB,KAAKd,EAAOS,OAAO,EAClBF,EAAAC,EAAA,GAAKT,GAAL,CAAYR,MAAOA,EAAOwB,eAAgB,EAAI,EACzD,CACA,KAAKX,EAAyBoB,UAAW,CACrC,IAAMjC,EAAQ,CAAC,GAAGQ,EAAMR,KAAK,EACvB0B,EAAQ1B,EAAM2B,UAAUC,GAAKA,EAAEC,SAAWpB,EAAOS,QAAQW,MAAM,EACrE,OAAOb,EAAAC,EAAA,GAAKT,GAAL,CAAYR,MAAO,CAAC,GAAGA,EAAM8B,MAAM,EAAGJ,CAAK,EAAGjB,EAAOS,QAAS,GAAGlB,EAAM8B,MAAMJ,EAAQ,CAAC,CAAC,EAAGF,eAAgB,EAAI,EACzH,CACA,KAAKX,EAAyBqB,YAAa,CACvC,IAAMR,EAAQlB,EAAMR,MAAM2B,UAAUC,GAAKnB,EAAOS,QAAQW,SAAWD,EAAEC,MAAM,EAC3E,OAAWH,IAAP,GACOT,EAAA,GAAKT,GAETQ,EAAAC,EAAA,GAAKT,GAAL,CAAYR,MAAO,CAAC,GAAGQ,EAAMR,MAAM8B,MAAM,EAAGJ,CAAK,EAAG,GAAGlB,EAAMR,MAAM8B,MAAMJ,EAAQ,CAAC,CAAC,EAAGF,eAAgB,EAAI,EACrH,CACA,KAAKX,EAAyBsB,WAAY,CACtC,IAAMlC,EAAU,CAAC,GAAGO,EAAMP,OAAO,EACjCA,OAAAA,EAAQsB,KAAKd,EAAOS,OAAO,EACpBF,EAAAC,EAAA,GAAKT,GAAL,CAAYP,QAASA,CAAO,EACvC,CACA,KAAKY,EAAyBuB,YAAa,CACvC,IAAMnC,EAAU,CAAC,GAAGO,EAAMP,OAAO,EAC3ByB,EAAQzB,EAAQ0B,UAAUC,GAAMA,EAAES,KAAO,IAAMT,EAAES,KAAO5B,EAAOS,QAAQmB,IAAOT,EAAEC,SAAWpB,EAAOS,QAAQW,MAAM,EACtH,OAAOb,EAAAC,EAAA,GAAKT,GAAL,CAAYP,QAAS,CAAC,GAAGA,EAAQ6B,MAAM,EAAGJ,CAAK,EAAGjB,EAAOS,QAAS,GAAGjB,EAAQ6B,MAAMJ,EAAQ,CAAC,CAAC,CAAC,EACzG,CACA,KAAKb,EAAyByB,cAAe,CACzC,IAAMZ,EAAQlB,EAAMP,QAAQ0B,UAAUC,GAAMA,EAAES,KAAO,IAAMT,EAAES,KAAO5B,EAAOS,QAAQmB,IAAOT,EAAEC,SAAWpB,EAAOS,QAAQW,MAAM,EAE5H,OAAWH,IAAP,GACOT,EAAA,GAAKT,GAGTQ,EAAAC,EAAA,GAAKT,GAAL,CAAYP,QAAS,CAAC,GAAGO,EAAMP,QAAQ6B,MAAM,EAAGJ,CAAK,EAAG,GAAGlB,EAAMP,QAAQ6B,MAAMJ,EAAQ,CAAC,CAAC,CAAC,EACrG,CACA,KAAKb,EAAyB0B,gBAC5B,OAAQvB,EAAAC,EAAA,GAAKT,GAAL,CAAYgC,YAAa/B,EAAOS,QAASM,eAAgB,EAAK,GAExE,KAAKX,EAAyB4B,gBAC5B,OAAQzB,EAAAC,EAAA,GAAKT,GAAL,CAAYF,YAAaG,EAAOS,OAAO,GAEjD,QACI,OAAOV,CAEf,CACJ,CChGA,IAAakC,IAAqB,IAAA,CAA5B,IAAOA,EAAP,MAAOA,CAAqB,CAChCC,YACUC,EACAC,EACAC,EACAC,EAAwC,CAHxC,KAAAH,SAAAA,EACA,KAAAC,MAAAA,EACA,KAAAC,eAAAA,EACA,KAAAC,cAAAA,EAEV,KAAAC,eAAiBC,EAAa,IAAM,KAAKL,SAASM,KAChDC,EAAkEC,EAAKC,cAAc,EACrFC,EAAe,KAAKT,MAAMU,OAAOC,GAAKA,EAAEC,cAAc,CAAC,EACvDC,EAAU,CAAC,CAACC,EAAQC,CAAO,IAAK,CAC9B,IAAMC,EAAQC,EAAA,GAAKC,IACnBF,EAAMG,kBAAoBL,EAAOM,QACjCJ,EAAMK,gBAAkBP,EAAOO,gBAC/BL,EAAMM,gBAAkBR,EAAOQ,gBAC/BN,EAAMO,QAAUT,EAAOS,QACvB,IAAMC,EAAgBV,EAAOQ,gBAAkBR,EAAOQ,gBAAgBE,cAAgB,GAEtF,OAAKV,EAAOW,UAQL,KAAKxB,eAAeyB,QAAQZ,EAAOW,SAAS,EAChDpB,KACCQ,EAAUc,GAAU,CAClB,GAAIA,IAAY,KACd,OAAO,KAAK1B,eAAe2B,OAAOb,EAAQc,GAAIf,EAAOM,QAAQS,GAAIC,KAAKC,UAAUf,CAAK,EAAGQ,CAAa,EAClGnB,KACCQ,EAAUc,GAAWK,EAAK,CACxB,IAAyBC,GAAeC,EAAAjB,EAAA,GAAKD,GAAL,CAAYS,UAAWE,EAAQE,GAAIM,eAAgBR,EAAQQ,cAAc,EAAE,CAAC,CACrH,CAAC,CAAC,EAEF,GAAIR,IAAY,KAAM,CAC3B,IAAIS,EAAUT,EAAQX,OAAS,KAAOc,KAAKO,MAAMV,EAAQX,KAAK,EAAIA,EAElE,MAAI,CAACoB,EAAOd,iBAAmBR,EAAOQ,kBAAmBc,EAAOd,gBAAkBR,EAAOQ,iBAEzFc,EAASF,EAAAjB,EAAA,GAAKmB,GAAL,CAAaX,UAAWE,EAAQE,GAAIS,QAASX,EAAQW,OAAO,GAC9DN,EAAK,CACV,IAAyBC,GAAeG,CAAM,CAAC,CAChD,CACH,CACF,CAAC,CAAC,EA3BG,KAAKnC,eAAe2B,OAAOb,EAAQc,GAAIf,EAAOM,QAAQS,GAAIC,KAAKC,UAAUf,CAAK,EAAGQ,EAAeV,EAAOS,OAAO,EAClHlB,KACCQ,EAAUc,GAAWK,EAAK,CACxB,IAAyBC,GAAeC,EAAAjB,EAAA,GAAKD,GAAL,CAAYS,UAAWE,EAAQE,GAAIM,eAAgBR,EAAQQ,cAAc,EAAE,CAAC,CACrH,CAAC,CAAC,CAyBX,CAAC,CAAC,CACH,EAED,KAAAI,iCAAmCnC,EAAa,IAAM,KAAKL,SAASM,KAClEC,EAA0EC,EAAKiC,yBAAyB,EACxGC,EAAO3B,GAAUA,EAAO4B,aAAeC,EAAYC,QAAQ,EAC3D/B,EAAUC,GAAUkB,EAAK,CAAC,IAAyBa,GAAW/B,EAAOM,QAASuB,EAAYC,QAAQ,CAAC,CAAC,CAAC,CAAC,CACvG,EAED,KAAAE,6BAA+B1C,EAAa,IAAM,KAAKL,SAASM,KAC9DC,EAA4DC,EAAKwC,UAAU,EAC3EN,EAAO3B,GAAUA,EAAOM,QAAQsB,aAAeC,EAAYC,QAAQ,EACnE/B,EAAUC,GAAS,CACjB,IAAIM,EAAUN,EAAOM,QACf4B,EAAQlB,KAAKC,UAAUG,EAAAjB,EAAA,GAAKH,EAAOM,SAAZ,CAAqB6B,QAAS,EAAK,EAAE,EAClE,YAAKjD,MAAMkD,SAAS,IAAyBC,EAAW,CAAEC,QAAS,EAAK,CAAE,CAAC,EACpE,KAAKC,YAAYjC,EAAS4B,EAAOlC,EAAOwC,WAAW,CAC5D,CAAC,CAAC,CACH,EAED,KAAAC,kCAAoCnD,EAAa,IAAM,KAAKL,SAASM,KACnEC,EAA4DC,EAAKiD,kBAAkB,EACnFf,EAAO3B,GAAUA,EAAOM,QAAQsB,aAAeC,EAAYC,QAAQ,EACnE/B,EAAUC,GAAS,CACjB,IAAIM,EAAUN,EAAOM,QACf4B,EAAQlB,KAAKC,UAAUjB,EAAOM,OAAO,EAC3C,OAAO,KAAKiC,YAAYjC,EAAS4B,EAAOlC,EAAOwC,WAAW,EACvDjD,KACCQ,EAAU4C,GAAKzB,EAAK,CAAC,IAAsB0B,EAAM,CAAC,CAAC,CAAC,CAC1D,CAAC,CAAC,CACH,EAED,KAAAC,WAAavD,EAAa,IAAM,KAAKL,SAASM,KAC5CC,EAAiEC,EAAKqD,gBAAgB,EACtFnB,EAAO3B,GAAUA,EAAOM,SAASsB,aAAeC,EAAYC,QAAQ,EACpEnC,EAAe,KAAKT,MAAMU,OAAOC,GAAKA,EAAEC,cAAc,CAAC,EACvDC,EAAU,CAAC,CAACC,EAAQC,CAAO,IACzBiB,EAAK,CAAC,IAAsB6B,EAAG,CAAEC,KAAM,CAAC,SAAU/C,EAAQgD,UAAW,WAAYjD,EAAOM,QAAQK,SAAS,CAAC,CAAE,CAAC,CAAC,CAAC,CAAC,CACnH,EAED,KAAAuC,cAAgB5D,EAAa,IAAM,KAAKL,SAASM,KAC/CC,EAAgEC,EAAK0D,cAAc,EACnFxB,EAAO3B,GAAUA,EAAOM,QAAQsB,aAAeC,EAAYC,QAAQ,EACnEsB,EAAIpD,GAAU,KAAKqD,2BAA2BrD,EAAOM,OAAgC,CAAC,EACtFX,EAAe,KAAKT,MAAMU,OAAOC,GAAKA,EAAEC,cAAc,CAAC,EACvDC,EAAU,CAAC,CAACuD,EAAOxD,CAAc,IAAM,KAAKX,eACzCoE,eAAezD,EAAeiB,GAAIuC,CAAK,EACvC/D,KAAK6D,EAAII,GAAK,IAAyBC,GAAeD,EAAEzC,GAAIc,EAAYC,QAAQ,CAAC,CAAC,CAClF,CAAC,CACL,EAED,KAAA4B,SAAWpE,EAAa,IAAM,KAAKL,SAASM,KAC1CC,EAA0DC,EAAKkE,QAAQ,EACvEhC,EAAO3B,GAAUA,EAAO4B,aAAeC,EAAYC,QAAQ,EAC3DnC,EAAe,KAAKT,MAAMU,OAAOC,GAAKA,EAAE+D,qBAAqB,CAAC,EAC9D7D,EAAU,CAAC,CAAC4C,EAAGiB,CAAqB,IAAM1C,EAAK,CAAC,IAAyB2C,GAAUD,CAAqB,CAAC,CAAC,CAAC,CAAC,CAC7G,EAED,KAAAE,WAAaxE,EAAa,IAAM,KAAKL,SAASM,KAC5CC,EACwBC,EAAKsE,SACLtE,EAAKuE,UACLvE,EAAKwE,QACLxE,EAAKyE,SACLzE,EAAK0E,WACL1E,EAAK2E,WAAW,EACxCzE,EAAe,KAAKT,MAAMU,OAAOC,GAAKA,EAAE+D,qBAAqB,CAAC,EAC9D7D,EAAU,CAAC,CAAC4C,EAAG1C,CAAO,IACpBiB,EAAK,CAAC,IAAyB2C,GAAU5D,EAAS,EAAK,CAAC,CAAC,CAAC,CAC3D,CAAC,EAEJ,KAAAoE,eAAiB/E,EAAa,IAAM,KAAKL,SAASM,KAChDC,EAAgEC,EAAK6E,cAAc,EACnF3C,EAAO3B,GAAUA,EAAO4B,aAAeC,EAAYC,QAAQ,EAC3D/B,EAAWC,GAAW,KAAKb,eAAeoF,OAAOvE,EAAOW,SAAS,CAAC,CAAC,EAClE,CAAEyB,SAAU,EAAK,CAAE,EAEtB,KAAAoC,YAAclF,EAAa,IAAM,KAAKL,SAASM,KAC7CC,EAA6BC,EAAKgF,uBAAuB,EAEzD9E,EAAe,KAAKT,MAAMU,OAAOC,GAAKA,EAAE+D,qBAAqB,CAAC,EAC9D7D,EAAU,CAAC,CAACC,EAAQC,CAAO,IACpBA,EAAQkC,QAGNjB,EAAKwD,CAAK,EAFRxD,EAAK,CAAC,IAAyBmB,EAAW,CAAEC,QAAS,EAAI,CAAE,CAAC,CAAC,CAGvE,CAAC,CACH,CAjID,CAmIQC,YAAYjC,EAAgC4B,EAAeM,EAAoB,CACrF,OAAO,KAAKrD,eAAeoD,YAAYjC,EAAQK,UAAW,CAAEuB,MAAOA,EAAOyC,aAAcrE,EAAQe,eAAgBuD,aAAc,EAAI,CAAE,EAAErF,KACpI6D,EAAIyB,GAAS,CACX,IAAMxD,EAAiBL,KAAKO,MAAMsD,EAAOC,IAAI,EAAEzD,eAC/C,OAAO,IAAyB0D,GAAW,CAAEpE,UAAWL,EAAQK,UAAWU,eAAgBA,CAAc,EAAIf,EAAQsB,WAAYY,CAAW,CAC9I,CAAC,EACDwC,EAAWC,GAAM,CACf,GAAIA,GAAKC,QAAU,qBACjB,OAAO,KAAK/F,eAAegG,WAAW7E,EAAQK,SAAS,EACpDpB,KAAKQ,EAAWqF,GACR,KAAKhG,cAAciG,WACxB,4DACA,2DACA,IACAC,GAAWC,QACX,uDACA,qDACA,GACA,KACA,GACA,GACA,GAAGH,EAASI,eAAiB,KAAK,IAAIJ,EAASK,gBAAkB,IAAIC,KAAKN,EAASK,eAAe,EAAEE,eAAc,EAAK,EAAE,EAAE,EAE1HpG,KACCQ,EAAUqF,GAAW,CACnB,GAAIA,EACF,OAAO,KAAKjG,eAAeoD,YAAYjC,EAAQK,UAAW,CAAEuB,MAAOA,EAAOyC,aAAcrE,EAAQe,eAAgBuD,aAAc,EAAK,CAAE,EAAErF,KACrI6D,EAAIwC,GAAa,CACf,IAAMvE,EAAiBL,KAAKO,MAAMqE,EAAWd,IAAI,EAAEzD,eACnD,OAAO,IAAyB0D,GAAW,CAAEpE,UAAWL,EAAQK,UAAWU,eAAgBA,CAAc,EAAIf,EAAQsB,WAAYY,CAAW,CAC9I,CAAC,CACA,EAGH,KAAKtD,MAAMkD,SAAS,IAAsBW,EAAG,CAAEC,KAAM,CAAC,SAAU,KAAK9D,MAAMU,OAAOC,GAAKA,EAAEC,eAAemD,SAAS,EAAG,UAAU,EAAG4C,OAAQ,CAAE3F,MAAO,CAAE4F,gBAAiB,EAAI,CAAE,CAAE,CAAE,CAAC,CAEpL,CAAC,CAAC,CACP,CAAC,CAER,CAAC,CAAC,CACN,CAEQzC,2BAA2BpD,EAA8B,CAC/D,MAAuB,CACrBU,UAAWV,EAAQU,UACnBoF,cAAe9F,EAAQ8F,cACvBrF,cAAeT,EAAQO,gBAAgBE,cACvCD,QAASR,EAAQQ,QACjBe,QAASvB,EAAQuB,QAAQ4B,IAAII,IAA2B,CACtDzC,GAAIyC,EAAEzC,GACNiF,MAAOxC,EAAEwC,MACTC,YAAazC,EAAEyC,YACfC,SAAU1C,EAAE0C,SACZC,mBAAoB3C,EAAE4C,iBAAiBhD,IAAIiD,GAAKA,EAAEtF,EAAE,EACpDuF,eAAgB9C,EAAE8C,eAClBC,iBAAkBtG,EAAQuG,uBAAyBvG,EAAQuG,uBAAuBzF,GAAK,KACvF0F,SAAUxG,EAAQyG,kBAAkBC,KAAO1G,EAAQuG,wBAAwBI,aAAe,KAC1FC,YAAa5G,EAAQ6G,qBAAqBC,gBAAkB9G,EAAQuG,wBAAwBO,gBAAkB,MAC/G,EAEL,yCArMWhI,GAAqBiI,EAAAC,CAAA,EAAAD,EAAAE,CAAA,EAAAF,EAAAG,EAAA,EAAAH,EAAAI,EAAA,CAAA,CAAA,wBAArBrI,EAAqBsI,QAArBtI,EAAqBuI,SAAA,CAAA,EAA5B,IAAOvI,EAAPwI,SAAOxI,CAAqB,GAAA,ECRlC,IAAayI,IAAiB,IAAA,CAAxB,IAAOA,EAAP,MAAOA,CAAiB,CAC5BC,YACUC,EACAC,EACAC,EAAkB,CAFlB,KAAAF,SAAAA,EACA,KAAAC,OAAAA,EACA,KAAAC,SAAAA,EAKV,KAAAC,UAAYC,EAAa,IAAM,KAAKJ,SAASK,KAC3CC,EAAyBC,GAAKC,EAAE,EAChCC,EAAKC,GAAiCA,EAAOC,OAAO,EACpDC,GAAI,CAAC,CAAEC,KAAAA,EAAMC,MAAOC,EAAaC,OAAAA,CAAM,IACnC,CAGF,KAAKf,OAAOgB,SAAS,CAAC,GAAGJ,CAAI,EAAGK,EAAA,CAAEH,YAAAA,GAAgBC,EAAQ,CAC5D,CAAC,CAAC,EACD,CAAEG,SAAU,EAAK,CAAE,EAGtB,KAAAC,cAAgBhB,EAAa,IAAM,KAAKJ,SAASK,KAC/CC,EAAyBC,GAAKc,IAAI,EAClCT,GAAI,IAAM,KAAKV,SAASoB,KAAI,CAAE,CAAC,EAC9B,CAAEH,SAAU,EAAK,CAAE,EAGtB,KAAAI,iBAAmBnB,EAAa,IAAM,KAAKJ,SAASK,KAClDC,EAAyBC,GAAKiB,OAAO,EACrCZ,GAAI,IAAM,KAAKV,SAASuB,QAAO,CAAE,CAAC,EACjC,CAAEN,SAAU,EAAK,CAAE,CAxBtB,yCANWrB,GAAiB4B,EAAAC,CAAA,EAAAD,EAAAE,EAAA,EAAAF,EAAAG,EAAA,CAAA,CAAA,wBAAjB/B,EAAiBgC,QAAjBhC,EAAiBiC,SAAA,CAAA,EAAxB,IAAOjC,EAAPkC,SAAOlC,CAAiB,GAAA,ECS9B,IAAamC,IAAoB,IAAA,CAA3B,IAAOA,EAAP,MAAOA,CAAoB,CAC/BC,YACUC,EACAC,EACAC,EACAC,EACAC,EAA8B,CAJ9B,KAAAJ,SAAAA,EACA,KAAAC,MAAAA,EACA,KAAAC,eAAAA,EACA,KAAAC,SAAAA,EACA,KAAAC,aAAAA,EAGV,KAAAC,kBAAoBC,EAAa,IAAM,KAAKN,SAASO,KACnDC,EAA8C,oCAAoC,EAClFC,EAAWC,GACT,KAAKR,eAAeS,QAAQD,EAAOE,OAAO,EAAEL,KAC1CE,EAAUI,GAAU,CAClB,IAAMC,EAAWC,KAAKC,MAAMH,EAAQI,KAAK,EACnCC,EAAmBH,KAAKC,MAAMH,EAAQM,yBAAyBC,UAAU,EACzEC,EAAoBC,EAAAC,EAAA,GAAKV,EAAQM,0BAAb,CAAuCD,iBAAkBA,CAAgB,GAC7FM,EACNF,EAAAC,EAAA,GACKE,IADL,CAEEJ,kBAAmBA,EACnBK,QAASZ,EAASY,QAClBC,SAAUb,EAASa,WAErB,OAAOC,EAAK,CACV,IAAyBC,GAAwBL,CAAW,EAC5D,IAAwBM,EAAc,CAAC,CAC3C,CAAC,CAAC,CACH,CAAC,CACL,EAED,KAAAC,WAAazB,EAAa,IAAM,KAAKN,SAASO,KAC5CC,EAA4DwB,EAAKC,UAAU,EAC3EC,EAAe,KAAKjC,MAAMkC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EAC5D5B,EAAU,CAAC,CAACC,EAAQ2B,CAAmB,KACpB,OAAO3B,EAAOE,SAAY,SAEvC,KAAKV,eAAeS,QAAQD,EAAOE,OAAO,EAE1CgB,EAAK,CAAClB,EAAOE,OAAO,CAAC,GAETL,KAAKE,EAAUI,GAAU,CACvC,IAAIyB,EACJ,GAAIzB,IAAY,MAAQA,EAAQI,QAAU,MACxC,GAAI,CAACoB,EAAoBE,UAGvB,OAAOX,EAAK,CAAC,IAAyBY,GAAwB3B,EAAQM,yBAA0BsB,EAAYC,MAAM,CAAC,CAAC,OAGtHJ,EAAUvB,KAAKC,MAAMH,EAAQI,MAAO,KAAK0B,OAAO,EAChDL,EAAQM,eAAiB/B,EAAQ+B,eAC5BN,EAAQjB,mBAAmBH,mBAC9BoB,EAAQjB,kBAAkBH,iBAAmBH,KAAKC,MAAMsB,EAAQjB,kBAAkBD,UAAU,GAE1FkB,EAAQO,aAAeJ,EAAYK,SACjCjC,EAAQkC,SAAWlC,EAAQkC,QAAQC,QAAUV,EAAQS,QAAQC,SAC/DV,EAAQS,QAAUlC,EAAQkC,SAEnBT,EAAQO,aAAeJ,EAAYC,QAC5C,KAAKO,iBAAiBX,EAAQY,QAAQ,EAgB1C,OAZIZ,GAASC,YAAc,OACzBD,EAAQC,UAAY,OAAO7B,EAAOE,SAAY,SAAWF,EAAOE,QAAUF,EAAOE,QAAQuC,IAEvFzC,EAAO0C,UAAY,KACrBd,EAAQe,WAAa3C,EAAO0C,WAI1BE,GAAsBhB,CAAO,GAAKA,GAASiB,MAAQ,OACrDjB,EAAQiB,KAAOjB,EAAQjB,mBAAmBkC,MAGxCD,GAAsBhB,CAAO,GAC/BA,EAAQkB,eAAiB9C,EAAO8C,eAIzB5B,EAAK,CACV,IAAyB6B,GAAenC,EAAAC,EAAA,GAAKe,GAAL,CAAcoB,SAAU,EAAK,EAAE,EACvE,IAAwBC,GAAUrB,EAAQsB,aAAaC,MAAM,EAC7D,IAAyBC,EAAW,CAAEC,QAAS,EAAK,CAAE,CAAC,CACxD,GAEMnC,EAAK,CAAC,IAAyB6B,GAAenC,EAAAC,EAAA,GAAKe,GAAL,CAAcoB,SAAU,EAAK,EAAE,EACpF,IAAyBI,EAAW,CAAEC,QAAS,EAAK,CAAE,CAAC,CAAC,CAG5D,CAAC,CAAC,CACH,CAAC,CACH,EAED,KAAAC,aAAe1D,EAAa,IAAM,KAAKN,SAASO,KAC9CC,EAA8DwB,EAAKiC,YAAY,EAC/E/B,EAAe,KAAKjC,MAAMkC,OAAOC,GAAKA,EAAE8B,cAAc,EAAG,KAAKjE,MAAMkC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EACtG5B,EAAU,CAAC,CAACC,EAAQ4B,EAASD,CAAmB,IAAK,CACnD,IAAI8B,EACAC,EAA4B,KAEhC,GAAId,GAAsB5C,EAAOE,OAAO,EAAG,CAEzC,IAAMyD,EAAehC,EACrB8B,EAAqB7C,EAAAC,EAAA,GAChB8C,GADgB,CAEnBd,KAAM,GACNe,MAAO,CACLC,gBAAiB,CAAC,GAAGF,EAAaC,MAAMC,eAAe,EACvDC,QAASH,EAAaC,MAAME,QAAU,CAAC,GAAGH,EAAaC,MAAME,OAAO,EAAI,KACxEC,UAAW,CAAC,GAAG/D,EAAOE,QAAQ0D,MAAMG,SAAS,IAGnD,CAEIC,GAAuBhE,EAAOE,OAAO,IACvCuD,EAAqB,KAAKQ,gBAAgBjE,EAAOE,QAAQiC,UAAU,EACnEuB,EAAoBD,GAAsB,KAAOpD,KAAK6D,UAAUT,CAAkB,EAAI,MAGxF,IAAMlD,EAAwBF,KAAKC,MAAMD,KAAK6D,UAAUT,CAAkB,EAAG,KAAKxB,OAAO,EACzF1B,OAAAA,EAAMI,kBAAoBX,EAAOE,QAAQS,kBAElC,KAAKnB,eAAe2E,OAAOvC,EAAQa,GAAIzC,EAAOE,QAAQS,kBAAkB8B,GAAIiB,CAAiB,EACjG7D,KACCE,EAAUI,GACDe,EAAK,CACV,IAAyBkD,GAAUxD,EAAAC,EAAA,GAAKN,GAAL,CAAYsB,UAAW1B,EAAQsC,GAAIP,eAAgB/B,EAAQ+B,cAAc,EAAE,EAC9G,IAAyBa,GAAenC,EAAAC,EAAA,GAAKN,GAAL,CAAYsB,UAAW1B,EAAQsC,GAAIP,eAAgB/B,EAAQ+B,eAAgBc,SAAU,EAAI,EAAE,CAAC,CACrI,CACF,CACA,CAEP,CAAC,CAAC,CACH,EAED,KAAAqB,YAAczE,EAAa,IAAM,KAAKN,SAASO,KAC7CC,EAA6DwB,EAAKgD,WAAW,EAC7EC,EAAOvE,GAAUA,EAAOwE,WAAW,EACnCC,GAAI,IAAM,KAAK/E,aAAagF,gBAAgB,wBAAwB,EACjE7E,KAAK8E,GAAK,CAAC,CAAC,EACZC,UAAWC,GAAa,CACvB,KAAKC,QAAQD,EAAI,IAAK,IAAI,CAC5B,CAAC,CAAC,EACJ9E,EAAUgF,GAAK7D,EAAK,CAAA,CAAE,CAAC,CAAC,CACzB,EAED,KAAA8D,yBAA2BpF,EAAa,IAAM,KAAKN,SAASO,KAC1DC,EAA0EwB,EAAK2D,yBAAyB,EACxGlF,EAAWC,GAAWkB,EAAK,CACzB,IAAyBgE,GAA+BlF,EAAOE,QAASF,EAAOmC,UAAU,CAAC,CAC3F,CAAC,CAAC,CACJ,EACD,KAAAgD,WAAavF,EAAa,IAAM,KAAKN,SAASO,KAC5CC,EAA6DwB,EAAK8D,WAAW,EAC7ErF,EAAUC,GACDkB,EAAK,CAAC,IAAyBmE,GAAkB,CAAEhC,QAASrD,EAAOE,QAAQmD,QAASrD,OAAQA,EAAOE,QAAQF,MAAM,CAAE,CAAC,CAAC,CAC7H,CAAC,CACH,EAED,KAAAsF,oBAAsB1F,EAAa,IAAM,KAAKN,SAASO,KACrDC,EAAoEwB,EAAKiE,mBAAmB,EAC5FxF,EAAUC,GACDA,EAAOE,QAAQF,OAASkB,EAAK,CAAClB,EAAOE,QAAQF,MAAM,CAAC,EAAIkB,EAAK,CAAA,CAAE,CACvE,CAAC,CACH,CA9JD,CAgKQ4D,QAAQU,EAAeC,EAAY,CACzC,IAAMC,EAAQ,KAAKjG,SAASkG,KAAKH,EAAOC,EACtC,CAAEG,SAAU,IAAMC,WAAY,SAAUC,WAAY,QAAQ,CAAE,EAChEJ,EAAMK,SAAQ,EAAGnB,UAAU,IAAK,CAC9Bc,EAAMM,QAAO,CACf,CAAC,CACH,CACA/D,QAAQ8C,EAAGkB,EAAU,CAEnB,OAAI,OAAOA,GAAU,UADF,+CACyBC,KAAKD,CAAK,EAC7C,IAAIE,KAAKF,CAAK,EAEhBA,CACT,CAEQhC,gBAAgB9B,EAAuB,CAC7C,OAAQA,EAAU,CAChB,KAAKJ,EAAYC,OACf,OAAOjB,GACT,KAAKgB,EAAYK,SACf,OAAOgE,EACX,CACF,CAEQ7D,iBAAiB8D,EAAgC,CACvD,IAAMC,EAAa,IAAIH,MAGnB,CAAC,KAAKI,YAAYF,EAAgBG,SAAS,GAAK,IAAIL,KAAKE,EAAgBG,SAAS,EAAEC,QAAO,EAAKH,EAAWG,QAAO,KACpHJ,EAAgBG,UAAY,IAAIL,KAChCE,EAAgBG,UAAUE,WAAW,EAAG,CAAC,GAKzCL,EAAgBM,UAAY,MAC5BN,EAAgBM,QAAUN,EAAgBG,YAE1CH,EAAgBM,QAAU,IAAIR,KAAKE,EAAgBG,UAAUC,QAAO,CAAE,EACtEJ,EAAgBM,QAAQC,QAAQP,EAAgBG,UAAUK,QAAO,EAAK,EAAE,EACxER,EAAgBM,QAAQG,SAAS,GAAI,GAAI,EAAG,CAAC,GAG3CT,EAAgBU,eAAeC,KAAKC,GAAKA,EAAEC,KAAOb,EAAgBG,SAAS,IAC7EH,EAAgBU,eAAiBI,GAAkBd,EAAgBG,UAAWH,EAAgBM,QAASN,EAAgBU,eAAe,CAAC,EAAEK,OAAO,EAEpJ,CAEQb,YAAYc,EAAC,CACnB,OAAIC,OAAOC,UAAUC,SAASC,KAAKJ,CAAC,IAAM,gBACpCK,OAAML,EAAEZ,QAAO,CAAE,EAMd,EAEX,yCAlOWrH,GAAoBuI,EAAAC,CAAA,EAAAD,EAAAE,CAAA,EAAAF,EAAAG,EAAA,EAAAH,EAAAI,EAAA,EAAAJ,EAAAK,EAAA,CAAA,CAAA,wBAApB5I,EAAoB6I,QAApB7I,EAAoB8I,SAAA,CAAA,EAA3B,IAAO9I,EAAP+I,SAAO/I,CAAoB,GAAA,ECTjC,IAAagJ,IAAa,IAAA,CAApB,IAAOA,EAAP,MAAOA,CAAa,CACxBC,YACUC,EAAiB,CAAjB,KAAAA,SAAAA,EAEV,KAAAC,yBAA2BC,EAAa,IAAM,KAAKF,SAASG,KAC1DC,EAAsEC,EAAKC,mBAAmB,EAC9FC,GAASC,GACA,CACL,IAAkBC,EAAY,CAEjC,CAAC,CACH,EAED,KAAAC,wBAA0BR,EAAa,IAAM,KAAKF,SAASG,KACzDC,EAA6DC,EAAKM,2BAA2B,EAC7FC,EAAOC,GAAU,CAAC,CAACA,EAAOC,QAAQC,cAAc,EAChDR,GAASM,GACA,CACL,IAAkBJ,GAClB,IAAqBO,GAAgB,CAAEC,KAAMJ,EAAOC,QAAQC,eAAeG,IAAKC,MAAON,EAAOC,QAAQC,eAAeI,MAAMC,SAAQ,CAAE,CAAE,EACvI,IAAkBC,GAAgC,CAAEC,QAAST,EAAOC,QAAQQ,QAASC,cAAeV,EAAOC,QAAQS,cAAeC,YAAaX,EAAOC,QAAQU,WAAW,CAAE,CAAC,CAE/K,CAAC,CACH,EAED,KAAAC,UAAYvB,EAAa,IAAM,KAAKF,SAASG,KAC3CC,EAAoDC,EAAKqB,iBAAiB,EAC1EC,EAAUd,GACD,CAAC,IAAkBe,GAAuBf,EAAOC,OAAO,CAAC,CACjE,CAAC,CACH,EAED,KAAAe,kBAAoB3B,EAAa,IAAM,KAAKF,SAASG,KACnDC,EAAsDC,EAAKyB,mBAAmB,EAC9EH,EAAUd,GAAS,CACf,IAAMkB,EAAqBlB,EAAOC,QAAQkB,eAAepB,OAAOqB,GAAKA,EAAEC,cAAgB,IAAI,EAC3F,OAAIH,EAAmBI,OAAS,EACvB,CACL,IAAqBC,GAAyBL,EAAmBM,IAAIJ,IAAM,CAAEhB,KAAMgB,EAAEC,aAAcf,MAAOc,EAAEd,KAAK,EAAG,CAAC,EACrH,IAAkBmB,GAAyBzB,EAAOC,OAAO,CAAC,EAIzD,CAAC,IAAkBwB,GAAyBzB,EAAOC,OAAO,CAAC,CACpE,CAAC,CAAC,CACH,EAED,KAAAyB,iBAAmBrC,EAAa,IAAM,KAAKF,SAASG,KAClDC,EAAqDC,EAAKmC,kBAAkB,EAC5Eb,EAAUd,GAAU,CAAC,IAAkB4B,GAAwB5B,EAAOC,OAAO,CAAC,CAAC,CAAC,CACjF,EAED,KAAA4B,kBAAoBxC,EAAa,IAAM,KAAKF,SAASG,KACnDC,EAAsDC,EAAKsC,mBAAmB,EAC9EhB,EAAUd,GAAU,CAAC,IAAkB+B,GAAyB/B,EAAOC,OAAO,CAAC,CAAC,CAAC,CAClF,EAED,KAAA+B,0BAA4B3C,EAAa,IAAM,KAAKF,SAASG,KAC3DC,EAA8DC,EAAKyC,4BAA4B,EAC/FnB,EAAUd,GAAU,CAAC,IAAkBkC,GAAiClC,EAAOC,OAAO,CAAC,CAAC,CAAC,CAC1F,EAED,KAAAkC,4BAA8B9C,EAAa,IAAM,KAAKF,SAASG,KAC7DC,EAAkDC,EAAK4C,eAAe,EACtEtB,EAAUd,GAAU,CAAC,IAAkBqC,GAAqBrC,EAAOC,OAAO,CAAC,CAAC,CAAC,CAC9E,EAED,KAAAqC,eAAiBjD,EAAa,IAAM,KAAKF,SAASG,KAChDC,EAAmDC,EAAK+C,gBAAgB,EACxEzB,EAAUd,GAAU,CAAC,IAAkBwC,GAAsBxC,EAAOC,OAAO,CAAC,CAAC,CAAC,CAC/E,EAED,KAAAwC,gBAAkBpD,EAAa,IAAM,KAAKF,SAASG,KACjDC,EAAoDC,EAAKkD,iBAAiB,EAC1E5B,EAAUd,GAAU,CAAC,IAAkB2C,GAAuB3C,EAAOC,OAAO,CAAC,CAAC,CAAC,CAChF,EAED,KAAA2C,0BAA4BvD,EAAa,IAAM,KAAKF,SAASG,KAC3DC,EAA8DC,EAAKqD,4BAA4B,EAC/F/B,EAAUd,GAAU,CAAC,IAAkB8C,GAAiC9C,EAAOC,OAAO,CAAC,CAAC,CAAC,CAC1F,EACD,KAAA8C,kBAAoB1D,EAAa,IAAM,KAAKF,SAASG,KACnDC,EAAsDC,EAAKwD,mBAAmB,EAC9ElC,EAAUd,GAAU,CAAC,IAAkBiD,GAAyBjD,EAAOC,OAAO,CAAC,CAAC,CAAC,CAClF,CAlF8B,yCAFpBhB,GAAaiE,EAAAC,CAAA,CAAA,CAAA,wBAAblE,EAAamE,QAAbnE,EAAaoE,SAAA,CAAA,EAApB,IAAOpE,EAAPqE,SAAOrE,CAAa,GAAA,ECa1B,IAAasE,IAAgB,IAAA,CAAvB,IAAOA,EAAP,MAAOA,UAAwBC,EAAkB,CAErDC,YACUC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EAA2B,CAAI,MAAK,EANpC,KAAAN,SAAAA,EACA,KAAAC,cAAAA,EACA,KAAAC,cAAAA,EACA,KAAAC,gBAAAA,EACA,KAAAC,YAAAA,EACA,KAAAC,MAAAA,EACA,KAAAC,UAAAA,EAEV,KAAAC,YAAcC,EAAa,IAAM,KAAKR,SAASS,KAC7CC,EAAsDC,EAAKC,eAAe,EAC1EC,EAAUC,GACD,CAAC,IAAoBC,EAAoB,CACjD,CAAC,CACH,EAED,KAAAC,cAAgBR,EAAa,IAAM,KAAKR,SAASS,KAC/CC,EAA2DC,EAAKM,oBAAoB,EACpFC,EAAkB,KAAKb,MAAMc,OAAOC,GAAKA,EAAEC,MAAM,CAAC,EAClDC,EAAI,CAAC,CAACR,EAAGO,CAAM,IAAM,KAAKE,eAAeF,EAAOG,MAAMC,IAAI,CAAC,EAC3DZ,EAAUa,GAAUC,EAAK,CAAC,IAAIC,GAAqBC,OAAOH,EAAO,KAAQ,CAAC,CAAC,CAAC,CAAC,CAAC,CAC/E,EAGD,KAAAI,mBAAqBtB,EAAa,IAAM,KAAKR,SAASS,KACpDC,EAA2DC,EAAKM,oBAAoB,EACpFC,EAAkB,KAAKb,MAAMc,OAAOY,GAAKA,EAAEC,SAASC,iBAAiB,CAAC,EACtEC,EAAe,KAAK7B,MAAMc,OAAOC,GAAKA,EAAEC,MAAM,CAAC,EAC/Cc,EAAO,CAAC,CAAC,CAACrB,EAAGsB,CAAa,EAAGC,CAAE,IAAM,CAAC,CAACD,CAAa,EACpDvB,EAAU,CAAC,CAAC,CAACC,EAAGsB,CAAa,EAAGf,CAAM,IAAK,CACzC,IAAMK,EAAS,KAAKH,eAAeF,EAAOG,MAAMC,IAAI,EACpD,OAAO,KAAKxB,cAAcqC,IAAIT,OAAOH,EAAO,KAAQ,EAAGU,CAAa,CACtE,CAAC,EACDvB,EAAU0B,GAAUZ,EAAK,CAAC,IAAoBa,GAAyBD,CAAM,CAAC,CAAC,CAAC,EAChFE,EAAWC,GAAQ,CACjB,GAAIA,GAAOA,OAAOA,QAAU,kBAC1B,OAAOC,GAAG,IAAoBC,EAAyB,EAEvD,KAAKxC,YAAYyC,sBAAsB,EAAE,CAE7C,CAAC,CAAC,CACH,EAGD,KAAAC,6BAA+BtC,EAAa,IAAM,KAAKR,SAASS,KAC9DC,EAAiEC,EAAKoC,2BAA2B,EACjGb,EAAe,KAAK7B,MAAMc,OAAOC,GAAKA,EAAEC,MAAM,EAAG,KAAKhB,MAAMc,OAAOC,GAAKA,EAAE4B,YAAYC,UAAU,CAAC,EACjG3B,EAAI,CAAC,CAACR,EAAGO,EAAQ4B,CAAU,IAAM,CAC/B,KAAK1B,eAAeF,EAAOG,MAAMC,IAAI,EAAE,MACvC,KAAKyB,eAAeD,CAAU,CAAC,CAChC,EACDpC,EAAU,CAAC,CAACsC,EAAOC,CAAW,IAAM,KAAKnD,cAAcoD,SAASF,CAAK,EAAE1C,KACrEI,EAAUyC,GAAO,CACf,IAAIC,EAAgC,CAAA,EACpCA,EAAsBC,KAAKC,MAAMH,CAAI,EAErC,IAAII,EAAyB,CAAA,EAC7B,OAAIH,GAAuBA,EAAoBI,SAC7CD,EAAeH,EAAoBpB,OAAOyB,GAAKR,EAAYS,SAASD,EAAEE,UAAU,CAAC,GAE5EnB,GAAG,IAAoBoB,GAA8BL,CAAY,CAAC,CAC3E,CAAC,CAAC,CAAC,CACJ,CACF,EAED,KAAAM,sCAAwCxD,EAAa,IAAM,KAAKR,SAASS,KACvEC,EAAsEC,EAAKsD,qBAAqB,EAChG9B,EAAO+B,GAAUA,EAAOC,SAAW,IAAI,EACvC7C,EAAI4C,GACK,IAAoBE,GAAqCF,EAAOC,OAAO,CAC/E,CAAC,CACH,EAED,KAAAE,aAAe7D,EAAa,IAAM,KAAKR,SAASS,KAC9CC,EAAuBC,EAAK2D,UAA2B3D,EAAK4D,YAAY,EACxErC,EAAe,KAAK7B,MAAMc,OAAOY,GAAKA,EAAEiB,YAAYwB,WAAW,CAAC,EAChE3D,EAAU,CAAC,CAACC,EAAG2D,CAAI,IAEV,CAAC,IACLC,GAAS,CAAEC,aAAc,KAAMC,UAAWH,EAAO,CAAC,CAAE,CAAC,CAEzD,CAAC,CACH,EAED,KAAAI,iBAAmBrE,EAAa,IAAM,KAAKR,SAASS,KAClDC,EAAqDC,EAAKmE,aAAa,EACvE5C,EAAe,KAAK7B,MAAMc,OAAOY,GAAKA,EAAEiB,YAAYwB,WAAW,CAAC,EAChE3D,EAAU,CAAC,CAACC,EAAG2D,CAAI,IACjB,CAAC,IACEC,GAAS,CAAEC,aAAc,KAAMC,UAAWH,EAAO,CAAC,CAAE,CAAC,CAAC,CAAC,CAC7D,EAED,KAAAM,gBAAkBvE,EAAa,IAAM,KAAKR,SAASS,KACjDC,EAAuBC,EAAKqE,iBAAiB,EAC7C9C,EAAe,KAAK7B,MAAMc,OAAOY,GAAKA,EAAEiB,YAAYiC,kBAAkB,EACpE,KAAK5E,MAAMc,OAAOY,GAAKA,EAAEiB,YAAY+B,eAAe,CAAC,EACvDlE,EAAU,CAAC,CAACC,EAAGoE,EAAWC,CAAM,IAC9B,CAAC,IACET,GAAS,CAAEC,aAAcO,EAAWN,UAAWO,CAAM,CAAE,CAAC,CAAC,CAAC,CAChE,EAED,KAAAC,cAAgB5E,EAAa,IAAM,KAAKR,SAASS,KAC/CC,EAAiDC,EAAK0E,UAAU,EAChElD,EAAO+B,GAAUA,EAAOC,SAAW,IAAI,EACvCjC,EACE,KAAK7B,MAAMc,OAAOY,GAAKA,EAAEiB,YAAYiC,kBAAkB,EACvD,KAAK5E,MAAMc,OAAOY,GAAKA,EAAEiB,YAAY+B,eAAe,EACpD,KAAK1E,MAAMc,OAAOY,GAAKA,EAAEiB,YAAYsC,cAAc,CAAC,EAEtDzE,EAAU,CAAC,CAACqD,EAAQe,EAAoBF,EAAiBO,CAAc,IAAK,CAE1E,IAAMC,EAAWC,EAAA,GAAKtB,EAAOC,SAM7B,OAJKoB,EAASZ,eACZY,EAASZ,aAAeW,GAGtBC,EAASZ,aAAeM,EACnB,CAAC,IAAoBQ,EAAiB,EAGxC,CAAC,IACLC,GAA0C,CAAEf,aAAcY,EAASZ,aAAcC,UAAWW,EAASX,SAAS,CAAE,CAAC,CAEtH,CAAC,CAAC,CAAC,EAEL,KAAAe,mBAAqBnF,EAAa,IAAM,KAAKR,SAASS,KACpDC,EAAuBC,EAAKiF,sBAAuCjF,EAAKkF,WAAW,EACnF3D,EAAe,KAAK7B,MAAMc,OAAOY,GAAKA,EAAEV,MAAM,CAAC,EAC/CC,EAAI,CAAC,CAAC4C,EAAQ7C,CAAM,IAAM,CAAC6C,EAAQ,KAAK3C,eAAeF,EAAOG,MAAMC,IAAI,CAAC,CAAC,EAC1EqE,GAAI,CAAC,CAAChF,EAAGY,CAAM,IAAM,KAAKzB,cAAc8F,YAAYrE,EAAO,MAAU,EAAE,CAAC,EACxEb,EAAU,IAAMc,EAAK,CAAA,CAAE,CAAC,CAAC,CAC1B,EAED,KAAAqE,aAAexF,EAAa,IAAM,KAAKR,SAASS,KAC9CC,EAAoDC,EAAKsF,YAAY,EACrEpF,EAAUqD,GAAU,KAAKhE,cAAcgG,QAAQhC,EAAOC,OAAO,EAC1D1D,KAAKa,EAAI6E,GACD,IAAoBC,GAAmBD,CAAa,CAC5D,CAAC,CAAC,CAAC,CACP,EAED,KAAAE,qBAAuB7F,EAAa,IAAM,KAAKR,SAASS,KACtDC,EAA4DC,EAAK2F,qBAAqB,EACtFzF,EAAUqD,GACR,KAAKhE,cAAcgG,QAAQhC,EAAOC,OAAO,EACxC1D,KAAKa,EAAI6E,IACJjC,EAAOC,QAAQoC,gBACjBJ,EAAclD,WAAW,CAAC,EAAEuD,MAAM,CAAC,EAAEC,UAAU,CAAC,EAAEC,SAASC,eAAiBzC,EAAOC,QAAQoC,eAEtF,IAAoBH,GAAmBD,CAAa,EAC5D,CAAC,CAAC,CAAC,CACP,EAED,KAAAS,0BAA4BpG,EAAa,IAAM,KAAKR,SAASS,KAC3DC,EAAiEC,EAAKkG,2BAA2B,EACjGhG,EAAUqD,GAAU,KAAK/D,gBAAgB2G,qBAAqB5C,EAAOC,OAAO,EACzE1D,KAAKa,EAAI6E,GACD,IAAoBC,GAAmBD,CAAa,CAC5D,CAAC,CAAC,CAAC,CACP,EAED,KAAAY,aAAevG,EAAa,IAAM,KAAKR,SAASS,KAC9CC,EACkDC,EAAKqG,gBAAiCrG,EAAKsG,aAAa,EAC1G/E,EACE,KAAK7B,MAAMc,OAAOY,GAAKA,EAAEiB,YAAYkE,OAAO,EAC5C,KAAK7G,MAAMc,OAAOC,GAAKA,EAAEC,MAAM,EAC/B,KAAKhB,MAAMc,OAAOY,GAAKA,EAAEiB,YAAYmE,WAAW,CAAC,EACnD7F,EAAI,CAAC,CAACR,EAAGoG,EAAS7F,EAAQ8F,CAAW,IACjB,KAAK5F,eAAeF,EAAOG,MAAMC,IAAI,GACtC,CAAC0F,EACT,IAAoBC,GAAoBF,CAAO,EAE/C,IAAoBG,GAA2B,SAAS,CAElE,CAAC,CAAC,EAEL,KAAAC,mBAAqB9G,EAAa,IAAM,KAAKR,SAASS,KACpDC,EAA4DC,EAAK4G,qBAAqB,EACtFrF,EAAe,KAAK7B,MAAMc,OAAOC,GAAKA,EAAEC,MAAM,CAAC,EAC/CC,EAAI,CAAC,CAAC4C,EAAQ7C,CAAM,IAGX,CAFQ,KAAKE,eAAeF,EAAOG,MAAMC,IAAI,EAC3B,MACNyC,EAAOC,OAAO,CAClC,EACDtD,EAAU,CAAC,CAAC2G,EAAKrD,CAAO,IAAM,KAAKlE,cAAc8F,YAAYyB,EAAKhE,KAAKiE,UAAUtD,CAAO,CAAC,EAAE1D,KACzFgC,EAAYrB,GAAyBO,EAAK,CAACP,CAAC,CAAC,CAAC,CAAC,CAChD,EACDE,EAAIoG,GAAYA,EAASC,GAAK,IAAoBC,GAC9C,IAAoBP,GAA2BK,EAASG,MAAM,CAAC,CAAC,CACrE,EAED,KAAAC,eAAiBtH,EAAa,IAAM,KAAKR,SAASS,KAChDC,EAImBC,EAAKqG,gBAAiCrG,EAAKsG,cAC1CtG,EAAK4D,aAA8B5D,EAAKoH,6BAA6B,EACzF7F,EAAe,KAAK7B,MAAMc,OAAOY,GAAKA,EAAEiB,WAAW,CAAC,EACpDb,EAAO,CAAC,CAACrB,EAAGU,CAAK,IAAMA,EAAMwG,MAAMrE,OAAS,CAAC,EAC7C9C,EAAU,CAAC,CAACqD,EAAQ1C,CAAK,IAAK,CAC5B,IAAMyG,EAAU,CAAA,EACVf,EAAU,CAAC,GAAG1F,EAAM0F,OAAO,EACjC,GAAIhD,aAAkCgE,IAAkBhE,aAAkCiE,GAAc,CACtG,IAAMC,EAASlE,EAAOC,QAGtB,GAFiC3C,EAAM6G,iBACpClG,OAAOmG,GAAOA,EAAIC,WAAaH,EAAOtE,UAAU,EAAEH,SACpB,EAAK,OAAOhC,EAAK6G,CAAK,CACzD,CACA,YAAKC,cAAcjH,EAAMwG,MAAOd,EAASe,CAAO,EACzCtG,EAAKsG,CAAO,CACrB,CAAC,CAAC,CACH,EAED,KAAAS,kBAAoBlI,EAAa,IAAM,KAAKR,SAASS,KACnDC,EAAuBC,EAAKqG,gBACVrG,EAAKsG,cACLtG,EAAKoH,8BACLpH,EAAKgI,oBAAoB,EAC3C9H,EAAWC,GACF,CAAC,IAAoB8H,EAAoB,CAChD,CAAC,CACJ,EAED,KAAAC,oCAAsCrI,EAAa,IAAM,KAAKR,SAASS,KACrEC,EAA6EC,EAAKoH,6BAA6B,EAC/G5F,EAAO+B,GAAUA,EAAOC,SAAWD,EAAOC,QAAQR,OAAS,CAAC,EAC5D9C,EAAUC,GAAK,CACb,IAAoB8H,GACpB,IAAoBE,EAAiB,CACtC,CAAC,CACH,EAED,KAAAC,cAAgBvI,EAAa,IAAM,KAAKR,SAASS,KAC/CC,EAAuBC,EAAKqI,aAAa,EACzC9G,EAAe,KAAK7B,MAAMc,OAAOY,GAAKA,EAAEiB,WAAW,EACjD,KAAK3C,MAAMc,OAAOC,GAAKA,EAAEC,MAAM,CAAC,EAClCR,EAAU,CAAC,CAACC,EAAGkC,EAAa3B,CAAM,IAAK,CACrC,GAAI2B,EAAYmE,YAAe,OAAOxF,EAAK,CAAC,IAAoBsH,EAAqB,CAAC,EAEtF,IAAMC,EADS,KAAK3H,eAAeF,EAAOG,MAAMC,IAAI,EAC3B,MACzB,OAAO,KAAKxB,cACTkJ,OAAO,CAAEC,UAAWpG,EAAYoG,UAAWlC,QAASlE,EAAYkE,QAAS/D,MAAO+F,CAAS,CAAE,EAC3FzI,KACCgC,EAAW4G,GAAO1G,GAAG0G,CAAG,CAAC,EACzB/H,EAAK+H,GACIA,EAAI1B,GAAK,IAAoBsB,GAAwB,IAAoBK,EACjF,CAAC,CAER,CAAC,CAAC,CACH,CArPiD,CAuP1Cb,cAAcT,EACpBd,EACAe,EAGyC,CAEzC,IAAMsB,EAAkC,CAAA,EAClCC,EAA0B,CAAA,EAEhC,QAAWC,KAAQzB,EAAM7F,OAAOuH,GAAK,KAAKC,uBAAuBD,EAAEE,SAAS,CAAC,EAAG,CAC9E,IAAMC,EAAiB,KAAKC,SAASL,EAAKG,UAAW1C,CAAO,EACtD6C,EAAUN,EAAKvF,SAAW,QAAU,CAAC2F,GACzCJ,EAAKvF,SAAW,QAAU2F,EAC5B,QAAWG,KAAUP,EAAKQ,QACxB,OAAQD,EAAOE,WAAU,CACvB,IAAK,WACHX,EAAgBY,KAAmB,CAAEC,GAAIJ,EAAOK,SAAUN,QAASA,CAAO,CAAE,EAC5E,IAAMO,EAAYpD,EAAQqD,KAAK3G,GAAKA,EAAEE,aAAekG,EAAOK,QAAQ,EAChE,CAACN,GAAWO,GACdd,EAAcW,KAAKG,CAAS,EAE9B,MACF,IAAK,UACHrC,EAAQkC,KAAK,IAAoBK,GAAqB,CAAEC,UAAWT,EAAOK,SAAUN,QAASA,CAAO,CAAE,CAAC,EACvG,MACF,IAAK,YACH9B,EAAQkC,KAAK,IAAoBO,GAAqB,CAAEC,aAAcX,EAAOY,UAAWb,QAASA,CAAO,CAAE,CAAC,EAC3G,KACJ,CAEJ,CAEA,GAAIP,EAAc7F,OAChB,QAAWkH,KAAUrB,EACnBvB,EAAQkC,KAAK,IAAoBhC,GAAa0C,CAAM,CAAC,EAIrDtB,EAAgB5F,QAClBsE,EAAQkC,KAAK,IAAoBW,GAAsBvB,CAAe,CAAC,CAE3E,CAEQI,uBAAuBC,EAAoB,CACjD,GAAIA,GAAa,KACf,MAAO,GACF,GAAIA,EAAUmB,MACnB,OAAOnB,EAAUoB,WAAWC,KAAK,KAAKtB,sBAAsB,EACvD,CACL,IAAMuB,EAAiB,CAAC,WAAY,OAAO,EAC3C,OAAOA,EAAerH,SAAS+F,EAAUuB,SAAS/C,MAAM,GACtD8C,EAAerH,SAAS+F,EAAUwB,SAAShD,MAAM,CACrD,CACF,CAEQiD,SAASC,EAAkBpE,EAAiB,CAClD,GAAIoE,EAAQlD,SAAW,WAAY,CACjC,IAAMyC,EAAS3D,EAAQ/E,OAAOyB,GAAK0H,EAAQ/C,WAAa3E,EAAEE,UAAU,EACjExC,IAAIsC,GAAKA,EAAE2H,KAAK,EAAEC,KAAK,GAAG,EAC7B,OAAOX,GAAQlH,OAASkH,EAAS,IACnC,SAAWS,EAAQlD,SAAW,QAC5B,OAAOkD,EAAQC,MAGjB,OAAO,IACT,CAEQzB,SAASF,EAAsB1C,EAAiB,CACtD,GAAI0C,EAAUmB,MAAO,CACnB,IAAMU,EAAW7B,EAAUoB,WAAW1J,IAAIoK,GAAK,KAAK5B,SAAS4B,EAAGxE,CAAO,CAAC,EACxE,OAAI0C,EAAUmB,QAAU,MACfU,EAASE,MAAMD,GAAKA,CAAC,EAErBD,EAASR,KAAKS,GAAKA,CAAC,CAE/B,KAAO,CACL,GAAI9B,EAAUgC,UAAY,UAAa,MAAO,GAC9C,IAAMC,EAAgB,KAAKR,SAASzB,EAAUuB,SAAUjE,CAAO,EACzD4E,EAAgB,KAAKT,SAASzB,EAAUwB,SAAUlE,CAAO,EAE/D,OADuB,KAAK6E,iBAAiBF,EAAejC,EAAUoC,SAAUF,CAAa,CAE/F,CACF,CACQC,iBAAiBE,EAAaD,EAAkBE,EAAW,CAEjE,OAAIF,IAAa,KACXC,IAAQ,MAAQC,IAAQ,KAClBD,IAAQ,QAAUC,IAAQ,OAE7BD,IAAQC,EACNF,IAAa,MACf,CAAC,KAAKD,iBAAiBE,EAAK,KAAMC,CAAG,EACnCF,IAAa,KAClBE,IAAQ,KAAe,GACpBA,EAAIC,MAAM,GAAG,EAAEtI,SAASoI,IAAQ,KAAO,OAASA,CAAG,EACjDD,IAAa,MAClBE,IAAQ,KAAe,GACpB,CAACA,EAAIC,MAAM,GAAG,EAAEtI,SAASoI,IAAQ,KAAO,OAASA,CAAG,EAClDA,IAAQ,MAAQC,IAAQ,KAC1B,GACEF,IAAa,KACf,CAACC,EAAM,CAACC,EACNF,IAAa,MACf,CAACC,GAAO,CAACC,EACPF,IAAa,KACf,CAACC,EAAM,CAACC,EACNF,IAAa,MACf,CAACC,GAAO,CAACC,EACPF,IAAa,MAClBC,IAAQ,KAAe,GACpBA,EAAIE,MAAM,GAAG,EAAEtI,SAASqI,IAAQ,KAAO,OAASA,CAAG,EAErD,EACT,CAEQ3K,eAAe6K,EAAiC,CACtD,IAAIC,EAAiB7G,EAAA,GAAK4G,EAAU1K,QACpC,KAAO4K,OAAOC,UAAUC,eAAeC,KAAKL,EAAW,YAAY,GAAKA,EAAUM,YAChFN,EAAYA,EAAUM,WACtBL,EAAS7G,IAAA,GAAK6G,GAAWD,EAAU1K,QAErC,OAAO2K,CACT,CAEQnJ,eAAeD,EAA6B,CAClD,OAAOA,EACJ0J,QAAQC,GAAMA,EAAGpG,KAAK,EACtBmG,QAAQE,GAAKA,EAAEpG,SAAS,EACxBtE,OAAO2K,GAAMA,EAAGpG,QAAQ,EACxBpF,IAAIwL,GAAMA,EAAGpG,SAAS5C,UAAU,CACrC,yCAnYWjE,GAAekN,EAAAC,CAAA,EAAAD,EAAAE,EAAA,EAAAF,EAAAG,EAAA,EAAAH,EAAAI,EAAA,EAAAJ,EAAAK,EAAA,EAAAL,EAAAM,CAAA,EAAAN,EAAAO,EAAA,CAAA,CAAA,wBAAfzN,EAAe0N,QAAf1N,EAAe2N,SAAA,CAAA,EAAtB,IAAO3N,EAAP4N,SAAO5N,CAAgB,GAAA,ECoC7B,IAAa6N,IAAmB,IAAA,CAA1B,IAAOA,EAAP,MAAOA,CAAmB,CAC9BC,YACUC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EACAC,EAAwC,CAXxC,KAAAX,SAAAA,EACA,KAAAC,MAAAA,EACA,KAAAC,aAAAA,EACA,KAAAC,eAAAA,EACA,KAAAC,cAAAA,EACA,KAAAC,aAAAA,EACA,KAAAC,aAAAA,EACA,KAAAC,gCAAAA,EACA,KAAAC,cAAAA,EACA,KAAAC,YAAAA,EACA,KAAAC,MAAAA,EACA,KAAAC,cAAAA,EAGV,KAAAC,qBAAuBC,EAAa,IAAM,KAAKb,SAASc,KACtDC,EAA4DC,EAAKC,aAAa,EAC9EC,EAAWC,GAAWC,EAAK,CAAC,IAAwBC,GAAmBF,EAAOG,OAAO,CAAC,CAAC,CAAC,CAAC,CAC1F,EAED,KAAAC,oBAAsBV,EAAa,IAAM,KAAKb,SAASc,KACrDC,EAAmEC,EAAKQ,oBAAoB,EAC5FN,EAAWC,GAAWC,EAAK,CAAC,IAAwBK,GAA0BN,EAAOG,OAAO,CAAC,CAAC,CAAC,CAAC,CACjG,EAED,KAAAI,mBAAqBb,EAAa,IAAM,KAAKb,SAASc,KACpDC,EAAiFC,EAAKW,iCAAiC,EACvHC,EAAOT,GAAUA,EAAOU,aAAeC,EAAYC,MAAM,EACzDC,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,EAAG,KAAKlC,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,CAAC,EACtGlB,EAAU,CAAC,CAACmB,EAAGF,EAAqBC,CAAc,IAE5CD,EAAoBG,OAAOC,SAAW,KACjCnB,EAAK,CAAC,IAAwBoB,EAAc,CAAC,EAE7CpB,EAAK,CAAC,IAAsBqB,EAAG,CAAEC,KAAM,KAAKC,kBAAkBP,EAAgBD,EAAoBS,SAAS,EAAGC,OAAQ,CAAEC,MAAO,CAAEC,gBAAiB,EAAI,CAAE,CAAE,CAAE,CAAC,CAAC,CAExK,CAAC,CACH,EAED,KAAAC,WAAanC,EAAa,IAAM,KAAKb,SAASc,KAC5CC,EAAiEC,EAAKiC,gBAAgB,EACtFrB,EAAOT,GAAU+B,GAAsB/B,EAAOG,OAAO,CAAC,EACtDU,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,EAAG,KAAKnC,MAAMgC,OAAOC,GAAKA,EAAEiB,QAAQ,CAAC,EAC3FjC,EAAU,CAAC,CAACC,EAAQiB,EAAgBe,CAAQ,IAAK,CAC/C,IAAMC,EAAUjC,EAAOG,QACjB+B,EAAkB,KAAKC,gBAAgBF,CAAO,EAC9CG,EAAyB,CAACJ,EAASK,eAAeC,IAAI,gCAAiCrB,EAAesB,GAAI,EAAE,EAElH,OAAOtC,EACL,CACE,IAAwBuC,GAAWN,CAAe,EAClD,IAAwBO,GAAe,CAAER,QAASjC,EAAOG,QAASiC,uBAAAA,CAAsB,CAAE,EAC1F,IAAwBM,GAAa,CACnCC,yBAA0B3C,EAAOG,QAAQyC,kBACzCC,gBAAiBZ,EAAQa,QAC1B,CAAC,CACH,CACL,CAAC,CAAC,CACH,EAED,KAAAC,aAAerD,EAAa,IAAM,KAAKb,SAASc,KAC9CC,EAAiEC,EAAKiC,gBAAgB,EACtFrB,EAAOT,GAAU+B,GAAsB/B,EAAOG,OAAO,CAAC,EACtDU,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,EAAG,KAAKnC,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EACtGjB,EAAU,CAAC,CAACC,EAAQiB,EAAgBD,CAAmB,IACjD,CAAEA,EAAoBgC,gBAAmBhC,EAAoBiC,SACxDhD,EAAKiD,CAAK,EAEZjD,EAAK,CAAC,IAAsBqB,EAAG,CAAEC,KAAM,KAAKC,kBAAkBP,EAAgBjB,EAAOG,QAAQsB,SAAS,EAAGC,OAAQ,CAAEC,MAAO,CAAEC,gBAAiB,EAAI,CAAE,CAAE,CAAE,CAAC,CAAC,CACjK,CAAC,CACH,EAED,KAAAuB,cAAgBzD,EAAa,IAAM,KAAKb,SAASc,KAC/CC,EAA6DC,EAAKuD,aAAa,EAC/EvC,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,EAAG,KAAKnC,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EACtGjB,EAAU,CAAC,CAACC,EAAQiB,EAAgBgB,CAAO,IAAK,CAE9C,IAAMoB,EAAgCrD,EAAOG,QAAQwC,yBAE/CW,GAD0CD,GAAKE,kBAAoBC,KAAKC,MAAMJ,EAAIK,UAAU,GAC5BC,MAA4CC,KAAK7C,GAAKA,EAAE8C,SAAW,SAAS,EAE5IC,EAAaR,GAAYS,qBAAuB,CAAA,EAChDC,GAAaV,GAAYW,qBAAuB,CAAA,EAChDC,GAAcZ,GAAYY,aAAe,CAAA,EACzCC,EAAOb,GAAYa,MAAQD,GAAY,CAAC,EAE9C,OAAOE,GAAI,IAAON,GAAYO,OAAS,GAAKL,IAAYK,OAAS,EAC/D,KAAKhF,cAAciF,iBAAiBrD,EAAesB,GAAIyB,GAAYF,CAAU,EAAEnE,KAC7EI,EAAUwE,GAAW,CACnB,IAAMC,GAAmB,KAAKnF,cAAcoF,oBAAoBF,EAASzB,OAAO,EAI1E4B,GAAW1E,EAAOG,QAAQ0C,gBAAgB8B,IAAIC,IAAMA,GAAGC,GAAG,EAChE,GAAIH,GAASL,SAAW,EAAG,CACzB,IAAMS,GAAqB,KAAKzF,cAAc0F,mBAAmBb,GAAYzD,OAAQuE,IAAO,CAACN,GAASO,SAASD,EAAE,CAAC,EAAGR,EAAgB,EACrI,QAAWU,MAAqBJ,GAC9B,KAAKhG,MAAMqG,SAAS,IAAwBC,GAAaF,EAAiB,CAAC,CAE/E,CACA,IAAMG,GAAa,KAAKhG,cAAciG,cAAcnB,EAAMK,EAAgB,EAG1E,GAFuBxE,EAAOG,QAAQ0C,gBAAgBe,KAAKgB,IAAMA,GAAGC,MAAQQ,IAAYR,GAAG,EAEvE,CAClB,IAAMU,GAASf,GACZgB,QAAQC,IAAMA,GAAG3C,OAAO,EACxBc,KAAK8B,IAAKA,GAAEb,MAAQQ,GAAWR,GAAG,EAEjCU,KAAWI,SACbJ,GAAOpB,KAAO,GAElB,CACAK,OAAAA,GAAiBoB,QAAQH,IAAMA,GAAG3C,QAAQ+C,YAAYH,IAAK,CAACA,GAAEI,SAAW,CAACJ,GAAEvB,IAAI,CAAC,EAE1ElE,EAAK,CACV,IAAwB8F,GAAoBvB,EAAgB,CAAC,CAC9D,CACH,CAAC,CAAC,EACJvE,EAAK,CACH,IAAwB8F,GAAoB,CAAA,CAAE,CAAC,CAChD,CAAC,CACN,CAAC,CACA,CAAC,EAEJ,KAAAC,cAAgBtG,EAAa,IAAM,KAAKb,SAASc,KAC/CC,EAA4DC,EAAKoG,YAAY,EAC7EpF,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EAC5DjB,EAAU,CAAC,CAACC,EAAQgB,CAAmB,IAAK,CAC1C,IAAMkF,EAAgB,CAAC,GAAGlF,EAAoBmF,aAAaC,MAAM,EACjE,OAAIF,EAAcG,KAAKC,GAAKA,EAAE/D,KAAOvC,EAAOG,QAAQoC,EAAE,EACpD2D,EAAcL,YAAYS,GAAKA,EAAE/D,KAAOvC,EAAOG,QAAQoC,EAAE,EAEzD2D,EAAcK,KAAKvG,EAAOG,OAAO,EAE5BF,EAAK,CAAC,IAAwBuG,GAAUN,CAAa,CAAC,CAAC,CAChE,CAAC,CAAC,CACH,EAED,KAAAO,yBAA2B/G,EAAa,IAAM,KAAKb,SAASc,KAC1DC,EAA0DC,EAAK6G,UAAU,EACzE7F,EAAe,KAAK/B,MAAMgC,OAAOa,GAASA,EAAMX,qBAAqB4B,iBAAiB,CAAC,EACvF7C,EAAU,CAAC,CAACC,EAAQ4C,CAAiB,IAAK,CACxC,IAAMW,EAA0CX,GAAmBW,kBAAoBC,KAAKC,MAAMb,EAAkBc,UAAU,EACxHiD,EAAoBpD,EAAiB3C,QAAQgG,oBAAsB,GACnEC,EAAWtD,EAAiBI,MAAMC,KAAK7C,GAAKA,EAAE8C,SAAW,cAAc,GAAGgD,SAC1EC,EAAoBD,GAAY,qBAAsBA,EAAY,CAAC,CAACA,EAASC,iBAAmB,GAEhGC,EAAa,KAAKjI,MAAMgC,OAAOC,GAAKA,EAAEE,eAAesB,EAAE,EAAE5C,KAAKqH,GAAK,CAAC,EAAGC,GAAY,CAAC,CAAC,EACrFC,GAAgB,KAAKpI,MAAMgC,OAAOC,GAAKA,EAAEC,oBAAoBmF,aAAaC,MAAM,EAChFe,GAAuB,KAAKrI,MAAMgC,OAAOC,GAAKA,EAAEC,oBAAoBmF,cAAciB,mBAAmB7E,EAAE,EAE7G,OAAO2E,GAAcvH,KAAKkB,EAAewG,GAAc,CAACF,GAAsBJ,CAAU,CAAC,CAAC,CAAC,EACxFpH,KACCc,EAAO,CAAC,CAACS,EAAG,CAACoG,EAAaC,EAAE,CAAC,IAAM,CAAC,CAACD,CAAW,EAChDvH,EAAU,CAAC,CAACqG,EAAQ,CAACoB,EAAaC,EAAS,CAAC,IACnC,KAAKnI,YAAYoI,kCAAkCD,GAAWD,EAAa,CAAC,GAAGpB,EAAOzB,IAAIgD,IAAKA,GAAEpF,EAAE,CAAC,CAAC,CAC7G,EACDoC,EAAKiD,GACId,EACH,CACAe,6BAA8B,CAACD,GAAOE,OAAO,CAACC,EAAMC,KAAUD,GAAQ,CAACC,GAAKC,UAAa,CAAC,EAC1FC,4BAA6B,CAACN,GAAOvD,QAErC,CAAA,CACL,EACD8D,GAASC,GACA,KAAKrJ,aAAasJ,cAAcrI,EAAOG,QAAQwE,IAAIgD,GAAKA,EAAEpF,EAAE,EAAGvC,EAAOG,QAAQM,OAAOkH,GAAKA,EAAEW,GAAG,EAAE3D,IAAIgD,GAAKA,EAAEpF,EAAE,EAAGoE,CAAiB,EACtIhH,KAAKgF,EAAIiD,GAAS,IAAwBW,GAAsBC,IAAA,GAAKZ,GAAUQ,EAAkB,CAAC,CAAC,CACvG,CAAC,CAER,CAAC,CAAC,CAAC,EAGL,KAAAK,cAAgB/I,EAAa,IAAM,KAAKb,SAASc,KAC/CC,EAAgEC,EAAK6I,cAAc,EACnFjI,EAAOT,GAAUA,EAAOG,QAAQO,aAAeC,EAAYC,MAAM,EACjEC,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,CAAC,EACvDlB,EAAU,CAAC,CAACC,EAAQiB,CAAc,IAAK,CACrC,IAAMd,EAAUH,EAAOG,QACvB,OAAO,KAAKlB,cAAc0J,SACxB1H,EAAesB,GACfpC,EAAQ8C,SACR,KAAK2F,yBAAyBzI,CAAO,CAAC,EACrCR,KAAKgF,EAAI,IAAM,IAAyBkE,GAAe1I,EAAQ8C,SAAUtC,EAAYC,MAAM,CAAC,CAAC,CAClG,CAAC,CAAC,CACH,EAED,KAAAkI,2BAA6BpJ,EAAa,IAAM,KAAKb,SAASc,KAC5DC,EAA4DC,EAAKkJ,UAAU,EAC3EtI,EAAOT,GAAUA,EAAOG,QAAQO,aAAeC,EAAYC,MAAM,EACjEC,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,CAAC,EACvDlB,EAAU,CAAC,CAACC,EAAQiC,CAAO,IAAK,CAC9B,IAAI9B,EAAUH,EAAOG,QACrB,YAAKrB,MAAMqG,SAAS,IAAyB6D,EAAW,CAAEC,QAAS,EAAK,CAAE,CAAC,EACpE7E,GAAI,IAAM,CAACjE,EAAQ8C,SACxB,KAAKiG,aAAa/I,EAAS8B,CAAO,EAAEtC,KAClCI,EAAUoJ,GAAa,CACrB,IAAMvI,EAAS4C,KAAKC,MAAM0F,EAAWC,IAAI,EAAExI,OACrCqC,EAAWrC,EAAO2B,GAClB8G,EAAiBzI,EAAO0I,aAAa/G,GAC3C,OAAI4G,EAAWI,KACbpJ,EAAUqJ,EAAAhB,EAAA,GAAKrI,GAAL,CAAc8C,SAAUA,EAAUwG,SAAUJ,EAAgBK,QAAS,EAAK,IAEtF,KAAK5K,MAAMqG,SAAS,IAAwBwE,GAAY1G,CAAQ,CAAC,EACjE,KAAKnE,MAAMqG,SAAS,IAAwByE,GAAYP,CAAc,CAAC,EAChE,KAAKQ,YAAY1J,EAASqD,KAAKsG,UAAU3J,CAAO,EAAGH,EAAO+J,WAAW,CAC9E,CAAC,CAAC,EAEJ,KAAKC,aAAa7J,EAAS8B,CAAO,EAAEtC,KAClCI,EAAUmB,GAAKjB,EAAK,CAClB,IAAwBgK,GAAY9J,EAAQ2C,OAAO,CAAC,CAAC,CAAC,EACxD/C,EAAU,IACR,KAAK8J,YAAYL,EAAAhB,EAAA,GAAKrI,GAAL,CAAcuJ,QAAS,EAAK,GAAIlG,KAAKsG,UAAU3J,CAAO,EAAGH,EAAO+J,WAAW,CAAC,CAAC,CACjG,CAEL,CAAC,CAAC,CACH,EAED,KAAAG,oCAAsCxK,EAAa,IAAM,KAAKb,SAASc,KACrEC,EAA4DC,EAAKsK,kBAAkB,EACnF1J,EAAOT,GAAUA,EAAOG,QAAQO,aAAeC,EAAYC,MAAM,EACjEC,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,CAAC,EACvDlB,EAAU,CAAC,CAACC,EAAQiC,CAAO,IAAK,CAC9B,IAAI9B,EAAUH,EAAOG,QACrB,OAAOiE,GAAI,IACT,CAAEjE,EAAS8C,SACX,KAAKiG,aAAa/I,EAAS8B,CAAO,EAAEtC,KAClCI,EAAUoJ,GAAa,CACrB,IAAMlG,EAAWO,KAAKC,MAAM0F,EAAWC,IAAI,EAAExI,OAAO2B,GAC9C8G,EAAiB7F,KAAKC,MAAM0F,EAAWC,IAAI,EAAExI,OAAO0I,aAAa/G,GACvE,OAAI4G,EAAWI,KACbpJ,EAAUqJ,EAAAhB,EAAA,GAAKrI,GAAL,CAAc8C,SAAUA,CAAQ,IAE5C,KAAKnE,MAAMqG,SAAS,IAAwBwE,GAAY1G,CAAQ,CAAC,EACjE,KAAKnE,MAAMqG,SAAS,IAAwByE,GAAYP,CAAc,CAAC,EAChE,KAAKQ,YAAY1J,EAASqD,KAAKsG,UAAU3J,CAAO,EAAGH,EAAO+J,WAAW,EACzEpK,KACCkB,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,CAAC,EACvDlB,EAAU,CAAC,CAACmB,EAAGD,EAAc,IAAMhB,EAAK,CACtC,IAAyB+I,EACvB,CACEC,QAAS,GACTjJ,OAAQ,IAAsBsB,EAAG,CAAEC,KAAM,CAACN,GAAemJ,UAAW,SAAS,CAAC,CAAE,EACjF,CAAC,CACL,CAAC,CAAC,CAET,CAAC,CAAC,EAEJ,KAAKJ,aAAa7J,EAAS8B,CAAO,EAAEtC,KAClCI,EAAU,IAAM,KAAK8J,YAAY1J,EAASqD,KAAKsG,UAAU3J,CAAO,EAAGH,EAAO+J,WAAW,CAAC,EACtFlJ,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,CAAC,EACvDlB,EAAU,CAAC,CAACmB,EAAGD,CAAc,IAAMhB,EAAK,CACtC,IAAyB+I,EACvB,CACEC,QAAS,GACTjJ,OAAQ,IAAsBsB,EAAG,CAAEC,KAAM,CAACN,EAAemJ,UAAW,SAAS,CAAC,CAAE,EACjF,CAAC,CACL,CAAC,CACD,CACF,CACL,CAAC,CAAC,CACH,EAED,KAAAC,SAAW3K,EAAa,IAAM,KAAKb,SAASc,KAC1CC,EAA0DC,EAAKyK,QAAQ,EACvE7J,EAAOT,GAAUA,EAAOU,aAAeC,EAAYC,MAAM,EACzDC,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EAC5DjB,EAAU,CAAC,CAACmB,EAAGF,CAAmB,IAAMoD,GACtC,IAAMpD,EAAoB0I,QAC1BzJ,EAAK,CAAC,IAAyBsK,GAAUvJ,CAAmB,CAAC,CAAC,EAC9Df,EAAKiD,CAAK,CAAC,CAAC,CACb,CACF,EAED,KAAAsH,gBAAkB9K,EAAa,IAAM,KAAKb,SAASc,KACjDC,EAAiEC,EAAK4K,eAAe,EACrFhK,EAAOT,GAAUA,EAAOU,aAAeC,EAAYC,MAAM,EACzDC,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,CAAC,EACvDlB,EAAU,CAAC,CAACmB,EAAGD,CAAc,IAC3BhB,EAAK,CAAC,IAAsBqB,EAAG,CAAEC,KAAM,CAACN,EAAemJ,UAAW,SAAS,CAAC,CAAE,CAAC,CAAC,CAAC,CAClF,CAAC,EAEJ,KAAAM,cAAgBhL,EAAa,IAAM,KAAKb,SAASc,KAC/CC,EAA6DC,EAAK8K,cAAc,EAChF9J,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EAC5DjB,EAAU,CAAC,CAACmB,EAAGe,CAAO,IAAM,KAAK7C,gCAAgCwL,oBAAoB3I,EAAQW,kBAAkBL,EAAE,CAAC,EAClHxC,EAAUqB,GAAWyJ,GAAG,IAAwBC,GAAoB1J,CAAO,CAAC,CAAC,CAAC,CAC/E,EAED,KAAA2J,qBAAuBrL,EAAa,IAAM,KAAKb,SAASc,KACtDC,EAAoEC,EAAKmL,sBAAsB,EAC/FnK,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,EAAG,KAAKlC,MAAMgC,OAAOC,GAAKA,EAAEE,cAAc,CAAC,EACtGlB,EAAU,CAAC,CAACmB,EAAGF,EAAqBC,CAAc,IACzChB,EAAKe,EAAoBS,UAC5B,CAAC,IAAsBH,EAAG,CAAEC,KAAM,KAAKC,kBAAkBP,EAAgBD,EAAoBS,SAAS,CAAC,CAAE,CAAC,EAC1G,CAAC,IAAyBwJ,GAAYjK,CAAmB,CAAC,CAAC,CAChE,CACA,CACF,EAED,KAAAkK,wBAA0BxL,EAAa,IAAM,KAAKb,SAASc,KACzDC,EAGwBC,EAAKsL,cACLtL,EAAKuL,gBACLvL,EAAKwL,4BAA4B,EACzDxK,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EAC5DjB,EAAU,CAAC,CAACmB,EAAGF,CAAmB,IAAK,CACrC,IAAMkB,EAAkB,KAAKC,gBAAgBnB,CAAmB,EAChE,OAAOf,EAAK,CACV,IAAwBgK,GAAYjJ,EAAoB8B,OAAO,EAC/D,IAAwBN,GAAWN,CAAe,CAAC,CACpD,CACH,CAAC,CAAC,CACH,EAED,KAAAoJ,aAAe5L,EAAa,IAAM,KAAKb,SAASc,KAC9CC,EAA4DC,EAAK0L,YAAY,EAC7ExL,EAAUuG,GAAKrG,EAAK,CAAA,CAAE,CAAC,CAAC,CACzB,EAGD,KAAAuL,wBAA0B9L,EAAa,IAAM,KAAKb,SAASc,KACzDC,EAAuEC,EAAK4L,wBAAwB,EACpG1L,EAAWC,GACHA,EAAO0L,KAAezL,EAAKiD,CAAK,EAC/BjD,EAAK,CAAC,IAAwB0L,GAA8B3L,EAAOG,OAAO,CAAC,CAAC,CACpF,CAAC,CACH,EAED,KAAAyL,SAAWlM,EAAa,IAAM,KAAKb,SAASc,KAC1CC,EAAwDC,EAAKgM,QAAQ,EACrEhL,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,oBAAoB8K,IAAI,CAAC,EACjE/L,EAAU,CAAC,CAACC,EAAQ8L,CAAI,IAClB9L,EAAOG,SAAW2L,EACb7L,EAAK,CAAC,IAAwB8L,GAAe/L,EAAOG,OAAO,CAAC,CAAC,EAC/DF,EAAKiD,CAAK,CAClB,CAAC,CACH,EAGD,KAAA8I,YAActM,EAAa,IAAM,KAAKb,SAASc,KAC7CC,EAMwBC,EAAKoM,iBACLpM,EAAKqM,wBACLrM,EAAKsM,6BACLtM,EAAK6G,WACL7G,EAAKuL,gBACLvL,EAAKuM,qBACLvM,EAAKwM,iBACLxM,EAAKyM,mBACLzM,EAAK0M,gBACL1M,EAAK2M,iCACL3M,EAAK4M,mBACL5M,EAAK6M,iBACL7M,EAAK8M,qBACL9M,EAAK+M,eACL/M,EAAKgN,eACLhN,EAAKiN,aACLjN,EAAKkN,gBACLlN,EAAKmN,mBACLnN,EAAKoN,oBACLpN,EAAKqN,eAAe,EAE5CrM,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EAC5DjB,EAAU,CAAC,CAACmB,EAAGe,CAAO,IACfA,EAAQyH,QAGNzJ,EAAKiD,CAAK,EAFRjD,EAAK,CAAC,IAAyB+I,EAAW,CAAEC,QAAS,EAAI,CAAE,CAAC,CAAC,CAGvE,CAAC,CACH,EAED,KAAAkE,2BAA6BzN,EAAa,IAAM,KAAKb,SAASc,KAC5DC,EAA6DC,EAAKsL,aAAa,EAC/EtK,EAAe,KAAK/B,MAAMgC,OAAOC,GAAKA,EAAEC,mBAAmB,CAAC,EAC5DjB,EAAU,CAAC,CAACqN,EAAInL,CAAO,IACjB,CAACA,EAAQyH,SAAW,CAAC0D,EAAGjN,QAAQkN,YAC3BpN,EAAK,CAAC,IAAyB+I,EAAW,CAAEC,QAAS,EAAI,CAAE,CAAC,CAAC,EAE/DhJ,EAAKiD,CAAK,CAClB,CAAC,CACH,CAvXD,CAyXQf,gBAAgBF,EAA4B,CAClD,IAAMqL,EAAoC,CAAA,EAEpCC,EAAkBtL,EAAQd,MAAMqM,UAAU/M,OAAOgN,GAAOA,EAAIC,QAAQ,EAAE/I,IAAI2B,GAAKA,EAAE/D,EAAE,EACnFoL,EAA8B1L,EAAQa,QACzC0C,QAAQD,GAAUA,EAAOqI,WACvBpI,QAAQqI,GAAaA,EAAUC,MAC7BtI,QAAQsI,GAASA,EAAMC,UAAUtN,OAAOuN,GAAY,CAAC,CAACA,EAASC,YAAc,CAACD,EAASE,QAAQ,CAAC,CAAC,EAAEvJ,IAAIqJ,GAAYA,EAASnJ,GAAG,CAAC,EAEvI5C,OAAAA,EAAQd,MAAMqM,UAAU5H,QAAQzE,GAAQ,CACtC,IAAMgN,EAAO,KAAKC,cAAcjN,EAAO,KAAMoM,EAAiBI,CAAiB,EAC/EL,EAAgB/G,KAAK4H,CAAI,CAC3B,CAAC,EACMb,CACT,CAEQc,cAAcjN,EAAqBkN,EAAmBd,EAA2BI,EAA2B,CAElH,IAAMW,EAA8B,CAAA,EACpC,GAAInN,EAAMoN,UAAYpN,EAAMoN,SAASlK,OAAS,EAC5C,QAASmK,EAAI,EAAGA,EAAIrN,EAAMoN,SAASlK,OAAQmK,IACzCF,EAAU/H,KAAK,KAAK6H,cAAcjN,EAAMoN,SAASC,CAAC,EAAGrN,EAAMoB,GAAIgL,EAAiBI,CAAiB,CAAC,EAItG,IAAMc,EAAsC,CAC1C,GAAItN,EAAMuN,aAAcjO,OAAOkO,GAAM,CAAChB,EAAkB1I,SAAS0J,EAAG9J,GAAG,CAAC,EACxE,GAAGyJ,EAAU9I,QAAQc,GAAKA,EAAEmI,mBAAmB,CAAC,EAG5CG,EACHzN,EAAMuN,aAAcjO,OAAOkO,GAAMhB,EAAkB1I,SAAS0J,EAAG9J,GAAG,CAAC,EAChEgK,EAA4BP,EAAU3J,IAAImK,GAAKA,EAAEF,kBAAkBvK,MAAM,EAC5EyD,OAAO,CAACC,EAAMgH,IAAShH,EAAOgH,EAAM,CAAC,EAClCC,EAAyBJ,EAAoBA,EAAkBvK,OAASwK,EAExEI,EAAqB9N,EAAMoN,SAAS5J,IAAImK,GAAKA,EAAEJ,aAAarK,MAAM,EACrEyD,OAAO,CAACC,EAAMgH,IAAShH,EAAOgH,EAAM,CAAC,EAClCG,EAA+B/N,EAAMuN,aAAevN,EAAMuN,aAAarK,OACzE4K,EAEEE,EAAeb,EAAU3J,IAAImK,GAAKA,EAAEM,gBAAgB,EACvDtH,OAAO,CAACC,EAAMgH,IAAShH,EAAOgH,EAAM,CAAC,EAClCM,EAAef,EAAU3J,IAAImK,GAAKA,EAAEQ,gBAAgB,EACvDxH,OAAO,CAACC,EAAMgH,IAAShH,EAAOgH,EAAM,CAAC,EAClCK,EAAmBjO,EAAMiO,iBAAmBjO,EAAMiO,iBAAmBD,EACtEA,GAA8BhO,EAAMuN,aAAarK,OAChDiL,EAAmBnO,EAAMmO,iBAAmBnO,EAAMmO,iBAAmBD,EACtEA,GAA8BlO,EAAMuN,aAAarK,OAElDkL,EAASC,GAAgBC,KACzBC,EAAS,4CASb,GAAIV,EAAyBI,GACxBd,EAAU7N,OAAO+N,GAAKA,EAAEe,SAAWC,GAAgBC,IAAI,EAAEpL,OAAS,EACrE,GAAIlD,EAAMuM,SACR6B,EAASC,GAAgBG,MACzBD,EAAS,iEACApB,EAAUsB,UAAUpB,GAAKA,EAAEe,SAAWC,GAAgBC,IAAI,EAAI,GAAI,CAC3E,IAAMtB,EAAOG,EAAU1K,KAAK4K,GAAKA,EAAEe,SAAWC,GAAgBC,IAAI,EAClEF,EAASpB,EAAKoB,OACdG,EAASvB,EAAKuB,MAChB,MACEH,EAASC,GAAgBK,QACzBH,EAAS,8DAGb,MAAO,CACLrB,SAAU,CAACA,EACX9L,GAAIpB,EAAMoB,GACVsC,IAAK1D,EAAM2O,SACXvB,SAAUD,EACVxC,KAAM3K,EAAM2K,KACZsD,iBAAkBA,EAClBE,iBAAkBA,EAClBJ,6BAA8BA,EAC9BT,oBAAqBA,EACrBsB,cAAef,EACfJ,kBAAmBA,EACnBlB,SAAUvM,EAAMuM,SAChB6B,OAAQA,EACRG,OAAQA,EAEZ,CAEQ7F,YAAY1J,EAA8B6P,EAAejG,EAAoB,CACnF,OAAO,KAAK/K,eAAe6K,YAAY1J,EAAQsB,UAAW,CAAEuO,MAAOA,EAAOC,aAAc9P,EAAQ+P,eAAgBC,aAAc,EAAI,CAAE,EAAExQ,KACpIgF,EAAIyL,GAAS,CACX,IAAMF,EAAiB1M,KAAKC,MAAM2M,EAAOhH,IAAI,EAAE8G,eAC/C,OAAO,IAAyBG,GAAW,CAAE5O,UAAWtB,EAAQsB,UAAWyO,eAAgBA,CAAc,EAAI/P,EAAQO,WAAYqJ,CAAW,CAC9I,CAAC,EACDuG,EAAWC,GAAM,CACf,GAAIA,GAAKC,QAAU,qBACjB,OAAO,KAAKxR,eAAeyR,WAAWtQ,EAAQsB,SAAS,EACpD9B,KAAKI,EAAWwE,GACR,KAAK/E,cAAckR,WACxB,4DACA,2DACA,IACAC,GAAWC,QACX,uDACA,qDACA,GACA,KACA,GACA,GACA,GAAGrM,EAASsM,eAAiB,KAAK,IAAItM,EAASuM,gBAAkB,IAAIC,KAAKxM,EAASuM,eAAe,EAAEE,eAAc,EAAK,EAAE,EAAE,EAE1HrR,KACCI,EAAUwE,GAAW,CACnB,GAAIA,EACF,OAAO,KAAKvF,eAAe6K,YAAY1J,EAAQsB,UAAW,CAAEuO,MAAOA,EAAOC,aAAc9P,EAAQ+P,eAAgBC,aAAc,EAAK,CAAE,EAAExQ,KACrIgF,EAAIwE,GAAa,CACf,IAAM+G,EAAiB1M,KAAKC,MAAM0F,EAAWC,IAAI,EAAE8G,eACnD,OAAO,IAAyBG,GAAW,CAAE5O,UAAWtB,EAAQsB,UAAWyO,eAAgBA,CAAc,EAAI/P,EAAQO,WAAYqJ,CAAW,CAC9I,CAAC,CACA,EAGH,KAAKjL,MAAMqG,SAAS,IAAsB7D,EAAG,CAAEC,KAAM,CAAC,KAAKzC,MAAMgC,OAAOC,GAAKA,EAAEE,eAAemJ,SAAS,EAAG,SAAS,EAAG1I,OAAQ,CAAEC,MAAO,CAAEC,gBAAiB,EAAI,CAAE,CAAE,CAAE,CAAC,CAEzK,CAAC,CAAC,CACP,CAAC,CAER,CAAC,CAAC,CACN,CAEQsH,aAAa/I,EAA8B8B,EAAuB,CACxE,OAAO,KAAKhD,cAAcgS,OACxB,KAAKC,yBAAyBjP,EAAQM,GAAIpC,CAAO,CAAC,EAAER,KAClD2Q,EAAWC,IACT,KAAKpR,aAAagS,gBAAgB,qCAAqC,EACpExR,KAAKqH,GAAK,CAAC,CAAC,EACZoK,UAAWC,GAAe,CACzB,KAAKnS,aAAaoS,eAAeD,CAAG,CACtC,CAAC,EACIxG,GAAG0F,CAAG,EACd,CAAC,CACR,CAEQvG,aAAa7J,EAA8B8B,EAAuB,CACxE,OAAO,KAAKhD,cAAcsS,OAAOtP,EAAQM,GAAIpC,EAAQ8C,SAAU,KAAKiO,yBAAyBjP,EAAQM,GAAIpC,CAAO,CAAC,EAC9GR,KACC2Q,EAAWC,IACT,KAAKpR,aAAagS,gBAAgB,qCAAqC,EACpExR,KAAKqH,GAAK,CAAC,CAAC,EACZoK,UAAWC,GAAe,CACzB,KAAKnS,aAAaoS,eAAeD,CAAG,CACtC,CAAC,EACIxG,GAAG0F,CAAG,EACd,CAAC,CACR,CAEQW,yBAAyBzJ,EAAmBxF,EAA4B,CAE9E,IAAMuP,EAA6BvP,EAAQa,QACxC0C,QAAQE,GAAMA,EAAE8L,MACd7M,IAAK8M,GAAgCjI,EAAAhB,EAAA,GAAKiJ,GAAL,CAAQC,UAAWhM,EAAEb,GAAG,EAAG,CAAE,EAEjE8M,EAAU1P,EAAQ2P,cAAcC,sBAAwB,QAAU5P,EAAQ2P,eAAeE,iBAAiBvP,GAAK,KAC/GwP,EAAiB9P,EAAQ2P,cAAcC,sBAAwB,SAAW5P,EAAQ2P,eAAeI,aACrG/P,EAAQ2P,eAAeK,cAAc1P,GAAK,KAEtC2P,EAAwB,CAAA,EACxBtE,EAAsC,CAAA,EAC5C3L,OAAAA,EAAQa,QAAQ8C,QAAQ,SAAUF,EAAC,CACjCwM,EAAK3L,KAAK,GAAGb,EAAEwM,KAAKvN,IAAIwN,IAAO,CAAEC,OAAQD,EAAGC,OAAQC,MAAOF,EAAGE,MAAOX,UAAWhM,EAAEb,GAAG,EAAG,CAAC,EACzF+I,EAAWrH,KAAK,GAAGb,EAAEkI,WAAWjJ,IAAK2N,GAA+B9I,EAAAhB,EAAA,GAAK8J,GAAL,CAAS7I,SAAU/D,EAAEnD,GAAImP,UAAWhM,EAAEb,GAAG,EAAG,CAAC,CACnH,CAAC,EAEM,CACL4C,UAAWA,EACXhG,UAAWQ,EAAQR,UACnBqK,KAAM7J,EAAQ6J,KACdyG,UAAWtQ,EAAQuQ,SAASD,UAC5BE,QAASxQ,EAAQuQ,SAASC,QAC1BrM,OAAQnE,EAAQkE,aAAaC,OAAOzB,IAAI2B,GAAKA,EAAE/D,EAAE,EACjDnB,QAASa,EAAQd,MAAMC,QACvBuQ,QAASA,EACTI,eAAgBA,EAChBW,eAAgBf,EAAU1P,EAAQuQ,SAASE,eAAiB,CAAA,EAC5D9E,WAAYA,EACZ4D,MAAOA,EACPmB,QAASnB,EAAM7M,IAAI2B,GAAK,CAACA,EAAE/D,EAAE,EAC7BqQ,SAAU,GACVV,KAAMA,EACNW,iBAAkB5Q,EAAQW,kBAAkBW,iBAAiB3C,QAAQiS,kBAAoB,aAE7F,CAEQjK,yBAAyB3G,EAA4B,CAC3D,IAAM2L,EAAsC,CAAA,EAC5C3L,EAAQa,QAAQ8C,QAAQL,GAAS,CAC/BqI,EAAWrH,KAAK,GAAGhB,EAAOqI,WAAWjJ,IAAI2N,GAAO9I,EAAAhB,EAAA,GAAK8J,GAAL,CAAS7I,SAAUlE,EAAOhD,GAAImP,UAAWnM,EAAOV,GAAG,EAAG,CAAC,CACzG,CAAC,EAED,IAAM2M,EAA6BvP,EAAQa,QACxC0C,QAAQE,GAAMA,EAAE8L,MACd7M,IAAK8M,GAAgCjI,EAAAhB,EAAA,GAAKiJ,GAAL,CAAQC,UAAWhM,EAAEb,GAAG,EAAG,CAAE,EAEjE8M,EAAU1P,EAAQ2P,cAAcC,sBAAwB,QAC5D5P,EAAQ2P,cAAcE,iBAAiBvP,GAAK,KACxCwP,EAAiB9P,EAAQ2P,cAAcC,sBAAwB,SAAW5P,EAAQ2P,cAAcI,aACpG/P,EAAQ2P,cAAcK,cAAc1P,GAAK,KACrCuQ,EAAgB7Q,EAAQ2P,cAAcC,sBAAwB,QAClE5P,EAAQ2P,cAAcmB,aAAaxQ,GAAK,KAEpCyQ,EAAkB/Q,EAAQ2P,cAAcC,sBAAwB,QACpE5P,EAAQ2P,cAAcqB,eAAe1Q,GAAK,KACtC2Q,EAAejR,EAAQ2P,cAAcC,sBAAwB,SACjE5P,EAAQ2P,cAAcI,aACtB/P,EAAQ2P,cAAcuB,YAAY5Q,GAAK,KACnC6Q,EAAenR,EAAQ2P,cAAcC,sBAAwB,QACjE5P,EAAQ2P,cAAcyB,YAAY9Q,GAAK,KAEzC,MAAO,CACLd,UAAWQ,EAAQR,UACnBqK,KAAM7J,EAAQ6J,KACdyG,UAAWtQ,EAAQuQ,SAASD,UAC5BE,QAASxQ,EAAQuQ,SAASC,QAC1Ba,WAAYrR,EAAQuQ,SAASc,WAC7BhM,YAAarF,EAAQkE,aAAaiB,mBAAmB7E,GACrD6D,OAAQnE,EAAQkE,aAAaC,OAAOzB,IAAI2B,GAAKA,EAAE/D,EAAE,EACjDgR,MAAO,CAAA,EACPnS,QAASa,EAAQd,MAAMC,QACvBuQ,QAASA,EACTI,eAAgBA,EAChBe,cAAeA,EACfE,gBAAiBA,EACjBE,aAAcA,EACdE,aAAcA,EACdV,eAAgBf,EAAU1P,EAAQuQ,SAASE,eAAiB,CAAA,EAC5Dc,WAAYvR,EAAQ2P,cAAc4B,WAClC5F,WAAYA,EACZ4D,MAAOA,EACPiC,iBAAkBxR,EAAQuQ,SAASiB,iBACnCZ,iBAAkB5Q,EAAQW,kBAAkBW,iBAAiB3C,OAAOiS,iBACpEa,kBAAmB,CACjBC,UAAW1R,EAAQuQ,SAASmB,UAC5BC,SAAU3R,EAAQuQ,SAASoB,UAIjC,CAEQC,gBAAc,CACpB,IAAItU,EAAwB,KAAKA,MACjC,KAAOA,EAAMuU,YAAc,MACzBvU,EAAQA,EAAMuU,WAEhB,OAAOvU,CACT,CAEQiC,kBAAkBP,EAAgCQ,EAAiB,CACzE,MAAO,CAACR,EAAemJ,UAAW,UAAW,SAAU,QAAS3I,CAAS,CAC3E,yCA7oBW9C,GAAmBoV,EAAAC,CAAA,EAAAD,EAAAE,CAAA,EAAAF,EAAAG,EAAA,EAAAH,EAAAI,EAAA,EAAAJ,EAAAK,EAAA,EAAAL,EAAAM,EAAA,EAAAN,EAAAO,EAAA,EAAAP,EAAAQ,EAAA,EAAAR,EAAAS,EAAA,EAAAT,EAAAU,EAAA,EAAAV,EAAAW,EAAA,EAAAX,EAAAY,EAAA,CAAA,CAAA,wBAAnBhW,EAAmBiW,QAAnBjW,EAAmBkW,SAAA,CAAA,EAA1B,IAAOlW,EAAPmW,SAAOnW,CAAmB,GAAA,EC1ChC,IAAaoW,IAAe,IAAA,CAAtB,IAAOA,EAAP,MAAOA,CAAe,CAC1BC,YACUC,EACAC,EACAC,EACAC,EACAC,EAA2B,CAJ3B,KAAAJ,MAAAA,EACA,KAAAC,SAAAA,EACA,KAAAC,YAAAA,EACA,KAAAC,cAAAA,EACA,KAAAC,UAAAA,EAGV,KAAAC,cAAgBC,EAAa,IAAM,KAAKL,SAASM,KAC/CC,EAAqDC,EAAKC,cAAc,EACxEC,EAAUC,GAAU,KAAKV,YAAYW,SAASD,EAAOE,OAAO,EACzDP,KAAKQ,EAAIF,GAAW,CACnB,GAAIA,EAASG,SAAW,EAAG,CACzB,IAAMC,EAA2B,CAAA,EACjC,QAAWC,KAAoBL,EAASM,kBACtC,QAAWC,KAAWF,EAAiBG,UAAUC,OAAOC,GACtDA,EAAEC,OAAS,GACXD,EAAEC,SAAWX,EAASW,QACtB,CAACP,EAAeQ,SAASF,EAAEC,MAAM,CAAC,EAClCP,EAAeS,KAAKN,EAAQI,MAAM,EAItC,GAAIP,EAAeU,OAAS,EAC1B,OAAO,IAAoBC,GAAkBX,EAAe,CAAC,CAAC,CAElE,CAEA,OAAO,IAAoBY,GAAoBhB,CAAQ,CACzD,CAAC,CAAC,CAAC,CACJ,CACF,EAED,KAAAiB,iBAAmBxB,EAAa,IAAM,KAAKL,SAASM,KAClDC,EAAwDC,EAAKsB,iBAAiB,EAC9EC,EAAe,KAAKhC,MAAMiC,OAAOC,GAAKA,EAAEC,eAAeC,gBAAgB,CAAC,EACxEzB,EAAU,CAAC,CAACC,EAAQyB,CAAS,IAAM,KAAKnC,YAAYoC,gBAAgB1B,EAAOE,OAAO,EAAEP,KAChFI,EAAU4B,GACKF,EAAUG,KAAKC,GAAMA,EAAGC,KAAO9B,EAAOE,SAAS4B,EAAE,EAEvD,CACL,IAAoBC,GAAuB/B,EAAOE,OAAO,EACzD,IAAoB8B,GAAuBhC,EAAOE,OAAO,CAAC,EAH1C+B,CAKnB,CAAC,CACH,CACF,CACF,EAED,KAAAC,0BAA4BxC,EAAa,IAAM,KAAKL,SAASM,KAC3DC,EAAiEC,EAAKsC,4BAA4B,EAClGpC,EAAUC,GAAU,KAAKV,YAAY8C,yBAAyBpC,EAAOE,QAAQmC,MAAOrC,EAAOE,QAAQoC,SAASR,EAAE,EAAEnC,KAC9GI,EAAU4B,GAAK,CACb,IAAoBI,GAAuB/B,EAAOE,QAAQoC,QAAQ,EAClE,IAAoBN,GAAuBhC,EAAOE,QAAQoC,QAAQ,CAAC,CACpE,CAAC,CACH,CAAC,CACH,EAED,KAAAC,wBAA0B7C,EAAa,IAAM,KAAKL,SAASM,KACzDC,EAA+DC,EAAK2C,yBAAyB,EAC7FpB,EAAe,KAAKhC,MAAMiC,OAAOC,GAAKA,EAAEC,eAAeC,gBAAgB,CAAC,EACxEzB,EAAU,CAAC,CAACC,EAAQyB,CAAS,IAAK,CAChC,IAAMgB,EAAOhB,EAAUG,KAAKC,GAAMA,EAAGC,KAAO9B,EAAOE,SAAS4B,EAAE,EAC9D,OAAKW,GACL,KAAKjD,UAAUkD,cAAcD,EAAKE,IAAI,EAC/B,CAAC,IAAoBC,GAA8BH,CAAI,CAAC,GAF7CR,CAGpB,CAAC,CAAC,CACH,EAED,KAAAY,sBAAwBnD,EAAa,IAAM,KAAKL,SAASM,KACvDC,EAA6DC,EAAKiD,uBAAuB,EACzF/C,EAAUC,GAAU,KAAKT,cAAcwD,WAAW/C,EAAOqC,KAAK,EAAE1C,KAC5DI,EAAUiD,GAAU,CAClB,IAAMC,EAAaD,EAAQE,YAAYC,WACjCC,EAAcJ,EAAQzB,eAAeC,iBAAiBI,KAAKC,GAAMA,EAAGwB,wBAAwB,EAC5FZ,EAAOO,EAAQzB,eAAeC,iBAAiBI,KAAKC,GAAMA,EAAGC,KAAOmB,CAAU,GAAKG,EACnF1B,EAAkB,IAAoBM,GAAuBS,CAAI,EACjEa,EAAwB,IAAoBrC,GAAoB+B,EAAQE,WAAW,EACnFK,EAA2B,IAA0BC,GAAyBC,EAAA,GAC/ET,EAAQzB,eACZ,EAED,QAAWmC,KAAYV,EAAQW,KAC7BD,EAASE,MAAQ,CAAA,EAEnB,IAAMC,EAAQb,EAAQW,KAAKG,QAAQC,GAAKA,EAAEC,WAAW,EAAE7D,IAAK4D,IACzD,CAAEE,KAAMF,EAAEG,IAAKL,MAAOE,EAAEI,OAAQC,QAAS,EAAK,EAAG,EAC9CC,EAA2B,IAAmBC,GAAmBT,CAAK,EAC5E,MAAO,CACLN,EACAD,EAEA5B,EACA,IAAkB6C,GAAgB,CAAA,CAAE,CAAC,CAEzC,CAAC,CAAC,CACH,CACF,CACF,EAED,KAAAC,YAAc9E,EAAa,IAAM,KAAKL,SAASM,KAC3CC,EAA0DC,EAAK4E,mBAAmB,EAClF1E,EAAWC,GACT,KAAKV,YAAYoF,WAAW1E,EAAOE,OAAO,EACvCP,KACCgF,GAAUC,GAAsB,CAC9B,IAAoB3D,GAAoB2D,EAAmB1B,WAAW,EACtE,IAA0BM,GAAyBC,EAAA,GAAKmB,EAAmBrD,eAAgB,EAC3F,GAAGvB,EAAO6E,SAAS,CACpB,CAAC,CACH,CACJ,CACF,CA3GH,yCAPW3F,GAAe4F,EAAAC,CAAA,EAAAD,EAAAE,CAAA,EAAAF,EAAAG,EAAA,EAAAH,EAAAI,EAAA,EAAAJ,EAAAK,EAAA,CAAA,CAAA,wBAAfjG,EAAekG,QAAflG,EAAemG,SAAA,CAAA,EAAtB,IAAOnG,EAAPoG,SAAOpG,CAAe,GAAA,ECD5B,IAAMqG,GAA+B,eAGxBC,IAAgB,IAAA,CAAvB,IAAOA,EAAP,MAAOA,CAAgB,CAC3BC,YAAoBC,EACVC,EACAC,EAAkC,CAFxB,KAAAF,SAAAA,EACV,KAAAC,MAAAA,EACA,KAAAC,iBAAAA,EAEV,KAAAC,WAAaC,EAAa,IACxB,KAAKJ,SAASK,KACZC,EAA6EC,EAAKC,2BAA2B,EAC7GC,EAAkB,KAAKT,SAASK,KAAKC,EAA+CC,EAAKG,WAAW,CAAC,CAAC,EACtGC,EAAe,KAAKV,MAAMW,OAAOC,GAAKA,EAAEC,QAAQ,CAAC,CAAC,EACjDT,KACCU,EAAO,CAAC,CAACC,EAAGF,CAAQ,IAAMA,EAASG,SAAW,IAAI,EAClDC,EAAU,CAAC,CAAC,CAACC,EAAuBC,CAAE,EAAGJ,CAAC,IACjC,KAAKd,iBAAiBmB,cAAcF,EAAsBG,QAAQC,EAAE,EACxElB,KACCmB,EAAIC,GAAU,IAAqBC,GAAqBD,CAAM,CAAC,CAAC,CAErE,CAAC,CAAC,EAET,KAAAE,mBAAqBvB,EAAa,IAAM,KAAKJ,SAASK,KACpDC,EACoBC,GAAKqB,wBAA0CrB,GAAKsB,0BAA2CtB,EAAKuB,iCAAiC,EACzJnB,EAAe,KAAKV,MAAMW,OAAOC,GAAKA,EAAEkB,eAAeR,EAAE,EAAG,KAAKtB,MAAMW,OAAOC,GAAKA,EAAEmB,UAAUC,iBAAiB,CAAC,EACjHlB,EAAO,CAAC,CAACC,EAAGI,EAAIc,CAAM,IAAMA,GAAQC,OAAS,CAAC,EAC9CC,GAAS,CAAC,CAACpB,EAAGqB,EAAWJ,CAAiB,IAAK,CAC7C,IAAMK,EAAUL,EAAkBM,KAAKC,GAAKA,EAAEH,YAAcA,CAAS,GACjEI,WAAWF,KAAKC,GAAKA,EAAEE,OAAS7C,EAA4B,EAAE8C,MAClE,OAAQL,GAAWD,EACf,CAAC,IAAkBO,GAAc,IAAkBC,GAAgB,CAAEtB,GAAI,CAACe,CAAO,CAAE,CAAC,EACpFQ,CACN,CAAC,CAAC,CAAC,EAGL,KAAAC,kBAAoB3C,EAAa,IAAM,KAAKJ,SAASK,KACnDC,EAA+DC,GAAKqB,uBAAuB,EAC3FtB,EAA+CC,EAAKG,WAAW,EAC/Dc,EAAIR,GAAK,IAAmBgC,EAAa,CAAC,CAAC,EAG7C,KAAAC,iBAAmB7C,EAAa,IAAM,KAAKJ,SAASK,KAClDC,EAA0DC,GAAK2C,gBAAgB,EAC/EvC,EAAe,KAAKV,MAAMW,OAAOC,GAAKA,EAAEkB,cAAc,EAAG,KAAK9B,MAAMW,OAAOC,GAAKA,EAAEsC,YAAY,CAAC,EAC/FjC,EAAU,CAAC,CAACkC,EAAQrB,EAAgBsB,CAAU,IACrC,KAAKC,iBAAiB,CAACF,EAAOG,SAAS,EAAGxB,EAAgBsB,CAAU,CAC5E,CAAC,CACH,EAED,KAAAG,0BAA4BpD,EAAa,IAAM,KAAKJ,SAASK,KAC3DC,EAAmEC,GAAKkD,0BAA0B,EAClG9C,EAAe,KAAKV,MAAMW,OAAOC,GAAKA,EAAEkB,cAAc,EAAG,KAAK9B,MAAMW,OAAOC,GAAKA,EAAEsC,YAAY,CAAC,EAC/FjC,EAAU,CAAC,CAACkC,EAAQrB,EAAgBsB,CAAU,IACrC,KAAKC,iBAAiBF,EAAOX,WAAYV,EAAgBsB,CAAU,CAC3E,CAAC,CAAC,CAjD2C,CAoDxCC,iBAAiBI,EAAiC3B,EAAgCsB,EAAwB,CAChH,OAAO,KAAKnD,iBACTyD,wBAAwB5B,EAAeR,GAAImC,CAAc,EACzDrD,KACCa,EAAU0C,GAAgB,CACxB,IAAMC,EAA0B,CAAA,EAMhC,GAJIH,EAAeI,KAAKtB,GAAK,CAAC,CAACA,EAAEuB,WAAW,GAC1CF,EAAcG,KAAK,IAAkBpB,EAAY,EAG/CS,EAAWY,kBAAkBH,KAAKtB,GAAKA,EAAE0B,cAAgB1B,EAAE2B,UAAY,oBAAoB,EAC7F,GAAIT,EAAeI,KAAKtB,GAAKA,EAAEE,OAAS,cAAc,EAAG,CACvD,IAAM0B,EAAoBf,EAAWe,MAAMC,QAAQC,GAAQA,EAAKF,KAAK,EAAE5C,IAAI+C,IAAM,CAAEC,IAAKD,EAAEC,IAAKC,QAASF,EAAEE,OAAO,EAAG,EACpH,MAAO,CACL,GAAGZ,EACH,IAAmBa,GAA8Bd,EAAeQ,CAAK,CAAC,CAE1E,KACE,OAAO,CACL,GAAGP,EACH,IAAqBc,GAAuBf,CAAa,EACzD,IAAmBgB,GAAiBhB,EAAe,IAAI,CAAC,MAIvD,QAAIP,EAAWY,kBAAkBH,KAAKtB,GAAKA,EAAE0B,cAAgB1B,EAAE2B,UAAY,UAAU,EACnF,CACL,IAAqBQ,GAAuBf,CAAa,EACzD,IAAmBgB,GAAiBhB,EAAe,IAAI,CAAC,EAGnD,CAAC,IAAqBe,GAAuBf,CAAa,CAAC,CAEtE,CAAC,CAAC,CAER,yCA3FW9D,GAAgB+E,EAAAC,CAAA,EAAAD,EAAAE,CAAA,EAAAF,EAAAG,EAAA,CAAA,CAAA,wBAAhBlF,EAAgBmF,QAAhBnF,EAAgBoF,SAAA,CAAA,EAAvB,IAAOpF,EAAPqF,SAAOrF,CAAgB,GAAA","names":["DEFAULT_EFFECT_CONFIG","CREATE_EFFECT_METADATA_KEY","createEffect","source","config","effect","value","__spreadValues","getCreateEffectMetadata","instance","propertyName","metaData","getSourceMetadata","instance","getCreateEffectMetadata","getSourceForInstance","isClassInstance","obj","isClass","classOrRecord","getClasses","classesAndRecords","isToken","tokenOrRecord","InjectionToken","mergeEffects","sourceInstance","globalErrorHandler","effectsErrorHandler","source","sourceName","observables$","propertyName","dispatch","useEffectsErrorHandler","observable$","effectAction$","ignoreElements","materialize","map","notification","merge","MAX_NUMBER_OF_RETRY_ATTEMPTS","defaultEffectsErrorHandler","errorHandler","retryAttemptLeft","catchError","error","Actions","_Actions","Observable","operator","observable","t","ɵɵinject","ScannedActionsSubject","ɵɵdefineInjectable","ofType","allowedTypes","filter","action","typeOrActionCreator","_ROOT_EFFECTS_GUARD","USER_PROVIDED_EFFECTS","_ROOT_EFFECTS","_ROOT_EFFECTS_INSTANCES","_FEATURE_EFFECTS","_FEATURE_EFFECTS_INSTANCE_GROUPS","EFFECTS_ERROR_HANDLER","ROOT_EFFECTS_INIT","rootEffectsInit","createAction","reportInvalidActions","output","reporter","isAction","getEffectName","stringify","isMethod","onIdentifyEffectsKey","isOnIdentifyEffects","isFunction","onRunEffectsKey","isOnRunEffects","onInitEffects","isOnInitEffects","functionName","EffectSources","_EffectSources","Subject","effectSourceInstance","groupBy","effectsInstance","mergeMap","source$","effect$","exhaustMap","resolveEffectSource","dematerialize","init$","take","ErrorHandler","mergedEffects$","EffectsRunner","_EffectsRunner","effectSources","store","Store","EffectsRootModule","_EffectsRootModule","sources","runner","rootEffectsInstances","storeRootModule","storeFeatureModule","guard","StoreRootModule","StoreFeatureModule","ɵɵdefineNgModule","ɵɵdefineInjector","EffectsFeatureModule","_EffectsFeatureModule","effectsRootModule","effectsInstanceGroups","effectsInstances","EffectsModule","_EffectsModule","featureEffects","effects","effectsClasses","createEffectsInstances","rootEffects","_provideForRootGuard","effectsGroups","userProvidedEffectsGroups","effectsGroup","userProvidedEffectsGroup","effectsTokenOrRecord","inject","ROUTER_REQUEST","routerRequestAction","createAction","props","ROUTER_NAVIGATION","routerNavigationAction","ROUTER_CANCEL","routerCancelAction","ROUTER_ERROR","routerErrorAction","ROUTER_NAVIGATED","routerNavigatedAction","routerReducer","state","action","routerAction","MinimalRouterStateSerializer","routerState","route","children","c","NavigationActionTiming","DEFAULT_ROUTER_FEATURENAME","_ROUTER_CONFIG","InjectionToken","ROUTER_CONFIG","_createRouterConfig","config","__spreadValues","FullRouterStateSerializer","RouterStateSerializer","RouterTrigger","StoreRouterConnectingService","_StoreRouterConnectingService","store","router","serializer","errorHandler","activeRuntimeChecks","isNgrxMockEnvironment","isDevMode","select","withLatestFrom","routerStoreState","storeState","NavigationStart","url","isSameUrl","error","dispatchNavLate","routesRecognized","event","RoutesRecognized","NavigationCancel","NavigationError","NavigationEnd","lastRoutesRecognized","nextRouterState","type","payload","__spreadProps","t","ɵɵinject","Store","Router","ErrorHandler","ACTIVE_RUNTIME_CHECKS","ɵɵdefineInjectable","first","second","stripTrailingSlash","text","provideRouterStore","makeEnvironmentProviders","ENVIRONMENT_INITIALIZER","inject","StoreRouterConnectingModule","_StoreRouterConnectingModule","ɵɵdefineNgModule","ɵɵdefineInjector","Type","LoadNavtree","constructor","type","LOAD_NAVTREE","LoadNavtreeCanceled","LOAD_NAVTREE_CANCELED","LoadNavtreeSuccess","payload","LOAD_NAVTREE_SUCCESS","UpdateVisibility","params","items","UPDATE_VISIBILITY","UpdateMissingVisibility","UPDATE_MISSING_VISIBILITY","UpdateParameterMenuVisibility","menuItems","UPDATE_PARAMETER_MENU_VISIBILITY","UpdateIsHandset","UPDATE_ISHANDSET","UpdateIsTablet","UPDATE_ISTABLET","ToggleSidebar","TOGGLE_SIDEBAR","CompanyContextEffects","constructor","actions$","companyService","surveyService","attributeService","store","setCompanyContextSuccess","createEffect","pipe","ofType","Type","SET_COMPANY_CONTEXT_SUCCESS","combineLatestWith","select","s","userInfo","displayLanguageId","withLatestFrom","companyContext","companyLanguages","languageId","filter","_","displayLangId","length","switchMap","userLanguageId","find","cl","id","userLang","isDefaultCompanyLanguage","LoadNavtree","SetUserContextLanguage","defaultLang","saveContextToLocalStorage$","selectUserInfo","companyIdSelect","companyId","setSavedCompany","userId","from","setCompanyContext$","SET_COMPANY_CONTEXT","SET_COMPANY_CONTEXT_BY_SHORT_NAME","state","action","force","payload","shortName","LoadUserInfo","SetCompanyContextSuccess","onSuccess","isNaN","previousCompanyId","JSON","parse","getSavedCompany","get","concatMap","company","userPermission","LoadUserInfoSuccess","setContextByToken$","SET_COMPANY_CONTEXT_BY_TOKEN","getContext","token","context","userContext","__spreadProps","__spreadValues","useRouteContext$","ROUTER_NAVIGATION","LOAD_USER_INFO_SUCCESS","map","routerNavigationAction","getRouteParams","routerState","root","params","take","SetCompanyContextByShortName","companyShortName","ContextAlreadySet","SetCompanyContext","saveCompanyAttributes$","SAVE_COMPANY_ATTRIBUTES","updateCompanyMapped","res","SaveCompanyAttributesSuccess","routeData","result","firstChild","localStorage","setItem","stringify","getItem","ɵɵinject","Actions","CompanyService","SurveyService","AttributeService","Store","factory","ɵfac","_CompanyContextEffects","NavtreeEffects","constructor","store","actions$","menuService","updateParameterMenuVisibility$","createEffect","pipe","ofType","Type","UPDATE_PARAMETER_MENU_VISIBILITY","withLatestFrom","select","s","companyContext","switchMap","paramAction","getMenuVisibility","params","menuItems","response","missingMenuItems","setUpMenuItems","UpdateMissingVisibility","UpdateVisibility","UpdateUserStateSuccess","loadNavtree$","LOAD_NAVTREE","combineLatestWith","SET_COMPANY_CONTEXT_SUCCESS","LOAD_USER_STATE_SUCCESS","filter","_","companyContextSuccess","loadUser","payload","id","currentCompanyId","getMenu","items","groupBy","x","displayType","map","type","key","values","isAdmin","LoadNavtreeSuccess","loadNavtreeCancel$","LOAD_CONTEXT_FROM_TOKEN","LoadNavtreeCanceled","initReportStateOnEmptyMenu$","LOAD_NAVTREE_SUCCESS","action","length","InitReportState","parentMenuItem","menuCopy","menuItem","parentKey","hasSameTypeChildren","children","c","hasChildren","filteredChildren","push","route","buildRoutes","parentItem","item","reportPageItems","shortName","i","ɵɵinject","Store","Actions","MenuService","factory","ɵfac","_NavtreeEffects","Type","LoadConfiguration","constructor","type","LOAD_CONFIGURATION","LoadConfigurationSuccess","payload","LOAD_CONFIGURATION_SUCCESS","ConfigurationEffects","constructor","actions$","httpClient","loadConfiguration$","createEffect","pipe","ofType","Type","LOAD_CONFIGURATION","switchMap","_","get","Date","now","toString","headers","map","settings","LoadConfigurationSuccess","ɵɵinject","Actions","HttpClient","factory","ɵfac","_ConfigurationEffects","initialState","activeStep","productId","actionAreaKey","groupResultInfo","groupId","groupName","groupResultId","snapshotId","snapshotName","selectedRecommendation","selectedCategory","key","name","selectedSubCategory","productDefinition","wizardType","WizardTypes","followup","nows","goals","actions","recommendations","saving","unsaved","currentVersion","byPassGuard","reducer","state","action","context","handleProductWizardActions","type","FollowupWizardActionType","UNLOAD_FOLLOWUP_WIZARD","SELECTED_ACTIONAREA","__spreadProps","__spreadValues","payload","SELECTED_RECOMMENDATION","SELECTED_RECOMMENDATION_CATEGORY","SELECTED_RECOMMENDATION_SUBCATEGORY","ADD_NOW","push","getSuggestions","EDIT_NOW","index","findIndex","f","tempId","slice","REMOVE_NOW","ADD_GOAL","EDIT_GOAL","REMOVE_GOAL","ADD_ACTION","EDIT_ACTION","id","REMOVE_ACTION","ADD_SUGGESTIONS","suggestions","SET_BYPASSGUARD","FollowupWizardEffects","constructor","actions$","store","productService","dialogService","startFollowup$","createEffect","pipe","ofType","Type","START_FOLLOWUP","withLatestFrom","select","s","companyContext","switchMap","action","context","state","__spreadValues","DefaultFollowupWizardState","productDefinition","payload","recommendations","groupResultInfo","groupId","groupResultId","productId","getById","product","create","id","JSON","stringify","from","SetWizardState","__spreadProps","currentVersion","pState","parse","actions","selectFollowupProductDefinition$","SELECT_PRODUCT_DEFINITION","filter","wizardType","WizardTypes","followup","SetupDraft","saveDraftFromFollowUpWizard$","SAVE_DRAFT","draft","unsaved","dispatch","SetChanged","changed","updateDraft","showMessage","saveDraftAndGoBackFollowUpWizard$","SAVE_DRAFT_GO_BACK","_","Back","startFlow$","SET_WIZARD_STATE","Go","path","shortName","createSurvey$","CREATE_PRODUCT","map","mapContextToFollowupCreate","model","createFollowup","x","ProductCreated","SetPage$","SET_PAGE","followupWizardContext","SaveDraft","saveDraft$","ADD_GOAL","EDIT_GOAL","ADD_NOW","EDIT_NOW","ADD_ACTION","EDIT_ACTION","deleteProduct$","DELETE_PRODUCT","delete","setChanged$","SELECTED_RECOMMENDATION","EMPTY","draftVersion","checkVersion","result","body","DraftSaved","catchError","err","error","getVersion","response","openDialog","DialogType","Confirm","lastUpdatedBy","lastUpdatedDate","Date","toLocaleString","httpResult","extras","bypassFormGuard","actionAreaKey","title","description","deadline","responsibleUserIds","responsibleUsers","u","targetGroupIds","recommendationId","selectedRecommendation","category","selectedCategory","key","categoryKey","subCategory","selectedSubCategory","subCategoryKey","ɵɵinject","Actions","Store","ProductService","ConfirmationDialogService","factory","ɵfac","_FollowupWizardEffects","NavigationEffects","constructor","actions$","router","location","navigate$","createEffect","pipe","ofType","Type","GO","map","action","payload","tap","path","query","queryParams","extras","navigate","__spreadValues","dispatch","navigateBack$","BACK","back","navigateForward$","FORWARD","forward","ɵɵinject","Actions","Router","Location","factory","ɵfac","_NavigationEffects","ProductWizardEffects","constructor","actions$","store","productService","snackBar","translations","createFromSurvey$","createEffect","pipe","ofType","switchMap","action","getById","payload","product","stateObj","JSON","parse","state","definitionObject","companyProductDefinition","definition","productDefinition","__spreadProps","__spreadValues","newStateObj","DefaultSurveyWizardState","modules","moduleId","from","CreateFromSurveySuccess","GetIndexInfo","loadDraft$","Type","LOAD_DRAFT","withLatestFrom","select","s","surveyWizardContext","context","productId","SelectProductDefinition","WizardTypes","survey","reviver","currentVersion","wizardType","followup","actions","length","setupSurveyDates","schedule","id","forceStep","activeStep","isSurveyWizardContext","name","wasDeactivated","SetWizardState","pristine","SetGroups","participants","groups","SetChanged","changed","createDraft$","CREATE_DRAFT","companyContext","defaultWizardState","initialDraftState","initialState","index","indexValidation","indexes","indexInfo","isFolloupWizardContext","getInitialState","stringify","create","SaveDraft","draftSaved$","DRAFT_SAVED","filter","showMessage","tap","selectTranslate","take","subscribe","t","snackIt","_","selectProductDefinition$","SELECT_PRODUCT_DEFINITION","SelectProductDefinitionSuccess","setChange$","SET_CHANGED","SetChangedSuccess","actionAfterChanged$","SET_CHANGED_SUCCESS","title","desc","popup","open","duration","politeness","panelClass","onAction","dismiss","value","test","Date","DefaultFollowupWizardState","scheduleContext","todaysDate","isValidDate","startDate","getTime","setSeconds","endDate","setDate","getDate","setHours","reminderEmails","some","r","date","getReminderEmails","emailId","d","Object","prototype","toString","call","isNaN","ɵɵinject","Actions","Store","ProductService","MatSnackBar","TranslocoService","factory","ɵfac","_ProductWizardEffects","ReportEffects","constructor","actions$","invalidateOnComanyChange","createEffect","pipe","ofType","Type","SET_COMPANY_CONTEXT","mergeMap","_","Invalidate","changeGroupSetHierarchy","GROUP_SELECTOR_CHANGE_GROUP","filter","action","payload","groupParameter","UpdateParameter","name","key","value","toString","GroupSelectorChangeGroupSuccess","groupId","groupCategory","hierarchyId","setReport","SET_ACTIVE_REPORT","switchMap","SetActiveReportSuccess","setFilterSettings","SET_SETTINGS_FILTER","parametersToUpdate","settingsFilter","x","setParameter","length","UpdateMultipleParameters","map","SetSettingsFilterSuccess","setFilterSorting","SET_SORTING_FILTER","SetSortingFilterSuccess","setFilterQuestion","SET_QUESTION_FILTER","SetQuestionFilterSuccess","setFilterFreetextQuestion","SET_FREETEXT_QUESTION_FILTER","SetFreetextQuestionFilterSuccess","setFilterRecommendationArea","SET_AREA_FILTER","SetAreaFilterSuccess","setIndexFilter","SET_INDEX_FILTER","SetIndexFilterSuccess","setStatusFilter","SET_STATUS_FILTER","SetStatusFilterSuccess","setFilterTonalityCategory","SET_TONALITY_CATEGORY_FILTER","SetTonalityCategoryFilterSuccess","setFilterTonality","SET_TONALITY_FILTER","SetTonalityFilterSuccess","ɵɵinject","Actions","factory","ɵfac","_ReportEffects","SurveyUIEffects","NeedsToUnsubscribe","constructor","actions$","surveyService","moduleService","questionService","authService","store","translate","initSurvey$","createEffect","pipe","ofType","Type","INIT_SURVEY_APP","switchMap","_","SetupSurveyContext","setupContext$","SETUP_SURVEY_CONTEXT","combineLatestWith","select","x","router","map","getRouteParams","state","root","params","from","LoadContextFromToken","String","loadSurveyContent$","s","userInfo","displayLanguageId","withLatestFrom","filter","displayLangId","__","get","survey","LoadSurveyContentSuccess","catchError","error","of","LoadSurveySurveyExpired","startSigninMainWindow","loadSurveyStateFromDatabase$","LOAD_SURVEY_CONTENT_SUCCESS","surveyState","pageGroups","getQuestionIds","token","questionIds","getState","data","serverSurveyAnswers","JSON","parse","validAnswers","length","a","includes","questionId","LoadSurveyAnswersFromDatabase","loadSurveyAnswersFromDatabaseSuccess$","LOAD_ANSWERS_DATABASE","action","payload","LoadSurveyAnswersFromDatabaseSuccess","goToNextPage","NEXT_PAGE","START_SURVEY","pageCurrent","page","GoToPage","chapterIndex","pageIndex","goToPreviousPage","PREVIOUS_PAGE","fastForwardPage","FAST_FORWARD_PAGE","fastForwardChapter","ffChapter","ffPage","goToPageCheck","GO_TO_PAGE","chapterCurrent","bookmark","__spreadValues","GoToPageFailure","GoToPageSuccess","removeSurveyState$","SUBMIT_SURVEY_SUCCESS","CLEAR_STATE","tap","updateState","loadPreview$","LOAD_PREVIEW","preview","previewResult","LoadPreviewSuccess","loadQuestionPreview$","LOAD_QUESTION_PREVIEW","fieldOverride","pages","pageItems","question","questionFields","loadQuestionFieldPreview$","LOAD_QUESTION_FIELD_PREVIEW","previewQuestionField","saveDBState$","REGISTER_ANSWER","REMOVE_ANSWER","answers","previewMode","SaveAnswersDatabase","SaveAnswersDatabaseFailure","saveDBStateSuccess","SAVE_ANSWERS_DATABASE","key","stringify","response","ok","SaveAnswersDatabaseSuccess","status","evaluateRules$","LOAD_ANSWERS_DATABASE_SUCCESS","rules","changes","RegisterAnswer","RemoveAnswer","source","ruleDependencies","dep","sourceId","EMPTY","evaluateRules","updateFastForward","LOAD_PREVIEW_SUCCESS","SetFastForwardPage","fastForwardAfterLoadedFromDatabase$","FastForwardPage","submitSurvey$","SUBMIT_SURVEY","SubmitSurveySuccess","surveyKey","submit","sessionId","err","SubmitSurveyFailure","questionChanges","removeAnswers","rule","r","canBeEvaluatedOnClient","condition","conditionValue","evaluate","visible","target","targets","targetType","push","id","targetId","hasAnswer","find","SetContentVisibility","contentId","SetChapterVisibility","pageGroupKey","targetKey","answer","SetQuestionVisibility","logic","conditions","some","canBeEvaluated","operand1","operand2","getValue","operand","value","join","children","c","every","context","operand1Value","operand2Value","evaluateOperands","operator","op1","op2","split","routeData","result","Object","prototype","hasOwnProperty","call","firstChild","flatMap","pg","p","pi","ɵɵinject","Actions","SurveyService","ModuleService","QuestionService","AuthenticationService","Store","TranslocoService","factory","ɵfac","_SurveyUIEffects","SurveyWizardEffects","constructor","actions$","store","groupService","productService","surveyService","errorService","translations","companyProductDefinitionService","moduleService","userService","route","dialogService","setSelectedModuleId$","createEffect","pipe","ofType","Type","SET_MODULE_ID","switchMap","action","from","SetModuleIdSuccess","payload","setSelectedModules$","SET_SELECTED_MODULES","SetSelectedModulesSuccess","getIndexInfoOnNew$","SELECT_PRODUCT_DEFINITION_SUCCESS","filter","wizardType","WizardTypes","survey","withLatestFrom","select","s","surveyWizardContext","companyContext","_","index","indexes","GetIndexInfo","Go","path","pathToSurveySetup","productId","extras","state","bypassFormGuard","startFlow$","SET_WIZARD_STATE","isSurveyWizardContext","userInfo","context","indexValidation","validateIndexes","autoReportDefaultValue","userPermission","can","id","SetIndexes","InitAutoReport","SetupContent","companyProductDefinition","productDefinition","selectedModules","modules","startFlowGo$","wasDeactivated","surveyId","EMPTY","setupContent$","SETUP_CONTENT","def","moduleStep","definitionObject","JSON","parse","definition","steps","find","stepId","moduleTags","availableModuleTags","moduleKeys","availableModuleKeys","preselected","main","iif","length","getByKeysAndTags","response","moduleCategories","getModuleCategories","selected","map","sm","key","preselectedModules","getSelectedModules","el","includes","preselectedModule","dispatch","ToggleModule","mainModule","getMainModule","module","flatMap","mc","m","undefined","forEach","removeEvery","enabled","SetupContentSuccess","toggleGroups$","TOGGLE_GROUP","currentGroups","participants","groups","some","x","push","SetGroups","updateParticipantCounts$","SET_GROUPS","ignoreExcludeFlag","ignoreExcludedFlag","settings","showPerspectives","companyId$","take","shareReplay","participants$","selectedHierarchyId$","selectedHierarchy","combineLatest","hierarchyId","__","hiererchyId","companyId","getCompanyGroupsUsersPerspectives","g","model","perspectivesRespondentsCount","reduce","prev","next","userCount","perspectivesFocusUsersCount","mergeMap","perspectiveModel","getUserCounts","pin","SetParticipantsCounts","__spreadValues","activeSurvey$","CREATE_PRODUCT","activate","mapContextToSurveyActive","ProductCreated","saveDraftFromSurveyWizard$","SAVE_DRAFT","SetChanged","changed","createSurvey","httpResult","body","surveyModuleId","surveyModule","ok","__spreadProps","moduleId","unsaved","SetSurveyId","SetModuleId","updateDraft","stringify","showMessage","updateSurvey","SortModules","saveDraftAndGoBackFromSurveyWizard$","SAVE_DRAFT_GO_BACK","shortName","SetPage$","SET_PAGE","SaveDraft","productCreated$","PRODUCT_CREATED","getIndexInfo$","GET_INDEX_INFO","getIndexInfoVerbose","of","GetIndexInfoSuccess","getIndexInfoSuccess$","GET_INDEX_INFO_SUCCESS","CreateDraft","calculateSurveyIndexes$","TOGGLE_MODULE","TOGGLE_QUESTION","SET_SELECTED_MODULES_SUCCESS","sortModules$","SORT_MODULES","setCommunicationMethod$","SET_COMMUNICATION_METHOD","init","SetCommunicationMethodSuccess","setName$","SET_NAME","name","SetNameSuccess","setChanged$","SET_NAME_SUCCESS","ADD_QUESTIONS_TO_MODULE","REMOVE_QUESTIONS_FROM_MODULE","SET_ACTIVATION_EMAIL","SET_REPORT_EMAIL","SET_ACTIVATION_SMS","SET_WELCOME_SMS","SET_COMMUNICATION_METHOD_SUCCESS","SET_PIN_CODE_EMAIL","SET_PIN_CODE_SMS","SET_PINCODE_LANGUAGE","SET_START_DATE","SET_START_TIME","SET_END_DATE","SET_REPORT_DATE","SET_REMINDER_EMAIL","SET_REMINDER_EMAILS","SET_AUTO_REPORT","setChangedForToggleModule$","tm","preSelected","validationTable","requiredIndexes","indexInfo","idx","required","selectedQuestions","pageGroups","pageGroup","pages","pageItems","pageItem","questionId","excluded","data","validateIndex","parentId","childData","children","i","additionalQuestions","questionKeys","qk","includedQuestions","childrenIncludedQuestions","c","curr","includedQuestionsCount","childQuestionCount","indexAvailableQuestionsCount","childrenMinQ","minQuestionCount","childrenMaxQ","maxQuestionCount","errors","ValidationError","None","status","Error","findIndex","Warning","indexKey","questionCount","draft","draftVersion","currentVersion","checkVersion","result","DraftSaved","catchError","err","error","getVersion","openDialog","DialogType","Confirm","lastUpdatedBy","lastUpdatedDate","Date","toLocaleString","create","mapContextToSurveyCreate","selectTranslate","subscribe","msg","openErrorPopup","update","rules","r","moduleKey","emailId","communication","communicationMethod","activationEmail","pinCodeEmailId","hasPinGroups","pinCodeEmail","meta","mm","metaId","value","pg","startDate","schedule","endDate","reminderEmails","ruleIds","testMode","multipleSessions","reportEmailId","reportEmail","activationSmsId","activationSms","pinCodeSmsId","pinCodeSms","welcomeSmsId","welcomeSms","reportDate","users","autoReport","directActivation","recurringSchedule","schedules","duration","activatedRoute","firstChild","ɵɵinject","Actions","Store","GroupService","ProductService","SurveyService","ErrorsService","TranslocoService","CompanyProductDefinitionService","ModuleService","UserService","ActivatedRoute","ConfirmationDialogService","factory","ɵfac","_SurveyWizardEffects","UserInfoEffects","constructor","store","actions$","userService","surveyService","translate","loadUserInfo$","createEffect","pipe","ofType","Type","LOAD_USER_INFO","switchMap","action","userInfo","payload","map","status","availableUsers","availableAccount","availableAccounts","company","companies","filter","c","userId","includes","push","length","SwitchUserContext","LoadUserInfoSuccess","setUserLanguage$","SET_USER_LANGUAGE","withLatestFrom","select","s","companyContext","companyLanguages","languages","setUserLanguage","_","find","cl","id","SetUserLanguageSuccess","SetUserContextLanguage","EMPTY","setUserLanguageFromToken$","SET_USER_LANGUAGE_FROM_TOKEN","setUserLanguageFromToken","token","language","setUserContextLanguage$","SET_USER_CONTEXT_LANGUAGE","lang","setActiveLang","code","SetUserContextLanguageSuccess","loadContextFromToken$","LOAD_CONTEXT_FROM_TOKEN","getContext","context","userLangId","userContext","languageId","defaultLang","isDefaultCompanyLanguage","loadUserSuccessAction","setCompanyContextSuccess","SetCompanyContextSuccess","__spreadValues","menuItem","menu","route","items","groupBy","x","displayType","type","key","values","isAdmin","loadNavtreeSuccessAction","LoadNavtreeSuccess","InitReportState","switchUser$","SWITCH_USER_CONTEXT","switchUser","concatMap","switchUserResponse","onSuccess","ɵɵinject","Store","Actions","UserService","SurveyService","TranslocoService","factory","ɵfac","_UserInfoEffects","CURRENT_GROUP_PARAMETER_NAME","UserStateEffects","constructor","actions$","store","parameterService","loadState$","createEffect","pipe","ofType","Type","SET_COMPANY_CONTEXT_SUCCESS","combineLatestWith","INIT_PORTAL","withLatestFrom","select","s","userInfo","filter","_","userId","switchMap","companyContextSuccess","__","loadUserState","payload","id","map","result","LoadUserStateSuccess","updateReportState$","LOAD_USER_STATE_SUCCESS","UPDATE_USER_STATE_SUCCESS","SET_USER_CONTEXT_LANGUAGE_SUCCESS","companyContext","userState","companyParameters","params","length","mergeMap","companyId","groupId","find","p","parameters","name","value","Invalidate","InitReportState","EMPTY","loadStateSuccess$","LoadNavtree","updateParameter$","UPDATE_PARAMETER","navtreeState","action","navContext","parameterActions","parameter","updateMultipleParameters$","UPDATE_MULTIPLE_PARAMETERS","parameterItems","updateUserStateMultiple","companyParams","returnActions","some","invalidates","push","displayParameters","parameterKey","context","items","flatMap","tree","i","key","visible","UpdateParameterMenuVisibility","UpdateUserStateSuccess","UpdateVisibility","ɵɵinject","Actions","Store","ParameterService","factory","ɵfac","_UserStateEffects"],"x_google_ignoreList":[0,1]}