@alfresco/adf-core 8.4.0-18010361913 → 8.4.0-18094792914

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.
@@ -445,6 +445,7 @@ var AppConfigValues;
445
445
  AppConfigValues["AUTH_WITH_CREDENTIALS"] = "auth.withCredentials";
446
446
  AppConfigValues["APPLICATION"] = "application";
447
447
  AppConfigValues["STORAGE_PREFIX"] = "application.storagePrefix";
448
+ AppConfigValues["LINKED_STORAGE_AUTH_PREFIX"] = "application.linkedStorageAuthPrefix";
448
449
  AppConfigValues["NOTIFY_DURATION"] = "notificationDefaultDuration";
449
450
  AppConfigValues["CONTENT_TICKET_STORAGE_LABEL"] = "ticket-ECM";
450
451
  AppConfigValues["PROCESS_TICKET_STORAGE_LABEL"] = "ticket-BPM";
@@ -10286,6 +10287,197 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImpor
10286
10287
  args: [{ providedIn: 'root' }]
10287
10288
  }], ctorParameters: () => [{ type: OAuth2Service }, { type: AppConfigService }] });
10288
10289
 
10290
+ /*!
10291
+ * @license
10292
+ * Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
10293
+ *
10294
+ * Licensed under the Apache License, Version 2.0 (the "License");
10295
+ * you may not use this file except in compliance with the License.
10296
+ * You may obtain a copy of the License at
10297
+ *
10298
+ * http://www.apache.org/licenses/LICENSE-2.0
10299
+ *
10300
+ * Unless required by applicable law or agreed to in writing, software
10301
+ * distributed under the License is distributed on an "AS IS" BASIS,
10302
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
10303
+ * See the License for the specific language governing permissions and
10304
+ * limitations under the License.
10305
+ */
10306
+ class CrossAppAuthSyncService {
10307
+ constructor() {
10308
+ this.appConfigService = inject(AppConfigService);
10309
+ this.appPrefixes = [];
10310
+ }
10311
+ /**
10312
+ * Initialize cross-app authentication synchronization
10313
+ *
10314
+ * @param config Configuration containing app prefixes. If not provided, reads from app.config.json
10315
+ */
10316
+ async initialize(config = {}) {
10317
+ await firstValueFrom(this.appConfigService.onLoad);
10318
+ this.appPrefixes = config.appPrefixes || this.getConfiguredPrefixes();
10319
+ if (this.appPrefixes.length === 0) {
10320
+ console.warn('CrossAppAuthSync: No app prefixes configured. Set appPrefixes or application.linkedStorageAuthPrefix in app.config.json');
10321
+ }
10322
+ }
10323
+ /**
10324
+ * Check if any linked application has authentication tokens
10325
+ * This indicates the user is likely authenticated with the identity provider
10326
+ *
10327
+ * @param excludePrefix Optional prefix to exclude from the check (current app)
10328
+ * @returns true if tokens are found in any linked app storage
10329
+ */
10330
+ hasAuthTokensInLinkedApps(excludePrefix) {
10331
+ const prefixesToCheck = excludePrefix ? this.appPrefixes.filter((prefix) => prefix !== excludePrefix) : this.appPrefixes;
10332
+ return prefixesToCheck.some((prefix) => {
10333
+ const accessTokenKey = this.buildStorageKey(prefix, 'access_token');
10334
+ return localStorage.getItem(accessTokenKey) !== null;
10335
+ });
10336
+ }
10337
+ /**
10338
+ * Clear authentication tokens from all configured prefixes
10339
+ * Called when user explicitly logs out
10340
+ */
10341
+ clearTokensFromAllApps() {
10342
+ const authKeys = [
10343
+ 'access_token',
10344
+ 'access_token_stored_at',
10345
+ 'expires_at',
10346
+ 'granted_scopes',
10347
+ 'id_token',
10348
+ 'id_token_claims_obj',
10349
+ 'id_token_expires_at',
10350
+ 'id_token_stored_at',
10351
+ 'nonce',
10352
+ 'PKCE_verifier',
10353
+ 'refresh_token',
10354
+ 'session_state'
10355
+ ];
10356
+ this.appPrefixes.forEach((prefix) => {
10357
+ authKeys.forEach((key) => {
10358
+ const storageKey = this.buildStorageKey(prefix, key);
10359
+ localStorage.removeItem(storageKey);
10360
+ });
10361
+ });
10362
+ }
10363
+ /**
10364
+ * Get the current sync configuration
10365
+ *
10366
+ * @returns Current app prefixes configuration
10367
+ */
10368
+ getConfiguration() {
10369
+ return [...this.appPrefixes];
10370
+ }
10371
+ buildStorageKey(prefix, item) {
10372
+ return prefix ? `${prefix}${item}` : item;
10373
+ }
10374
+ getConfiguredPrefixes() {
10375
+ const linkedPrefixes = this.appConfigService.get(AppConfigValues.LINKED_STORAGE_AUTH_PREFIX);
10376
+ return Array.isArray(linkedPrefixes) ? linkedPrefixes : [];
10377
+ }
10378
+ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthSyncService, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
10379
+ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthSyncService }); }
10380
+ }
10381
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthSyncService, decorators: [{
10382
+ type: Injectable
10383
+ }] });
10384
+
10385
+ /*!
10386
+ * @license
10387
+ * Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
10388
+ *
10389
+ * Licensed under the Apache License, Version 2.0 (the "License");
10390
+ * you may not use this file except in compliance with the License.
10391
+ * You may obtain a copy of the License at
10392
+ *
10393
+ * http://www.apache.org/licenses/LICENSE-2.0
10394
+ *
10395
+ * Unless required by applicable law or agreed to in writing, software
10396
+ * distributed under the License is distributed on an "AS IS" BASIS,
10397
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
10398
+ * See the License for the specific language governing permissions and
10399
+ * limitations under the License.
10400
+ */
10401
+ class CrossAppAuthIntegrationService {
10402
+ constructor() {
10403
+ this.redirectAuthService = inject(RedirectAuthService);
10404
+ this.crossAppSyncService = inject(CrossAppAuthSyncService);
10405
+ this.currentAppPrefix = '';
10406
+ }
10407
+ /**
10408
+ * Initialize cross-application authentication synchronization
10409
+ *
10410
+ * @param config Configuration for cross-app sync. If not provided, reads from app.config.json
10411
+ * @param currentAppPrefix The prefix for the current application
10412
+ */
10413
+ async initialize(config, currentAppPrefix = '') {
10414
+ this.currentAppPrefix = currentAppPrefix;
10415
+ await this.crossAppSyncService.initialize(config || {});
10416
+ this.redirectAuthService.onLogout$.subscribe(() => {
10417
+ this.crossAppSyncService.clearTokensFromAllApps();
10418
+ });
10419
+ }
10420
+ /**
10421
+ * Check if user is authenticated in another app and attempt silent login
10422
+ * Uses OAuth prompt=none for true silent authentication
10423
+ *
10424
+ * @returns Promise resolving to true if silent login was attempted
10425
+ */
10426
+ async attemptSilentLoginFromLinkedApps() {
10427
+ const isAlreadyAuthenticated = this.redirectAuthService.authenticated;
10428
+ if (isAlreadyAuthenticated) {
10429
+ return false;
10430
+ }
10431
+ const hasLinkedTokensFromOtherApps = this.crossAppSyncService.hasAuthTokensInLinkedApps(this.currentAppPrefix);
10432
+ if (hasLinkedTokensFromOtherApps) {
10433
+ try {
10434
+ // eslint-disable-next-line @typescript-eslint/no-explicit-any
10435
+ const underlyingOAuthService = this.redirectAuthService.oauthService;
10436
+ if (underlyingOAuthService?.initLoginFlow) {
10437
+ const silentLoginParams = { prompt: 'none' };
10438
+ const originalCustomQueryParams = underlyingOAuthService.customQueryParams;
10439
+ underlyingOAuthService.customQueryParams = { ...originalCustomQueryParams, ...silentLoginParams };
10440
+ await this.redirectAuthService.ensureDiscoveryDocument();
10441
+ underlyingOAuthService.initLoginFlow();
10442
+ underlyingOAuthService.customQueryParams = originalCustomQueryParams;
10443
+ return true;
10444
+ }
10445
+ else {
10446
+ const shouldFallbackToRegularLogin = true;
10447
+ if (shouldFallbackToRegularLogin) {
10448
+ this.redirectAuthService.login();
10449
+ }
10450
+ return true;
10451
+ }
10452
+ }
10453
+ catch {
10454
+ const silentLoginFailed = true;
10455
+ return !silentLoginFailed;
10456
+ }
10457
+ }
10458
+ return false;
10459
+ }
10460
+ /**
10461
+ * Clear authentication tokens from all configured applications
10462
+ */
10463
+ clearTokensFromAllApps() {
10464
+ this.crossAppSyncService.clearTokensFromAllApps();
10465
+ }
10466
+ /**
10467
+ * Get the underlying sync service for advanced usage
10468
+ *
10469
+ * @returns The CrossAppAuthSyncService instance
10470
+ */
10471
+ getSyncService() {
10472
+ return this.crossAppSyncService;
10473
+ }
10474
+ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
10475
+ static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService }); }
10476
+ }
10477
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService, decorators: [{
10478
+ type: Injectable
10479
+ }] });
10480
+
10289
10481
  /*!
10290
10482
  * @license
10291
10483
  * Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
@@ -10654,7 +10846,8 @@ function oauthStorageFactory() {
10654
10846
  */
10655
10847
  function provideCoreAuth(config = { useHash: false }) {
10656
10848
  config.preventClearHashAfterLogin = config.preventClearHashAfterLogin ?? true;
10657
- return [
10849
+ config.enableCrossAppSync = config.enableCrossAppSync ?? false;
10850
+ const providers = [
10658
10851
  provideHttpClient(withInterceptorsFromDi(), withXsrfConfiguration({ cookieName: 'CSRF-TOKEN', headerName: 'X-CSRF-TOKEN' })),
10659
10852
  provideOAuthClient(),
10660
10853
  provideRouter(AUTH_ROUTES),
@@ -10676,15 +10869,22 @@ function provideCoreAuth(config = { useHash: false }) {
10676
10869
  { provide: AUTH_MODULE_CONFIG, useValue: config },
10677
10870
  { provide: Authentication, useClass: AuthenticationService }
10678
10871
  ];
10872
+ if (config.enableCrossAppSync) {
10873
+ providers.push(CrossAppAuthSyncService, CrossAppAuthIntegrationService, provideAppInitializer(() => {
10874
+ const crossAppIntegration = inject(CrossAppAuthIntegrationService);
10875
+ crossAppIntegration.initialize();
10876
+ return crossAppIntegration.attemptSilentLoginFromLinkedApps();
10877
+ }));
10878
+ }
10879
+ return providers;
10679
10880
  }
10680
10881
  /** @deprecated use `provideCoreAuth()` provider api instead */
10681
10882
  class AuthModule {
10682
10883
  /* @deprecated use `provideCoreAuth()` provider api instead */
10683
10884
  static forRoot(config = { useHash: false }) {
10684
- config.preventClearHashAfterLogin = config.preventClearHashAfterLogin ?? true;
10685
10885
  return {
10686
10886
  ngModule: AuthModule,
10687
- providers: [{ provide: AUTH_MODULE_CONFIG, useValue: config }]
10887
+ providers: [...provideCoreAuth(config)]
10688
10888
  };
10689
10889
  }
10690
10890
  static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: AuthModule, deps: [], target: i0.ɵɵFactoryTarget.NgModule }); }
@@ -31387,5 +31587,5 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImpor
31387
31587
  * Generated bundle index. Do not edit.
31388
31588
  */
31389
31589
 
31390
- 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 };
31590
+ 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 };
31391
31591
  //# sourceMappingURL=adf-core.mjs.map