@alfresco/adf-core 8.4.0-18222784579 → 8.4.0-18230841087
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.
- package/fesm2022/adf-core.mjs +280 -2
- package/fesm2022/adf-core.mjs.map +1 -1
- package/lib/app-config/app-config.service.d.ts +1 -0
- package/lib/auth/oidc/auth-config.d.ts +6 -0
- package/lib/auth/public-api.d.ts +4 -0
- package/lib/auth/services/cross-app-auth-initializer.service.d.ts +24 -0
- package/lib/auth/services/cross-app-auth-integration.service.d.ts +32 -0
- package/lib/auth/services/cross-app-auth.providers.d.ts +32 -0
- package/lib/auth/services/cross-app-token-manager.service.d.ts +22 -0
- package/package.json +3 -3
package/fesm2022/adf-core.mjs
CHANGED
|
@@ -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,278 @@ 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 CrossAppTokenManager {
|
|
10312
|
+
constructor() {
|
|
10313
|
+
this.appConfigService = inject(AppConfigService);
|
|
10314
|
+
this.appPrefixes = [];
|
|
10315
|
+
}
|
|
10316
|
+
/**
|
|
10317
|
+
* Initializes the CrossAppTokenManager by waiting for the application configuration to load,
|
|
10318
|
+
* then retrieves and sets the configured application prefixes.
|
|
10319
|
+
* If no prefixes are found, logs an error to the console.
|
|
10320
|
+
*
|
|
10321
|
+
* @returns A promise that resolves when initialization is complete.
|
|
10322
|
+
*/
|
|
10323
|
+
async initialize() {
|
|
10324
|
+
await firstValueFrom(this.appConfigService.onLoad);
|
|
10325
|
+
this.appPrefixes = this.getConfiguredPrefixes();
|
|
10326
|
+
if (this.appPrefixes.length === 0) {
|
|
10327
|
+
console.error('CrossAppTokenManager: No app prefixes configured. Set appPrefixes or application.linkedStorageAuthPrefix in app.config.json');
|
|
10328
|
+
}
|
|
10329
|
+
}
|
|
10330
|
+
/**
|
|
10331
|
+
* Clear authentication tokens from all configured prefixes
|
|
10332
|
+
* Called when user explicitly logs out
|
|
10333
|
+
*/
|
|
10334
|
+
clearTokensFromAllApps() {
|
|
10335
|
+
const authKeys = [
|
|
10336
|
+
'access_token',
|
|
10337
|
+
'access_token_stored_at',
|
|
10338
|
+
'expires_at',
|
|
10339
|
+
'granted_scopes',
|
|
10340
|
+
'id_token',
|
|
10341
|
+
'id_token_claims_obj',
|
|
10342
|
+
'id_token_expires_at',
|
|
10343
|
+
'id_token_stored_at',
|
|
10344
|
+
'nonce',
|
|
10345
|
+
'PKCE_verifier',
|
|
10346
|
+
'refresh_token',
|
|
10347
|
+
'session_state'
|
|
10348
|
+
];
|
|
10349
|
+
this.appPrefixes.forEach((prefix) => {
|
|
10350
|
+
authKeys.forEach((key) => {
|
|
10351
|
+
const storageKey = this.buildStorageKey(prefix, key);
|
|
10352
|
+
localStorage.removeItem(storageKey);
|
|
10353
|
+
});
|
|
10354
|
+
});
|
|
10355
|
+
}
|
|
10356
|
+
buildStorageKey(prefix, item) {
|
|
10357
|
+
return prefix ? `${prefix}${item}` : item;
|
|
10358
|
+
}
|
|
10359
|
+
getConfiguredPrefixes() {
|
|
10360
|
+
const linkedPrefixes = this.appConfigService.get(AppConfigValues.LINKED_STORAGE_AUTH_PREFIX) || [];
|
|
10361
|
+
const currentAppPrefix = this.appConfigService.get(AppConfigValues.STORAGE_PREFIX);
|
|
10362
|
+
const formattedLinkedPrefixes = linkedPrefixes.map((prefix) => (prefix.endsWith('_') ? prefix : `${prefix}_`));
|
|
10363
|
+
const formattedCurrentAppPrefix = currentAppPrefix ? (currentAppPrefix.endsWith('_') ? currentAppPrefix : `${currentAppPrefix}_`) : '';
|
|
10364
|
+
if (formattedLinkedPrefixes.length === 0 && !formattedCurrentAppPrefix) {
|
|
10365
|
+
return [];
|
|
10366
|
+
}
|
|
10367
|
+
const allPrefixes = [...formattedLinkedPrefixes];
|
|
10368
|
+
if (formattedCurrentAppPrefix) {
|
|
10369
|
+
allPrefixes.push(formattedCurrentAppPrefix);
|
|
10370
|
+
}
|
|
10371
|
+
else {
|
|
10372
|
+
if (formattedLinkedPrefixes.length > 0) {
|
|
10373
|
+
allPrefixes.push('');
|
|
10374
|
+
}
|
|
10375
|
+
}
|
|
10376
|
+
return allPrefixes;
|
|
10377
|
+
}
|
|
10378
|
+
static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppTokenManager, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
|
|
10379
|
+
static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppTokenManager }); }
|
|
10380
|
+
}
|
|
10381
|
+
i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppTokenManager, 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.crossAppTokenManager = inject(CrossAppTokenManager);
|
|
10405
|
+
}
|
|
10406
|
+
/**
|
|
10407
|
+
* Initializes the cross-app authentication integration service.
|
|
10408
|
+
*
|
|
10409
|
+
* This method performs the following actions:
|
|
10410
|
+
* - Awaits the initialization of the cross-app synchronization service.
|
|
10411
|
+
* - Subscribes to the logout event from the redirect authentication service.
|
|
10412
|
+
* When a logout occurs, it clears authentication tokens from all applications.
|
|
10413
|
+
*
|
|
10414
|
+
* @returns A promise that resolves when initialization is complete.
|
|
10415
|
+
*/
|
|
10416
|
+
async initialize() {
|
|
10417
|
+
await this.crossAppTokenManager.initialize();
|
|
10418
|
+
this.redirectAuthService.onLogout$.subscribe(() => {
|
|
10419
|
+
this.crossAppTokenManager.clearTokensFromAllApps();
|
|
10420
|
+
});
|
|
10421
|
+
}
|
|
10422
|
+
/**
|
|
10423
|
+
* Process cross-app authentication request by detecting the crossAppAuth URL parameter.
|
|
10424
|
+
* If present, cleans up the URL parameter and clears authentication tokens to prepare
|
|
10425
|
+
* for a fresh authentication flow initiated by the redirect-auth service.
|
|
10426
|
+
*
|
|
10427
|
+
* @returns True if crossAppAuth parameter was present and processed
|
|
10428
|
+
*/
|
|
10429
|
+
async processCrossAppAuthRequest() {
|
|
10430
|
+
const shouldAttemptCrossAppAuth = this.hasCrossAppAuthParameter();
|
|
10431
|
+
if (shouldAttemptCrossAppAuth) {
|
|
10432
|
+
this.cleanupCrossAppAuthParameter();
|
|
10433
|
+
this.crossAppTokenManager.clearTokensFromAllApps();
|
|
10434
|
+
return true;
|
|
10435
|
+
}
|
|
10436
|
+
return false;
|
|
10437
|
+
}
|
|
10438
|
+
/**
|
|
10439
|
+
* Clear authentication tokens from all configured applications
|
|
10440
|
+
*/
|
|
10441
|
+
clearTokensFromAllApps() {
|
|
10442
|
+
this.crossAppTokenManager.clearTokensFromAllApps();
|
|
10443
|
+
}
|
|
10444
|
+
hasCrossAppAuthParameter() {
|
|
10445
|
+
const urlParams = new URLSearchParams(window.location.search);
|
|
10446
|
+
return urlParams.get('crossAppAuth') === 'true';
|
|
10447
|
+
}
|
|
10448
|
+
cleanupCrossAppAuthParameter() {
|
|
10449
|
+
const url = new URL(window.location.href);
|
|
10450
|
+
url.searchParams.delete('crossAppAuth');
|
|
10451
|
+
window.history.replaceState({}, '', url.toString());
|
|
10452
|
+
}
|
|
10453
|
+
static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
|
|
10454
|
+
static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService }); }
|
|
10455
|
+
}
|
|
10456
|
+
i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthIntegrationService, decorators: [{
|
|
10457
|
+
type: Injectable
|
|
10458
|
+
}] });
|
|
10459
|
+
|
|
10460
|
+
/*!
|
|
10461
|
+
* @license
|
|
10462
|
+
* Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
|
|
10463
|
+
*
|
|
10464
|
+
* Licensed under the Apache License, Version 2.0 (the "License");
|
|
10465
|
+
* you may not use this file except in compliance with the License.
|
|
10466
|
+
* You may obtain a copy of the License at
|
|
10467
|
+
*
|
|
10468
|
+
* http://www.apache.org/licenses/LICENSE-2.0
|
|
10469
|
+
*
|
|
10470
|
+
* Unless required by applicable law or agreed to in writing, software
|
|
10471
|
+
* distributed under the License is distributed on an "AS IS" BASIS,
|
|
10472
|
+
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
10473
|
+
* See the License for the specific language governing permissions and
|
|
10474
|
+
* limitations under the License.
|
|
10475
|
+
*/
|
|
10476
|
+
/**
|
|
10477
|
+
* Service responsible for initializing cross-application authentication during app startup.
|
|
10478
|
+
* Handles timeout management and error handling for the initialization process.
|
|
10479
|
+
*/
|
|
10480
|
+
class CrossAppAuthInitializerService {
|
|
10481
|
+
constructor() {
|
|
10482
|
+
this.crossAppIntegration = inject(CrossAppAuthIntegrationService);
|
|
10483
|
+
this.initializationTimeoutMs = 5000;
|
|
10484
|
+
}
|
|
10485
|
+
/**
|
|
10486
|
+
* Initializes the cross-application login process.
|
|
10487
|
+
*
|
|
10488
|
+
* This method attempts to initialize the cross-app authentication flow with a timeout,
|
|
10489
|
+
* and then performs a cross-app authentication request. If any error occurs during
|
|
10490
|
+
* initialization or authentication, it handles the error and returns `false`.
|
|
10491
|
+
*
|
|
10492
|
+
* @returns A promise that resolves to `true` if cross-app login is successful, or `false` if an error occurs.
|
|
10493
|
+
*/
|
|
10494
|
+
async initializeCrossAppLogin() {
|
|
10495
|
+
try {
|
|
10496
|
+
await this.initializeWithTimeout();
|
|
10497
|
+
return await this.crossAppIntegration.processCrossAppAuthRequest();
|
|
10498
|
+
}
|
|
10499
|
+
catch (error) {
|
|
10500
|
+
this.handleInitializationError(error);
|
|
10501
|
+
return false;
|
|
10502
|
+
}
|
|
10503
|
+
}
|
|
10504
|
+
async initializeWithTimeout() {
|
|
10505
|
+
const initPromise = this.crossAppIntegration.initialize();
|
|
10506
|
+
const timeoutPromise = this.createTimeoutPromise();
|
|
10507
|
+
await Promise.race([initPromise, timeoutPromise]);
|
|
10508
|
+
}
|
|
10509
|
+
createTimeoutPromise() {
|
|
10510
|
+
return new Promise((_, reject) => setTimeout(() => reject(new Error('Cross-app auth initialization timed out')), this.initializationTimeoutMs));
|
|
10511
|
+
}
|
|
10512
|
+
handleInitializationError(error) {
|
|
10513
|
+
const errorMessage = error instanceof Error ? error.message : 'Unknown error';
|
|
10514
|
+
console.warn('Cross-app auth initialization failed:', errorMessage);
|
|
10515
|
+
}
|
|
10516
|
+
static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthInitializerService, deps: [], target: i0.ɵɵFactoryTarget.Injectable }); }
|
|
10517
|
+
static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthInitializerService }); }
|
|
10518
|
+
}
|
|
10519
|
+
i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: CrossAppAuthInitializerService, decorators: [{
|
|
10520
|
+
type: Injectable
|
|
10521
|
+
}] });
|
|
10522
|
+
|
|
10523
|
+
/*!
|
|
10524
|
+
* @license
|
|
10525
|
+
* Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
|
|
10526
|
+
*
|
|
10527
|
+
* Licensed under the Apache License, Version 2.0 (the "License");
|
|
10528
|
+
* you may not use this file except in compliance with the License.
|
|
10529
|
+
* You may obtain a copy of the License at
|
|
10530
|
+
*
|
|
10531
|
+
* http://www.apache.org/licenses/LICENSE-2.0
|
|
10532
|
+
*
|
|
10533
|
+
* Unless required by applicable law or agreed to in writing, software
|
|
10534
|
+
* distributed under the License is distributed on an "AS IS" BASIS,
|
|
10535
|
+
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
10536
|
+
* See the License for the specific language governing permissions and
|
|
10537
|
+
* limitations under the License.
|
|
10538
|
+
*/
|
|
10539
|
+
/**
|
|
10540
|
+
* Factory function to create app initializer for cross-app authentication.
|
|
10541
|
+
* Detects crossAppAuth URL parameter and attempts silent SSO with OAuth prompt=none.
|
|
10542
|
+
* Handles the initialization process with proper error handling and timeout management.
|
|
10543
|
+
*
|
|
10544
|
+
* @returns Promise<boolean> indicating whether silent login was attempted
|
|
10545
|
+
*/
|
|
10546
|
+
function crossAppAuthInitializerFactory() {
|
|
10547
|
+
return () => {
|
|
10548
|
+
const initializer = inject(CrossAppAuthInitializerService);
|
|
10549
|
+
return initializer.initializeCrossAppLogin();
|
|
10550
|
+
};
|
|
10551
|
+
}
|
|
10552
|
+
/**
|
|
10553
|
+
* Provides all necessary services and initializers for cross-app authentication.
|
|
10554
|
+
* This includes the sync service, integration service, initializer service, and app initializer.
|
|
10555
|
+
*
|
|
10556
|
+
* @returns Array of providers for cross-app authentication
|
|
10557
|
+
*/
|
|
10558
|
+
function provideCrossAppAuth() {
|
|
10559
|
+
return [
|
|
10560
|
+
CrossAppTokenManager,
|
|
10561
|
+
CrossAppAuthIntegrationService,
|
|
10562
|
+
CrossAppAuthInitializerService,
|
|
10563
|
+
provideAppInitializer(crossAppAuthInitializerFactory())
|
|
10564
|
+
];
|
|
10565
|
+
}
|
|
10566
|
+
|
|
10294
10567
|
/*!
|
|
10295
10568
|
* @license
|
|
10296
10569
|
* Copyright © 2005-2025 Hyland Software, Inc. and its affiliates. All rights reserved.
|
|
@@ -10687,9 +10960,14 @@ class AuthModule {
|
|
|
10687
10960
|
/* @deprecated use `provideCoreAuth()` provider api instead */
|
|
10688
10961
|
static forRoot(config = { useHash: false }) {
|
|
10689
10962
|
config.preventClearHashAfterLogin = config.preventClearHashAfterLogin ?? true;
|
|
10963
|
+
config.enableCrossAppSync = config.enableCrossAppSync ?? false;
|
|
10964
|
+
const providers = [{ provide: AUTH_MODULE_CONFIG, useValue: config }];
|
|
10965
|
+
if (config.enableCrossAppSync) {
|
|
10966
|
+
providers.push(...provideCrossAppAuth());
|
|
10967
|
+
}
|
|
10690
10968
|
return {
|
|
10691
10969
|
ngModule: AuthModule,
|
|
10692
|
-
providers: [
|
|
10970
|
+
providers: [...providers]
|
|
10693
10971
|
};
|
|
10694
10972
|
}
|
|
10695
10973
|
static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.6", ngImport: i0, type: AuthModule, deps: [], target: i0.ɵɵFactoryTarget.NgModule }); }
|
|
@@ -31392,5 +31670,5 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.6", ngImpor
|
|
|
31392
31670
|
* Generated bundle index. Do not edit.
|
|
31393
31671
|
*/
|
|
31394
31672
|
|
|
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 };
|
|
31673
|
+
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, CrossAppAuthInitializerService, CrossAppAuthIntegrationService, CrossAppTokenManager, 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, crossAppAuthInitializerFactory, displayTextSchema, error, fakeFormChainedVisibilityJson, fakeFormCheckBoxVisibilityJson, fakeFormJson, formModelTabs, formRulesManagerFactory, formTest, formValues, headerSchema, info, isNumberValue, isOutcomeButtonVisible, logLevels, oauthStorageFactory, predefinedTheme, provideAppConfig, provideAppConfigTesting, provideCoreAuth, provideCoreAuthTesting, provideCrossAppAuth, provideI18N, provideLandingPage, provideTranslations, rootInitiator, searchAnimation, tabInvalidFormVisibility, tabVisibilityJsonMock, transformKeyToObject, warning };
|
|
31396
31674
|
//# sourceMappingURL=adf-core.mjs.map
|