@alfresco/adf-core 8.4.0-18161598994 → 8.4.0-18196544992

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -446,6 +446,7 @@ var AppConfigValues;
446
446
  AppConfigValues["AUTH_WITH_CREDENTIALS"] = "auth.withCredentials";
447
447
  AppConfigValues["APPLICATION"] = "application";
448
448
  AppConfigValues["STORAGE_PREFIX"] = "application.storagePrefix";
449
+ AppConfigValues["LINKED_STORAGE_AUTH_PREFIX"] = "application.linkedStorageAuthPrefix";
449
450
  AppConfigValues["NOTIFY_DURATION"] = "notificationDefaultDuration";
450
451
  AppConfigValues["CONTENT_TICKET_STORAGE_LABEL"] = "ticket-ECM";
451
452
  AppConfigValues["PROCESS_TICKET_STORAGE_LABEL"] = "ticket-BPM";
@@ -10291,6 +10292,197 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImpor
10291
10292
  args: [{ providedIn: 'root' }]
10292
10293
  }], ctorParameters: () => [{ type: OAuth2Service }, { type: AppConfigService }] });
10293
10294
 
10295
+ /*!
10296
+ * @license
10297
+ * Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
10298
+ *
10299
+ * Licensed under the Apache License, Version 2.0 (the "License");
10300
+ * you may not use this file except in compliance with the License.
10301
+ * You may obtain a copy of the License at
10302
+ *
10303
+ * http://www.apache.org/licenses/LICENSE-2.0
10304
+ *
10305
+ * Unless required by applicable law or agreed to in writing, software
10306
+ * distributed under the License is distributed on an "AS IS" BASIS,
10307
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
10308
+ * See the License for the specific language governing permissions and
10309
+ * limitations under the License.
10310
+ */
10311
+ class CrossAppAuthSyncService {
10312
+ constructor() {
10313
+ this.appConfigService = inject(AppConfigService);
10314
+ this.appPrefixes = [];
10315
+ }
10316
+ /**
10317
+ * Initialize cross-app authentication synchronization
10318
+ *
10319
+ * @param config Configuration containing app prefixes. If not provided, reads from app.config.json
10320
+ */
10321
+ async initialize(config = {}) {
10322
+ await firstValueFrom(this.appConfigService.onLoad);
10323
+ this.appPrefixes = config.appPrefixes || this.getConfiguredPrefixes();
10324
+ if (this.appPrefixes.length === 0) {
10325
+ console.warn('CrossAppAuthSync: No app prefixes configured. Set appPrefixes or application.linkedStorageAuthPrefix in app.config.json');
10326
+ }
10327
+ }
10328
+ /**
10329
+ * Check if any linked application has authentication tokens
10330
+ * This indicates the user is likely authenticated with the identity provider
10331
+ *
10332
+ * @param excludePrefix Optional prefix to exclude from the check (current app)
10333
+ * @returns true if tokens are found in any linked app storage
10334
+ */
10335
+ hasAuthTokensInLinkedApps(excludePrefix) {
10336
+ const prefixesToCheck = excludePrefix ? this.appPrefixes.filter((prefix) => prefix !== excludePrefix) : this.appPrefixes;
10337
+ return prefixesToCheck.some((prefix) => {
10338
+ const accessTokenKey = this.buildStorageKey(prefix, 'access_token');
10339
+ return localStorage.getItem(accessTokenKey) !== null;
10340
+ });
10341
+ }
10342
+ /**
10343
+ * Clear authentication tokens from all configured prefixes
10344
+ * Called when user explicitly logs out
10345
+ */
10346
+ clearTokensFromAllApps() {
10347
+ const authKeys = [
10348
+ 'access_token',
10349
+ 'access_token_stored_at',
10350
+ 'expires_at',
10351
+ 'granted_scopes',
10352
+ 'id_token',
10353
+ 'id_token_claims_obj',
10354
+ 'id_token_expires_at',
10355
+ 'id_token_stored_at',
10356
+ 'nonce',
10357
+ 'PKCE_verifier',
10358
+ 'refresh_token',
10359
+ 'session_state'
10360
+ ];
10361
+ this.appPrefixes.forEach((prefix) => {
10362
+ authKeys.forEach((key) => {
10363
+ const storageKey = this.buildStorageKey(prefix, key);
10364
+ localStorage.removeItem(storageKey);
10365
+ });
10366
+ });
10367
+ }
10368
+ /**
10369
+ * Get the current sync configuration
10370
+ *
10371
+ * @returns Current app prefixes configuration
10372
+ */
10373
+ getConfiguration() {
10374
+ return [...this.appPrefixes];
10375
+ }
10376
+ buildStorageKey(prefix, item) {
10377
+ return prefix ? `${prefix}${item}` : item;
10378
+ }
10379
+ getConfiguredPrefixes() {
10380
+ const linkedPrefixes = this.appConfigService.get(AppConfigValues.LINKED_STORAGE_AUTH_PREFIX);
10381
+ return Array.isArray(linkedPrefixes) ? linkedPrefixes : [];
10382
+ }
10383
+ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthSyncService, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
10384
+ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthSyncService }); }
10385
+ }
10386
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthSyncService, decorators: [{
10387
+ type: Injectable
10388
+ }] });
10389
+
10390
+ /*!
10391
+ * @license
10392
+ * Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
10393
+ *
10394
+ * Licensed under the Apache License, Version 2.0 (the "License");
10395
+ * you may not use this file except in compliance with the License.
10396
+ * You may obtain a copy of the License at
10397
+ *
10398
+ * http://www.apache.org/licenses/LICENSE-2.0
10399
+ *
10400
+ * Unless required by applicable law or agreed to in writing, software
10401
+ * distributed under the License is distributed on an "AS IS" BASIS,
10402
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
10403
+ * See the License for the specific language governing permissions and
10404
+ * limitations under the License.
10405
+ */
10406
+ class CrossAppAuthIntegrationService {
10407
+ constructor() {
10408
+ this.redirectAuthService = inject(RedirectAuthService);
10409
+ this.crossAppSyncService = inject(CrossAppAuthSyncService);
10410
+ this.currentAppPrefix = '';
10411
+ }
10412
+ /**
10413
+ * Initialize cross-application authentication synchronization
10414
+ *
10415
+ * @param config Configuration for cross-app sync. If not provided, reads from app.config.json
10416
+ * @param currentAppPrefix The prefix for the current application
10417
+ */
10418
+ async initialize(config, currentAppPrefix = '') {
10419
+ this.currentAppPrefix = currentAppPrefix;
10420
+ await this.crossAppSyncService.initialize(config || {});
10421
+ this.redirectAuthService.onLogout$.subscribe(() => {
10422
+ this.crossAppSyncService.clearTokensFromAllApps();
10423
+ });
10424
+ }
10425
+ /**
10426
+ * Check if user is authenticated in another app and attempt silent login
10427
+ * Uses OAuth prompt=none for true silent authentication
10428
+ *
10429
+ * @returns Promise resolving to true if silent login was attempted
10430
+ */
10431
+ async attemptSilentLoginFromLinkedApps() {
10432
+ const isAlreadyAuthenticated = this.redirectAuthService.authenticated;
10433
+ if (isAlreadyAuthenticated) {
10434
+ return false;
10435
+ }
10436
+ const hasLinkedTokensFromOtherApps = this.crossAppSyncService.hasAuthTokensInLinkedApps(this.currentAppPrefix);
10437
+ if (hasLinkedTokensFromOtherApps) {
10438
+ try {
10439
+ // eslint-disable-next-line @typescript-eslint/no-explicit-any
10440
+ const underlyingOAuthService = this.redirectAuthService.oauthService;
10441
+ if (underlyingOAuthService?.initLoginFlow) {
10442
+ const silentLoginParams = { prompt: 'none' };
10443
+ const originalCustomQueryParams = underlyingOAuthService.customQueryParams;
10444
+ underlyingOAuthService.customQueryParams = { ...originalCustomQueryParams, ...silentLoginParams };
10445
+ await this.redirectAuthService.ensureDiscoveryDocument();
10446
+ underlyingOAuthService.initLoginFlow();
10447
+ underlyingOAuthService.customQueryParams = originalCustomQueryParams;
10448
+ return true;
10449
+ }
10450
+ else {
10451
+ const shouldFallbackToRegularLogin = true;
10452
+ if (shouldFallbackToRegularLogin) {
10453
+ this.redirectAuthService.login();
10454
+ }
10455
+ return true;
10456
+ }
10457
+ }
10458
+ catch {
10459
+ const silentLoginFailed = true;
10460
+ return !silentLoginFailed;
10461
+ }
10462
+ }
10463
+ return false;
10464
+ }
10465
+ /**
10466
+ * Clear authentication tokens from all configured applications
10467
+ */
10468
+ clearTokensFromAllApps() {
10469
+ this.crossAppSyncService.clearTokensFromAllApps();
10470
+ }
10471
+ /**
10472
+ * Get the underlying sync service for advanced usage
10473
+ *
10474
+ * @returns The CrossAppAuthSyncService instance
10475
+ */
10476
+ getSyncService() {
10477
+ return this.crossAppSyncService;
10478
+ }
10479
+ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
10480
+ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService }); }
10481
+ }
10482
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService, decorators: [{
10483
+ type: Injectable
10484
+ }] });
10485
+
10294
10486
  /*!
10295
10487
  * @license
10296
10488
  * Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
@@ -10687,9 +10879,18 @@ class AuthModule {
10687
10879
  /* @deprecated use `provideCoreAuth()` provider api instead */
10688
10880
  static forRoot(config = { useHash: false }) {
10689
10881
  config.preventClearHashAfterLogin = config.preventClearHashAfterLogin ?? true;
10882
+ config.enableCrossAppSync = config.enableCrossAppSync ?? false;
10883
+ const providers = [{ provide: AUTH_MODULE_CONFIG, useValue: config }];
10884
+ if (config.enableCrossAppSync) {
10885
+ providers.push(CrossAppAuthSyncService, CrossAppAuthIntegrationService, provideAppInitializer(() => {
10886
+ const crossAppIntegration = inject(CrossAppAuthIntegrationService);
10887
+ crossAppIntegration.initialize();
10888
+ return crossAppIntegration.attemptSilentLoginFromLinkedApps();
10889
+ }));
10890
+ }
10690
10891
  return {
10691
10892
  ngModule: AuthModule,
10692
- providers: [{ provide: AUTH_MODULE_CONFIG, useValue: config }]
10893
+ providers: [...providers]
10693
10894
  };
10694
10895
  }
10695
10896
  static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: AuthModule, deps: [], target: i0.ɵɵFactoryTarget.NgModule }); }
@@ -31392,5 +31593,5 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImpor
31392
31593
  * Generated bundle index. Do not edit.
31393
31594
  */
31394
31595
 
31395
- export { ABOUT_DIRECTIVES, ADF_AMOUNT_SETTINGS, ADF_COMMENTS_SERVICE, ADF_DATETIME_FORMATS, ADF_DATE_FORMATS, AboutComponent, AboutExtensionListComponent, AboutLicenseListComponent, AboutModule, AboutPanelDirective, AboutRepositoryInfoComponent, AboutServerSettingsComponent, AboutStatusListComponent, AdfDateFnsAdapter, AdfDateTimeFnsAdapter, AmountCellComponent, AmountWidgetComponent, AppConfigPipe, AppConfigService, AppConfigServiceMock, AppConfigValues, AuthBearerInterceptor, AuthGuard, AuthGuardBpm, AuthGuardEcm, AuthGuardService, AuthGuardSsoRoleService, AuthModule, AuthService, AuthenticationConfirmationComponent, AuthenticationService, AvatarComponent, BaseEvent, BaseUIEvent, BaseViewerWidgetComponent, BasicAlfrescoAuthService, BlankPageComponent, BlankPageModule, BooleanCellComponent, BpmProductVersionModel, ButtonComponent, ByPassFormRuleManager, CARD_VIEW_DIRECTIVES, CLIPBOARD_DIRECTIVES, CONTEXT_MENU_DIRECTIVES, CORE_DIRECTIVES, CORE_PIPES, CUSTOM_INPUT_CONTROL_VALUE_ACCESSOR, CardItemTypeService, CardViewArrayItemComponent, CardViewArrayItemModel, CardViewBaseItemModel, CardViewBoolItemComponent, CardViewBoolItemModel, CardViewComponent, CardViewDateItemComponent, CardViewDateItemModel, CardViewDatetimeItemModel, CardViewFloatItemModel, CardViewIntItemModel, CardViewItemDispatcherComponent, CardViewItemFloatValidator, CardViewItemIntValidator, CardViewItemLengthValidator, CardViewItemLongValidator, CardViewItemMatchValidator, CardViewItemMinMaxValidator, CardViewItemPositiveIntValidator, CardViewItemPositiveLongValidator, CardViewKeyValuePairsItemComponent, CardViewKeyValuePairsItemModel, CardViewLongItemModel, CardViewMapItemComponent, CardViewMapItemModel, CardViewModule, CardViewSelectItemComponent, CardViewSelectItemModel, CardViewTextItemComponent, CardViewTextItemModel, CardViewUpdateService, CheckboxWidgetComponent, ClipboardComponent, ClipboardDirective, ClipboardModule, ClipboardService, CloseButtonPosition, ColumnsSelectorComponent, CommentListComponent, CommentListModule, CommentModel, CommentsComponent, CommentsModule, ConfirmDialogComponent, ConfirmDialogModule, ContainerColumnModel, ContainerModel, ContentAuth, ContentLinkModel, ContextMenuDirective, ContextMenuListComponent, ContextMenuModule, ContextMenuOverlayService, CookieService, CookieServiceMock, CoreModule, CustomEmptyContentTemplateDirective, CustomLoadingContentTemplateDirective, CustomNoPermissionTemplateDirective, DATATABLE_DIRECTIVES, DEFAULT_DATE_FORMAT, DEFAULT_LANGUAGE_LIST, DEFAULT_PAGINATION, DIALOG_COMPONENT_DATA, DataCellEvent, DataCellEventModel, DataColumnComponent, DataColumnListComponent, DataRowActionEvent, DataRowActionModel, DataRowEvent, DataSorting, DataTableCellComponent, DataTableComponent, DataTableModule, DataTableRowComponent, DataTableSchema, DataTableService, DateCellComponent, DateColumnHeaderComponent, DateFnsUtils, DateTimePipe, DateTimeWidgetComponent, DateWidgetComponent, DecimalFieldValidator, DecimalNumberModel, DecimalNumberPipe, DecimalRenderMiddlewareService, DecimalWidgetComponent, DialogComponent, DialogSize, DirectiveModule, DisplayTextWidgetComponent, DownloadPromptActions, DownloadPromptDialogComponent, DownloadService, DropZoneDirective, DynamicChipListComponent, DynamicChipListModule, DynamicComponentMapper, DynamicComponentResolver, EXTENDIBLE_COMPONENT, EditJsonDialogComponent, EditJsonDialogModule, EmptyContentComponent, EmptyListBodyDirective, EmptyListComponent, EmptyListFooterDirective, EmptyListHeaderDirective, ErrorContentComponent, ErrorMessageModel, ErrorWidgetComponent, EventMock, FORM_FIELD_MODEL_RENDER_MIDDLEWARE, FORM_FIELD_VALIDATORS, FORM_RULES_MANAGER, FORM_SERVICE_FIELD_VALIDATORS_TOKEN, FieldStylePipe, FileSizeCellComponent, FileSizePipe, FileTypePipe, FileUtils, FixedValueFieldValidator, FormBaseComponent, FormBaseModule, FormErrorEvent, FormEvent, FormFieldComponent, FormFieldEvent, FormFieldModel, FormFieldTypes, FormModel, FormOutcomeEvent, FormOutcomeModel, FormRendererComponent, FormRenderingService, FormRulesEvent, FormRulesManager, FormService, FormSpinnerEvent, FormWidgetModel, FormatSpacePipe, FullNamePipe, HeaderComponent, HeaderFilterTemplateDirective, HeaderLayoutComponent, HeaderWidgetComponent, HighlightDirective, HighlightPipe, HighlightTransformService, HyperlinkWidgetComponent, INFO_DRAWER_DIRECTIVES, IconCellComponent, IconComponent, IconModule, IdentityGroupService, IdentityRoleModel, IdentityRoleService, IdentityUserInfoComponent, IdentityUserInfoModule, IdentityUserService, ImgViewerComponent, InfinitePaginationComponent, InfiniteSelectScrollDirective, InfoDrawerButtonsDirective, InfoDrawerComponent, InfoDrawerContentDirective, InfoDrawerLayoutComponent, InfoDrawerModule, InfoDrawerTabComponent, InfoDrawerTitleDirective, InitialUsernamePipe, InplaceFormInputComponent, InputMaskDirective, JSON_TYPE, JWT_STORAGE_SERVICE, JsonCellComponent, JsonWidgetComponent, JwtHelperService, LANDING_PAGE_TOKEN, LANGUAGE_MENU_DIRECTIVES, LAYOUT_DIRECTIVES, LOGIN_DIRECTIVES, LanguageMenuComponent, LanguageMenuModule, LanguagePickerComponent, LanguageService, LayoutContainerComponent, LoadingContentTemplateDirective, LocalizedDatePipe, LocationCellComponent, LogLevelsEnum, LogService, LoginComponent, LoginDialogComponent, LoginDialogPanelComponent, LoginErrorEvent, LoginFooterDirective, LoginHeaderDirective, LoginModule, LoginSubmitEvent, LoginSuccessEvent, LogoutDirective, MASK_DIRECTIVE, MOMENT_DATE_FORMATS, MainMenuDataTableTemplateDirective, MaterialModule, MaxLengthFieldValidator, MaxValueFieldValidator, MediaPlayerComponent, MinLengthFieldValidator, MinValueFieldValidator, ModuleListComponent, MomentDateAdapter, MultiValuePipe, MultilineTextWidgetComponentComponent, NOTIFICATION_HISTORY_DIRECTIVES, NOTIFICATION_TYPE, NavbarComponent, NavbarItemComponent, NoContentTemplateDirective, NoPermissionTemplateDirective, NoopAuthModule, NoopRedirectAuthService, NoopTranslateModule, NoopTranslationService, NotificationHistoryComponent, NotificationHistoryModule, NotificationService, NumberCellComponent, NumberFieldValidator, NumberWidgetComponent, OAuth2Service, ObjectDataColumn, ObjectDataRow, ObjectDataTableAdapter, ObjectUtils, OidcAuthGuard, OidcAuthenticationService, PAGINATION_DIRECTIVES, PDFJS_MODULE, PDFJS_VIEWER_MODULE, PackageListComponent, PageTitleService, PaginationComponent, PaginationModel, PaginationModule, PathInfo, PdfPasswordDialogComponent, PdfThumbComponent, PdfThumbListComponent, PdfViewerComponent, PipeModule, ProcessAuth, ProgressComponent, RedirectAuthService, RedirectionModel, RegExFieldValidator, RequestPaginationModel, RequiredFieldValidator, ResizableDirective, ResizeHandleDirective, SEARCH_AUTOCOMPLETE_VALUE_ACCESSOR, SEARCH_TEXT_INPUT_DIRECTIVES, STORAGE_PREFIX_FACTORY_SERVICE, SearchTextInputComponent, SearchTextModule, SearchTextStateEnum, SearchTriggerDirective, SelectFilterInputComponent, ShowHeaderMode, SidebarActionMenuComponent, SidebarMenuDirective, SidebarMenuExpandIconDirective, SidebarMenuTitleIconDirective, SidenavLayoutComponent, SidenavLayoutContentDirective, SidenavLayoutHeaderDirective, SidenavLayoutModule, SidenavLayoutNavigationDirective, SnackbarContentComponent, SnackbarContentModule, SortByCategoryMapperService, SortingPickerComponent, StartFormCustomButtonDirective, Status, StoragePrefixFactory, StorageService, StringUtils, TEMPLATE_DIRECTIVES, TOOLBAR_DIRECTIVES, TRANSLATION_PROVIDER, TabModel, TaskProcessVariableModel, TemplateModule, TextWidgetComponent, ThumbnailService, TimeAgoPipe, ToolbarComponent, ToolbarDividerComponent, ToolbarModule, ToolbarTitleComponent, TooltipCardComponent, TooltipCardDirective, TranslateLoaderService, TranslationMock, TranslationService, TruncatePipe, TxtViewerComponent, UnitTestingUtils, UnknownFormatComponent, UnknownWidgetComponent, UnsavedChangesDialogComponent, UnsavedChangesDialogModule, UnsavedChangesGuard, UploadDirective, UploadWidgetContentLinkModel, UploadWidgetContentLinkModelOptions, UrlService, User, UserAccessService, UserInfoMode, UserPreferenceValues, UserPreferencesService, VIEWER_DIRECTIVES, ValidateFormEvent, ValidateFormFieldEvent, ViewUtilService, ViewerComponent, ViewerExtensionDirective, ViewerModule, ViewerMoreActionsComponent, ViewerOpenWithComponent, ViewerRenderComponent, ViewerSidebarComponent, ViewerToolbarActionsComponent, ViewerToolbarComponent, ViewerToolbarCustomActionsComponent, WIDGET_DIRECTIVES, WidgetComponent, WidgetVisibilityService, complexVisibilityJsonNotVisible, complexVisibilityJsonVisible, displayTextSchema, error, fakeFormChainedVisibilityJson, fakeFormCheckBoxVisibilityJson, fakeFormJson, formModelTabs, formRulesManagerFactory, formTest, formValues, headerSchema, info, isNumberValue, isOutcomeButtonVisible, logLevels, oauthStorageFactory, predefinedTheme, provideAppConfig, provideAppConfigTesting, provideCoreAuth, provideCoreAuthTesting, provideI18N, provideLandingPage, provideTranslations, rootInitiator, searchAnimation, tabInvalidFormVisibility, tabVisibilityJsonMock, transformKeyToObject, warning };
31596
+ export { ABOUT_DIRECTIVES, ADF_AMOUNT_SETTINGS, ADF_COMMENTS_SERVICE, ADF_DATETIME_FORMATS, ADF_DATE_FORMATS, AboutComponent, AboutExtensionListComponent, AboutLicenseListComponent, AboutModule, AboutPanelDirective, AboutRepositoryInfoComponent, AboutServerSettingsComponent, AboutStatusListComponent, AdfDateFnsAdapter, AdfDateTimeFnsAdapter, AmountCellComponent, AmountWidgetComponent, AppConfigPipe, AppConfigService, AppConfigServiceMock, AppConfigValues, AuthBearerInterceptor, AuthGuard, AuthGuardBpm, AuthGuardEcm, AuthGuardService, AuthGuardSsoRoleService, AuthModule, AuthService, AuthenticationConfirmationComponent, AuthenticationService, AvatarComponent, BaseEvent, BaseUIEvent, BaseViewerWidgetComponent, BasicAlfrescoAuthService, BlankPageComponent, BlankPageModule, BooleanCellComponent, BpmProductVersionModel, ButtonComponent, ByPassFormRuleManager, CARD_VIEW_DIRECTIVES, CLIPBOARD_DIRECTIVES, CONTEXT_MENU_DIRECTIVES, CORE_DIRECTIVES, CORE_PIPES, CUSTOM_INPUT_CONTROL_VALUE_ACCESSOR, CardItemTypeService, CardViewArrayItemComponent, CardViewArrayItemModel, CardViewBaseItemModel, CardViewBoolItemComponent, CardViewBoolItemModel, CardViewComponent, CardViewDateItemComponent, CardViewDateItemModel, CardViewDatetimeItemModel, CardViewFloatItemModel, CardViewIntItemModel, CardViewItemDispatcherComponent, CardViewItemFloatValidator, CardViewItemIntValidator, CardViewItemLengthValidator, CardViewItemLongValidator, CardViewItemMatchValidator, CardViewItemMinMaxValidator, CardViewItemPositiveIntValidator, CardViewItemPositiveLongValidator, CardViewKeyValuePairsItemComponent, CardViewKeyValuePairsItemModel, CardViewLongItemModel, CardViewMapItemComponent, CardViewMapItemModel, CardViewModule, CardViewSelectItemComponent, CardViewSelectItemModel, CardViewTextItemComponent, CardViewTextItemModel, CardViewUpdateService, CheckboxWidgetComponent, ClipboardComponent, ClipboardDirective, ClipboardModule, ClipboardService, CloseButtonPosition, ColumnsSelectorComponent, CommentListComponent, CommentListModule, CommentModel, CommentsComponent, CommentsModule, ConfirmDialogComponent, ConfirmDialogModule, ContainerColumnModel, ContainerModel, ContentAuth, ContentLinkModel, ContextMenuDirective, ContextMenuListComponent, ContextMenuModule, ContextMenuOverlayService, CookieService, CookieServiceMock, CoreModule, CrossAppAuthIntegrationService, CrossAppAuthSyncService, CustomEmptyContentTemplateDirective, CustomLoadingContentTemplateDirective, CustomNoPermissionTemplateDirective, DATATABLE_DIRECTIVES, DEFAULT_DATE_FORMAT, DEFAULT_LANGUAGE_LIST, DEFAULT_PAGINATION, DIALOG_COMPONENT_DATA, DataCellEvent, DataCellEventModel, DataColumnComponent, DataColumnListComponent, DataRowActionEvent, DataRowActionModel, DataRowEvent, DataSorting, DataTableCellComponent, DataTableComponent, DataTableModule, DataTableRowComponent, DataTableSchema, DataTableService, DateCellComponent, DateColumnHeaderComponent, DateFnsUtils, DateTimePipe, DateTimeWidgetComponent, DateWidgetComponent, DecimalFieldValidator, DecimalNumberModel, DecimalNumberPipe, DecimalRenderMiddlewareService, DecimalWidgetComponent, DialogComponent, DialogSize, DirectiveModule, DisplayTextWidgetComponent, DownloadPromptActions, DownloadPromptDialogComponent, DownloadService, DropZoneDirective, DynamicChipListComponent, DynamicChipListModule, DynamicComponentMapper, DynamicComponentResolver, EXTENDIBLE_COMPONENT, EditJsonDialogComponent, EditJsonDialogModule, EmptyContentComponent, EmptyListBodyDirective, EmptyListComponent, EmptyListFooterDirective, EmptyListHeaderDirective, ErrorContentComponent, ErrorMessageModel, ErrorWidgetComponent, EventMock, FORM_FIELD_MODEL_RENDER_MIDDLEWARE, FORM_FIELD_VALIDATORS, FORM_RULES_MANAGER, FORM_SERVICE_FIELD_VALIDATORS_TOKEN, FieldStylePipe, FileSizeCellComponent, FileSizePipe, FileTypePipe, FileUtils, FixedValueFieldValidator, FormBaseComponent, FormBaseModule, FormErrorEvent, FormEvent, FormFieldComponent, FormFieldEvent, FormFieldModel, FormFieldTypes, FormModel, FormOutcomeEvent, FormOutcomeModel, FormRendererComponent, FormRenderingService, FormRulesEvent, FormRulesManager, FormService, FormSpinnerEvent, FormWidgetModel, FormatSpacePipe, FullNamePipe, HeaderComponent, HeaderFilterTemplateDirective, HeaderLayoutComponent, HeaderWidgetComponent, HighlightDirective, HighlightPipe, HighlightTransformService, HyperlinkWidgetComponent, INFO_DRAWER_DIRECTIVES, IconCellComponent, IconComponent, IconModule, IdentityGroupService, IdentityRoleModel, IdentityRoleService, IdentityUserInfoComponent, IdentityUserInfoModule, IdentityUserService, ImgViewerComponent, InfinitePaginationComponent, InfiniteSelectScrollDirective, InfoDrawerButtonsDirective, InfoDrawerComponent, InfoDrawerContentDirective, InfoDrawerLayoutComponent, InfoDrawerModule, InfoDrawerTabComponent, InfoDrawerTitleDirective, InitialUsernamePipe, InplaceFormInputComponent, InputMaskDirective, JSON_TYPE, JWT_STORAGE_SERVICE, JsonCellComponent, JsonWidgetComponent, JwtHelperService, LANDING_PAGE_TOKEN, LANGUAGE_MENU_DIRECTIVES, LAYOUT_DIRECTIVES, LOGIN_DIRECTIVES, LanguageMenuComponent, LanguageMenuModule, LanguagePickerComponent, LanguageService, LayoutContainerComponent, LoadingContentTemplateDirective, LocalizedDatePipe, LocationCellComponent, LogLevelsEnum, LogService, LoginComponent, LoginDialogComponent, LoginDialogPanelComponent, LoginErrorEvent, LoginFooterDirective, LoginHeaderDirective, LoginModule, LoginSubmitEvent, LoginSuccessEvent, LogoutDirective, MASK_DIRECTIVE, MOMENT_DATE_FORMATS, MainMenuDataTableTemplateDirective, MaterialModule, MaxLengthFieldValidator, MaxValueFieldValidator, MediaPlayerComponent, MinLengthFieldValidator, MinValueFieldValidator, ModuleListComponent, MomentDateAdapter, MultiValuePipe, MultilineTextWidgetComponentComponent, NOTIFICATION_HISTORY_DIRECTIVES, NOTIFICATION_TYPE, NavbarComponent, NavbarItemComponent, NoContentTemplateDirective, NoPermissionTemplateDirective, NoopAuthModule, NoopRedirectAuthService, NoopTranslateModule, NoopTranslationService, NotificationHistoryComponent, NotificationHistoryModule, NotificationService, NumberCellComponent, NumberFieldValidator, NumberWidgetComponent, OAuth2Service, ObjectDataColumn, ObjectDataRow, ObjectDataTableAdapter, ObjectUtils, OidcAuthGuard, OidcAuthenticationService, PAGINATION_DIRECTIVES, PDFJS_MODULE, PDFJS_VIEWER_MODULE, PackageListComponent, PageTitleService, PaginationComponent, PaginationModel, PaginationModule, PathInfo, PdfPasswordDialogComponent, PdfThumbComponent, PdfThumbListComponent, PdfViewerComponent, PipeModule, ProcessAuth, ProgressComponent, RedirectAuthService, RedirectionModel, RegExFieldValidator, RequestPaginationModel, RequiredFieldValidator, ResizableDirective, ResizeHandleDirective, SEARCH_AUTOCOMPLETE_VALUE_ACCESSOR, SEARCH_TEXT_INPUT_DIRECTIVES, STORAGE_PREFIX_FACTORY_SERVICE, SearchTextInputComponent, SearchTextModule, SearchTextStateEnum, SearchTriggerDirective, SelectFilterInputComponent, ShowHeaderMode, SidebarActionMenuComponent, SidebarMenuDirective, SidebarMenuExpandIconDirective, SidebarMenuTitleIconDirective, SidenavLayoutComponent, SidenavLayoutContentDirective, SidenavLayoutHeaderDirective, SidenavLayoutModule, SidenavLayoutNavigationDirective, SnackbarContentComponent, SnackbarContentModule, SortByCategoryMapperService, SortingPickerComponent, StartFormCustomButtonDirective, Status, StoragePrefixFactory, StorageService, StringUtils, TEMPLATE_DIRECTIVES, TOOLBAR_DIRECTIVES, TRANSLATION_PROVIDER, TabModel, TaskProcessVariableModel, TemplateModule, TextWidgetComponent, ThumbnailService, TimeAgoPipe, ToolbarComponent, ToolbarDividerComponent, ToolbarModule, ToolbarTitleComponent, TooltipCardComponent, TooltipCardDirective, TranslateLoaderService, TranslationMock, TranslationService, TruncatePipe, TxtViewerComponent, UnitTestingUtils, UnknownFormatComponent, UnknownWidgetComponent, UnsavedChangesDialogComponent, UnsavedChangesDialogModule, UnsavedChangesGuard, UploadDirective, UploadWidgetContentLinkModel, UploadWidgetContentLinkModelOptions, UrlService, User, UserAccessService, UserInfoMode, UserPreferenceValues, UserPreferencesService, VIEWER_DIRECTIVES, ValidateFormEvent, ValidateFormFieldEvent, ViewUtilService, ViewerComponent, ViewerExtensionDirective, ViewerModule, ViewerMoreActionsComponent, ViewerOpenWithComponent, ViewerRenderComponent, ViewerSidebarComponent, ViewerToolbarActionsComponent, ViewerToolbarComponent, ViewerToolbarCustomActionsComponent, WIDGET_DIRECTIVES, WidgetComponent, WidgetVisibilityService, complexVisibilityJsonNotVisible, complexVisibilityJsonVisible, displayTextSchema, error, fakeFormChainedVisibilityJson, fakeFormCheckBoxVisibilityJson, fakeFormJson, formModelTabs, formRulesManagerFactory, formTest, formValues, headerSchema, info, isNumberValue, isOutcomeButtonVisible, logLevels, oauthStorageFactory, predefinedTheme, provideAppConfig, provideAppConfigTesting, provideCoreAuth, provideCoreAuthTesting, provideI18N, provideLandingPage, provideTranslations, rootInitiator, searchAnimation, tabInvalidFormVisibility, tabVisibilityJsonMock, transformKeyToObject, warning };
31396
31597
  //# sourceMappingURL=adf-core.mjs.map