@c8y/ngx-components 1022.28.2 → 1022.30.0

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.
@@ -0,0 +1,19 @@
1
+ import { hookPreview } from '@c8y/ngx-components';
2
+
3
+ const dashboardManagerFeatureProvider = [
4
+ hookPreview({
5
+ key: 'ui.dm-dashboard-manager',
6
+ label: 'Dashboard manager',
7
+ description: () => import('@c8y/style/markdown-files/dm-dashboard-manager-preview.md').then(m => m.default),
8
+ settings: {
9
+ reload: true
10
+ }
11
+ })
12
+ ];
13
+
14
+ /**
15
+ * Generated bundle index. Do not edit.
16
+ */
17
+
18
+ export { dashboardManagerFeatureProvider };
19
+ //# sourceMappingURL=c8y-ngx-components-dashboard-manager-devicemanagement.mjs.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"c8y-ngx-components-dashboard-manager-devicemanagement.mjs","sources":["../../dashboard-manager/devicemanagement/index.ts","../../dashboard-manager/devicemanagement/c8y-ngx-components-dashboard-manager-devicemanagement.ts"],"sourcesContent":["import { hookPreview } from '@c8y/ngx-components';\n\nexport const dashboardManagerFeatureProvider = [\n hookPreview({\n key: 'ui.dm-dashboard-manager',\n label: 'Dashboard manager',\n description: () =>\n import('@c8y/style/markdown-files/dm-dashboard-manager-preview.md').then(m => m.default),\n settings: {\n reload: true\n }\n })\n];\n","/**\n * Generated bundle index. Do not edit.\n */\n\nexport * from './index';\n"],"names":[],"mappings":";;AAEa,MAAA,+BAA+B,GAAG;AAC7C,IAAA,WAAW,CAAC;AACV,QAAA,GAAG,EAAE,yBAAyB;AAC9B,QAAA,KAAK,EAAE,mBAAmB;AAC1B,QAAA,WAAW,EAAE,MACX,OAAO,2DAA2D,CAAC,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,CAAC,OAAO,CAAC;AAC1F,QAAA,QAAQ,EAAE;AACR,YAAA,MAAM,EAAE;AACT;KACF;;;ACXH;;AAEG;;;;"}
@@ -27488,6 +27488,16 @@ function hookComponent(components, options) {
27488
27488
  function hookWidget(components, options) {
27489
27489
  return hookComponent(components, options);
27490
27490
  }
27491
+ /**
27492
+ * The configuration size view is divided into configuration and preview.
27493
+ * The configuration can be collapsed, half or full (preview hidden).
27494
+ */
27495
+ var WIDGET_CONFIGURATION_GRID_SIZE;
27496
+ (function (WIDGET_CONFIGURATION_GRID_SIZE) {
27497
+ WIDGET_CONFIGURATION_GRID_SIZE["COLLAPSED"] = "0px";
27498
+ WIDGET_CONFIGURATION_GRID_SIZE["HALF"] = "560px";
27499
+ WIDGET_CONFIGURATION_GRID_SIZE["FULL"] = "100%";
27500
+ })(WIDGET_CONFIGURATION_GRID_SIZE || (WIDGET_CONFIGURATION_GRID_SIZE = {}));
27491
27501
  function isLazyDynamicComponents(componentDefinition) {
27492
27502
  return !!componentDefinition?.loadComponent;
27493
27503
  }
@@ -36768,6 +36778,327 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.14", ngImpo
36768
36778
  class RealtimeMessage {
36769
36779
  }
36770
36780
 
36781
+ /**
36782
+ * A resizable grid component with two columns (A and B).
36783
+ * Allows the user to resize columns by dragging the divider.
36784
+ * Supports collapse/expand logic and persistent width via localStorage.
36785
+ */
36786
+ class ResizableGridComponent {
36787
+ /**
36788
+ * Public getter for aria-valuenow
36789
+ */
36790
+ get colAWidthPercent() {
36791
+ if (!this.colA || !this.colA.nativeElement.parentElement)
36792
+ return 50; // Default or fallback
36793
+ const totalWidth = this.colA.nativeElement.parentElement.offsetWidth;
36794
+ const currentWidth = this.colA.nativeElement.offsetWidth;
36795
+ return totalWidth > 0 ? Math.round((currentWidth / totalWidth) * 100) : 0;
36796
+ }
36797
+ /**
36798
+ * Creates an instance of ResizableGridComponent.
36799
+ * @param renderer Angular Renderer2 for DOM manipulation.
36800
+ */
36801
+ constructor(renderer) {
36802
+ this.renderer = renderer;
36803
+ /**
36804
+ * Initial width of the left column (A). Can be any valid CSS width value (e.g., '50%', '300px').
36805
+ */
36806
+ this.leftColumnWidth = '50%';
36807
+ /**
36808
+ * Optional key for localStorage to persist the left column width between sessions.
36809
+ */
36810
+ this.trackId = null;
36811
+ /**
36812
+ * Minimum width (in pixels) before a column is considered collapsed.
36813
+ */
36814
+ this.collapseThreshold = 320;
36815
+ /**
36816
+ * True if the user is currently resizing the grid.
36817
+ */
36818
+ this.isResizing = false;
36819
+ /**
36820
+ * CSS width value for the left column (A).
36821
+ * Used for dynamic styling via HostBinding.
36822
+ */
36823
+ this._colAWidth = '50%';
36824
+ /**
36825
+ * X position of the mouse when resizing starts.
36826
+ */
36827
+ this.startX = 0;
36828
+ /**
36829
+ * Pixel width of column A when resizing starts.
36830
+ */
36831
+ this.startColAWidthPx = 0;
36832
+ /**
36833
+ * Last known non-collapsed width of column A (for restore logic).
36834
+ */
36835
+ this.lastKnownNonCollapsedWidth = null;
36836
+ this.resizeStep = 10; // Pixels to move with arrow keys
36837
+ }
36838
+ // A11y: Generate unique IDs for the columns
36839
+ ngOnInit() {
36840
+ const uniqueId = Math.random().toString(36).substring(2, 9);
36841
+ this.colAId = `c8y-grid-colA-${uniqueId}`;
36842
+ this.colBId = `c8y-grid-colB-${uniqueId}`;
36843
+ }
36844
+ /**
36845
+ * Angular lifecycle hook. Sets up initial column width after view initialization.
36846
+ */
36847
+ ngAfterViewInit() {
36848
+ this.setupInitialWidth();
36849
+ }
36850
+ /**
36851
+ * Angular lifecycle hook. Handles changes to input properties.
36852
+ * @param changes Object containing changed input properties.
36853
+ */
36854
+ ngOnChanges(changes) {
36855
+ if (changes['trackId'] && !changes['trackId'].firstChange) {
36856
+ this.setupInitialWidth();
36857
+ }
36858
+ }
36859
+ /**
36860
+ * Angular lifecycle hook. Cleans up cursor style if resizing is active.
36861
+ */
36862
+ ngOnDestroy() {
36863
+ if (this.isResizing) {
36864
+ this.renderer.removeStyle(document.body, 'cursor');
36865
+ }
36866
+ }
36867
+ /**
36868
+ * Mouse down event handler for starting resize.
36869
+ * @param event MouseEvent
36870
+ */
36871
+ onMouseDown(event) {
36872
+ if (!this.colA || !this.colB) {
36873
+ return;
36874
+ }
36875
+ event.preventDefault();
36876
+ this.isResizing = true;
36877
+ this.startX = event.clientX;
36878
+ this.startColAWidthPx = this.colA.nativeElement.offsetWidth;
36879
+ this.renderer.setStyle(document.body, 'cursor', 'col-resize');
36880
+ this.renderer.addClass(document.body, 'no-select');
36881
+ // Store the current _colAWidth as the starting point for lastKnownNonCollapsedWidth
36882
+ // before we potentially remove collapse classes.
36883
+ if (!this.colA.nativeElement.classList.contains('collapsed') &&
36884
+ !this.colB.nativeElement.classList.contains('collapsed')) {
36885
+ this.lastKnownNonCollapsedWidth = this._colAWidth;
36886
+ }
36887
+ else {
36888
+ // If it was collapsed, try to get the last *saved* value if trackId exists,
36889
+ // otherwise default to the input 'leftColumnWidth' for the initial restore.
36890
+ this.lastKnownNonCollapsedWidth =
36891
+ (this.trackId ? localStorage.getItem(this.trackId) : null) || this.leftColumnWidth;
36892
+ }
36893
+ // Immediately remove collapse classes on mousedown
36894
+ this.removeCollapseClasses();
36895
+ }
36896
+ /**
36897
+ * Mouse move event handler for resizing columns.
36898
+ * @param event MouseEvent
36899
+ */
36900
+ onMouseMove(event) {
36901
+ if (!this.isResizing || !this.colA || !this.colB) {
36902
+ return;
36903
+ }
36904
+ const deltaX = event.clientX - this.startX;
36905
+ this.updateColumnWidth(this.startColAWidthPx + deltaX);
36906
+ }
36907
+ /**
36908
+ * Mouse up event handler for ending resize and applying collapse logic.
36909
+ */
36910
+ onMouseUp() {
36911
+ if (this.isResizing) {
36912
+ this.isResizing = false;
36913
+ this.renderer.removeStyle(document.body, 'cursor');
36914
+ this.renderer.removeClass(document.body, 'no-select');
36915
+ requestAnimationFrame(() => {
36916
+ this.checkAndApplyCollapse(this.colA.nativeElement.offsetWidth, this.colB.nativeElement.offsetWidth);
36917
+ });
36918
+ }
36919
+ }
36920
+ /**
36921
+ * Keyboard event handler for resizing columns with arrow keys.
36922
+ * @param event KeyboardEvent
36923
+ */
36924
+ onKeyDown(event) {
36925
+ if (!this.colA || !this.colB) {
36926
+ return;
36927
+ }
36928
+ const currentWidth = this.colA.nativeElement.offsetWidth;
36929
+ const totalWidth = this.colA.nativeElement.parentElement?.offsetWidth || window.innerWidth;
36930
+ let newWidthPx = currentWidth;
36931
+ // If the column is collapsed, always allow keyboard to restore it
36932
+ const colACollapsed = this.colA.nativeElement.classList.contains('collapsed');
36933
+ const colBCollapsed = this.colB.nativeElement.classList.contains('collapsed');
36934
+ switch (event.key) {
36935
+ case 'ArrowLeft':
36936
+ if (colACollapsed) {
36937
+ newWidthPx = this.collapseThreshold + this.resizeStep; // Restore to just above threshold
36938
+ }
36939
+ else {
36940
+ newWidthPx = Math.max(0, currentWidth - this.resizeStep);
36941
+ }
36942
+ event.preventDefault();
36943
+ break;
36944
+ case 'ArrowRight':
36945
+ if (colACollapsed) {
36946
+ newWidthPx = this.collapseThreshold + this.resizeStep;
36947
+ }
36948
+ else {
36949
+ newWidthPx = Math.min(totalWidth, currentWidth + this.resizeStep);
36950
+ }
36951
+ event.preventDefault();
36952
+ break;
36953
+ case 'Home':
36954
+ newWidthPx = 0;
36955
+ event.preventDefault();
36956
+ break;
36957
+ case 'End':
36958
+ newWidthPx = totalWidth;
36959
+ event.preventDefault();
36960
+ break;
36961
+ default:
36962
+ return;
36963
+ }
36964
+ // If right column is collapsed, allow keyboard to restore it by expanding left
36965
+ if (colBCollapsed && (event.key === 'ArrowRight' || event.key === 'End')) {
36966
+ newWidthPx = totalWidth - this.collapseThreshold - this.resizeStep;
36967
+ }
36968
+ this.removeCollapseClasses();
36969
+ this.updateColumnWidth(newWidthPx, true);
36970
+ }
36971
+ /**
36972
+ * Sets up the initial width of the left column, using localStorage if trackId is provided.
36973
+ */
36974
+ setupInitialWidth() {
36975
+ if (!this.colA || !this.colB) {
36976
+ return;
36977
+ }
36978
+ let initialWidth = this.leftColumnWidth;
36979
+ // Only attempt to retrieve from localStorage if trackId is provided
36980
+ if (this.trackId) {
36981
+ const savedWidth = localStorage.getItem(this.trackId);
36982
+ if (savedWidth) {
36983
+ initialWidth = savedWidth;
36984
+ }
36985
+ }
36986
+ this._colAWidth = initialWidth;
36987
+ this.lastKnownNonCollapsedWidth = initialWidth;
36988
+ requestAnimationFrame(() => {
36989
+ this.checkAndApplyCollapse(this.colA.nativeElement.offsetWidth, this.colB.nativeElement.offsetWidth);
36990
+ });
36991
+ }
36992
+ /**
36993
+ * Updates the column A width and handles boundaries.
36994
+ * @param targetWidthPx The desired width in pixels for column A.
36995
+ * @param applyCollapseImmediately If true, calls checkAndApplyCollapse directly.
36996
+ */
36997
+ updateColumnWidth(targetWidthPx, applyCollapseImmediately = false) {
36998
+ if (!this.colA || !this.colB) {
36999
+ return;
37000
+ }
37001
+ let newWidthPx = Math.max(0, targetWidthPx);
37002
+ const totalWidth = this.colA.nativeElement.parentElement?.offsetWidth || window.innerWidth;
37003
+ const minColBWidthPx = 0; // Allow colB to go down to 0 for collapsing
37004
+ newWidthPx = Math.min(newWidthPx, totalWidth - minColBWidthPx);
37005
+ const newWidthString = `${newWidthPx}px`;
37006
+ this._colAWidth = newWidthString;
37007
+ // Update lastKnownNonCollapsedWidth during drag, regardless of trackId
37008
+ if (newWidthPx > 0 && newWidthPx < totalWidth) {
37009
+ this.lastKnownNonCollapsedWidth = newWidthString;
37010
+ }
37011
+ // Only save to localStorage if trackId is provided and not in a collapsed state
37012
+ if (this.trackId && newWidthPx > 0 && newWidthPx < totalWidth) {
37013
+ localStorage.setItem(this.trackId, newWidthString);
37014
+ }
37015
+ // A11y: If triggered by keyboard, apply collapse immediately for feedback
37016
+ if (applyCollapseImmediately) {
37017
+ this.checkAndApplyCollapse(newWidthPx, totalWidth - newWidthPx);
37018
+ }
37019
+ }
37020
+ /**
37021
+ * Checks if either column should be collapsed based on their widths and applies the appropriate classes/styles.
37022
+ * @param colAWidth Width of column A in pixels
37023
+ * @param colBWidth Width of column B in pixels
37024
+ */
37025
+ checkAndApplyCollapse(colAWidth, colBWidth) {
37026
+ if (!this.colA || !this.colB) {
37027
+ return;
37028
+ }
37029
+ const colANative = this.colA.nativeElement;
37030
+ const colBNative = this.colB.nativeElement;
37031
+ this.removeCollapseClasses();
37032
+ if (colAWidth < this.collapseThreshold) {
37033
+ this.renderer.addClass(colANative, 'collapsed');
37034
+ this.renderer.addClass(colBNative, 'expanded');
37035
+ this._colAWidth = '0px';
37036
+ }
37037
+ else if (colBWidth < this.collapseThreshold) {
37038
+ this.renderer.addClass(colBNative, 'collapsed');
37039
+ this.renderer.addClass(colANative, 'expanded');
37040
+ this._colAWidth = '100%';
37041
+ }
37042
+ else {
37043
+ // If neither is collapsed, restore the last known non-collapsed width.
37044
+ // This will be the actual width from the drag, or the localStorage value.
37045
+ this._colAWidth = this.lastKnownNonCollapsedWidth || this.leftColumnWidth;
37046
+ if (this.trackId) {
37047
+ // Ensure localStorage is up-to-date if no collapse occurred.
37048
+ const saved = localStorage.getItem(this.trackId);
37049
+ if (saved !== this._colAWidth) {
37050
+ // Only write if different
37051
+ localStorage.setItem(this.trackId, this._colAWidth);
37052
+ }
37053
+ }
37054
+ }
37055
+ }
37056
+ /**
37057
+ * Removes collapse/expand classes from both columns.
37058
+ */
37059
+ removeCollapseClasses() {
37060
+ if (!this.colA || !this.colB) {
37061
+ return;
37062
+ }
37063
+ const colANative = this.colA.nativeElement;
37064
+ const colBNative = this.colB.nativeElement;
37065
+ this.renderer.removeClass(colANative, 'collapsed');
37066
+ this.renderer.removeClass(colANative, 'expanded');
37067
+ this.renderer.removeClass(colBNative, 'collapsed');
37068
+ this.renderer.removeClass(colBNative, 'expanded');
37069
+ }
37070
+ static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "19.2.14", ngImport: i0, type: ResizableGridComponent, deps: [{ token: i0.Renderer2 }], target: i0.ɵɵFactoryTarget.Component }); }
37071
+ static { this.ɵcmp = i0.ɵɵngDeclareComponent({ minVersion: "14.0.0", version: "19.2.14", type: ResizableGridComponent, isStandalone: true, selector: "c8y-resizable-grid", inputs: { leftColumnWidth: "leftColumnWidth", trackId: "trackId", collapseThreshold: "collapseThreshold" }, host: { listeners: { "window:mousemove": "onMouseMove($event)", "window:mouseup": "onMouseUp()" }, properties: { "class.is-resizing": "this.isResizing", "style.--col-a-width": "this._colAWidth" } }, viewQueries: [{ propertyName: "colA", first: true, predicate: ["colA"], descendants: true }, { propertyName: "colB", first: true, predicate: ["colB"], descendants: true }], usesOnChanges: true, ngImport: i0, template: "<div class=\"resizable-grid-container\" [class.is-resizing]=\"isResizing\">\n <div #colA class=\"col-a\" [id]=\"colAId\">\n <!-- Content for the left column goes here -->\n <ng-content select=\"[left-pane]\"></ng-content>\n </div>\n <div\n class=\"resizer\"\n (mousedown)=\"onMouseDown($event)\"\n (keydown)=\"onKeyDown($event)\"\n tabindex=\"0\"\n role=\"separator\"\n aria-orientation=\"vertical\"\n [attr.aria-controls]=\"colAId + ' ' + colBId\"\n [attr.aria-label]=\"'Resize columns' | translate\"\n [attr.aria-valuenow]=\"colAWidthPercent\"\n aria-valuemin=\"0\"\n aria-valuemax=\"100\"\n >\n <i class=\"dlt-c8y-icon-arrow-circle-divide-horizontal\"></i>\n </div>\n <div #colB class=\"col-b\" [id]=\"colBId\">\n <!-- Content for the right column goes here -->\n <ng-content select=\"[right-pane]\"></ng-content>\n </div>\n</div>\n", dependencies: [{ kind: "ngmodule", type: CommonModule$1 }, { kind: "pipe", type: C8yTranslatePipe, name: "translate" }] }); }
37072
+ }
37073
+ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.14", ngImport: i0, type: ResizableGridComponent, decorators: [{
37074
+ type: Component,
37075
+ args: [{ selector: 'c8y-resizable-grid', standalone: true, imports: [CommonModule$1, C8yTranslatePipe], template: "<div class=\"resizable-grid-container\" [class.is-resizing]=\"isResizing\">\n <div #colA class=\"col-a\" [id]=\"colAId\">\n <!-- Content for the left column goes here -->\n <ng-content select=\"[left-pane]\"></ng-content>\n </div>\n <div\n class=\"resizer\"\n (mousedown)=\"onMouseDown($event)\"\n (keydown)=\"onKeyDown($event)\"\n tabindex=\"0\"\n role=\"separator\"\n aria-orientation=\"vertical\"\n [attr.aria-controls]=\"colAId + ' ' + colBId\"\n [attr.aria-label]=\"'Resize columns' | translate\"\n [attr.aria-valuenow]=\"colAWidthPercent\"\n aria-valuemin=\"0\"\n aria-valuemax=\"100\"\n >\n <i class=\"dlt-c8y-icon-arrow-circle-divide-horizontal\"></i>\n </div>\n <div #colB class=\"col-b\" [id]=\"colBId\">\n <!-- Content for the right column goes here -->\n <ng-content select=\"[right-pane]\"></ng-content>\n </div>\n</div>\n" }]
37076
+ }], ctorParameters: () => [{ type: i0.Renderer2 }], propDecorators: { leftColumnWidth: [{
37077
+ type: Input
37078
+ }], trackId: [{
37079
+ type: Input
37080
+ }], collapseThreshold: [{
37081
+ type: Input
37082
+ }], colA: [{
37083
+ type: ViewChild,
37084
+ args: ['colA']
37085
+ }], colB: [{
37086
+ type: ViewChild,
37087
+ args: ['colB']
37088
+ }], isResizing: [{
37089
+ type: HostBinding,
37090
+ args: ['class.is-resizing']
37091
+ }], _colAWidth: [{
37092
+ type: HostBinding,
37093
+ args: ['style.--col-a-width']
37094
+ }], onMouseMove: [{
37095
+ type: HostListener,
37096
+ args: ['window:mousemove', ['$event']]
37097
+ }], onMouseUp: [{
37098
+ type: HostListener,
37099
+ args: ['window:mouseup']
37100
+ }] } });
37101
+
36771
37102
  /**
36772
37103
  * AssetTypesService is being used to manage a cache of all existing asset types.
36773
37104
  * This service is injected in the AssetOverviewNavigationFactory class, which will trigger
@@ -36985,5 +37316,5 @@ function colorValidator(allowedModes) {
36985
37316
  * Generated bundle index. Do not edit.
36986
37317
  */
36987
37318
 
36988
- export { ACTIONS_STEPPER, AGGREGATIONS, AGGREGATION_ICONS, AGGREGATION_LABELS, AGGREGATION_LIMITS, AGGREGATION_TEXTS, AGGREGATION_VALUES, AGGREGATION_VALUES_ARR, ARRAY_VALIDATION_PREFIX, ASSET_PATH, AbstractConfigurationStrategy, ActionBarComponent, ActionBarItemComponent, ActionBarModule, ActionBarService, ActionComponent, ActionControlsExtensionService, ActionModule, ActionOutletComponent, ActionService, AggregationPickerComponent, AggregationService, AlarmRealtimeService, AlarmWithChildrenRealtimeService, AlertComponent, AlertDetailsComponent, AlertModule, AlertOutletBase, AlertOutletComponent, AlertService, AlertTextComponent, AppHrefPipe, AppIconComponent, AppStateService, AppSwitcherComponent, AppSwitcherInlineComponent, AppSwitcherService, ApplicationModule, ApplicationPluginStatus, AssetLinkPipe, AssetPropertyService, AssetTypesRealtimeService, AssetTypesService, AuditLogComponent, AuditLogModule, AuthenticationModule, BackendVersionFactory, BaseColumn, BaseFilteringFormRendererComponent, BooleanFilterMapper, BootstrapComponent, BootstrapModule, BottomDrawerComponent, BottomDrawerRef, BottomDrawerService, BreadcrumbComponent, BreadcrumbItemComponent, BreadcrumbModule, BreadcrumbOutletComponent, BreadcrumbService, BuiltInActionType, BytesPipe, C8yComponentOutlet, C8yJSONSchema, C8yStepper, C8yStepperButtons, C8yStepperIcon, C8yStepperProgress, C8yTranslateDirective, C8yTranslateModule, C8yTranslatePipe, C8yValidators, CUSTOM, CachedLocaleDictionaryService, CellRendererComponent, CellRendererContext, CellRendererDefDirective, ChangeIconComponent, ClipboardModule, ClipboardService, ColorInputComponent, ColorService, ColumnDirective, CommonModule, ConditionalTabsOutletComponent, ConfigureCustomColumnComponent, ConfirmModalComponent, ContextRouteComponent, ContextRouteGuard, ContextRouteService, CookieBannerComponent, CopyDashboardDisabledReason, CoreModule, CoreSearchModule, CountdownIntervalComponent, CountdownIntervalModule, CurrentPasswordModalComponent, CustomColumn, DATA_GRID_CONFIGURATION_CONTEXT, DATA_GRID_CONFIGURATION_CONTEXT_PROVIDER, DATA_GRID_CONFIGURATION_STRATEGY, DEFAULT_INTERVAL_STATE, DEFAULT_INTERVAL_VALUE, DEFAULT_INTERVAL_VALUES, DRAWER_ANIMATION_TIME, DashboardChildActionComponent, DashboardChildChange, DashboardChildComponent, DashboardChildTitleComponent, DashboardComponent, DashboardModule, DataGridComponent, DataGridModule, DataGridService, DatapointLibraryValidationErrors, DateContextQueryParamNames, DateFilterMapper, DateFormatService, DatePickerComponent, DatePickerModule, DatePipe, DateTimePickerComponent, DateTimePickerModule, DefaultValidationDirective, DeviceBootstrapRealtimeService, DeviceService, DeviceStatusComponent, DeviceStatusModule, DismissAlertStrategy, DocsModule, DocsService, DrawerModule, DrawerOutletComponent, DrawerService, DropAreaComponent, DropAreaModule, DropdownDirectionDirective, DynamicBulkDetailsResolver, DynamicBulkIIdentifiedResolver, DynamicComponentAlert, DynamicComponentAlertAggregator, DynamicComponentAlertsComponent, DynamicComponentComponent, DynamicComponentErrorStrategy, DynamicComponentModule, DynamicComponentService, DynamicDatapointsResolver, DynamicFormsModule, DynamicManagedObjectResolver, DynamicResolverService, ES_MAX_TIME_MILLISECONDS, EmailsValidatorDirective, EmptyComponent, EmptyStateComponent, EmptyStateContextDirective, EventRealtimeService, ExpandableRowDirective, ExtensionPointForPlugins, ExtensionPointWithoutStateForPlugins, ExtractArrayValidationErrorsPipe, FeatureCacheService, FilePickerComponent, FilePickerFormControlComponent, FilePickerFormControlModule, FilePickerModule, FilesService, FilterInputComponent, FilterMapperFactory, FilterMapperModule, FilterMapperPipe, FilterMapperService, FilterNonArrayValidationErrorsPipe, FilteringActionType, FilteringFormRendererComponent, FilteringFormRendererContext, FilteringFormRendererDefDirective, ForOfDirective, FormGroupComponent, FormsModule, GENERIC_FILE_TYPE, GLOBAL_CONTEXT_AUTO_REFRESH, GainsightService, GenericFileIconPipe, GeoService, GetGroupIconPipe, GlobalConfigService, GridDataSource, GroupFragment, GroupService, GroupedFilterChips, GuideDocsComponent, GuideHrefDirective, HOOK_ACTION, HOOK_ACTION_BAR, HOOK_BREADCRUMB, HOOK_COMPONENTS, HOOK_CURRENT_APPLICATION, HOOK_CURRENT_TENANT, HOOK_CURRENT_USER, HOOK_DOCS, HOOK_DYNAMIC_PROVIDER_CONFIG, HOOK_NAVIGATOR_NODES, HOOK_OPTIONS, HOOK_PATTERN_MESSAGES, HOOK_PLUGIN, HOOK_PREVIEW, HOOK_QUERY_PARAM, HOOK_QUERY_PARAM_BOTTOM_DRAWER, HOOK_QUERY_PARAM_MODAL, HOOK_ROUTE, HOOK_SEARCH, HOOK_STEPPER, HOOK_TABS, HOOK_VERSION, HOOK_WIZARD, HeaderBarComponent, HeaderCellRendererDefDirective, HeaderModule, HeaderService, HelpComponent, HelpModule, HighlightComponent, HookProviderTypes, HumanizeAppNamePipe, HumanizePipe, HumanizeValidationMessagePipe, I18nModule, INTERVAL_OPTIONS, IconDirective, IfAllowedDirective, InjectionType, InputGroupListComponent, InputGroupListContainerDirective, InterAppService, IntervalBasedReload, InventorySearchService, IpRangeInputListComponent, JsonValidationPrettifierDirective, LANGUAGES, LAST_DAY, LAST_HOUR, LAST_MINUTE, LAST_MONTH, LAST_WEEK, LOCALE_PATH, LegacyGridConfigMapperService, LegendFieldWrapper, ListDisplaySwitchComponent, ListDisplaySwitchModule, ListGroupComponent, ListGroupModule, ListItemActionComponent, ListItemBodyComponent, ListItemCheckboxComponent, ListItemCollapseComponent, ListItemComponent, ListItemDragHandleComponent, ListItemFooterComponent, ListItemIconComponent, ListItemRadioComponent, ListItemTimelineComponent, LoadMoreComponent, LoadingComponent, MAX_PAGE_SIZE, MESSAGES_CORE_I18N, ManagedObjectRealtimeService, ManagedObjectType, MapFunctionPipe, MarkdownToHtmlPipe, MaxValidationDirective, MeasurementRealtimeService, MessageBannerService, MessageDirective, MessagesComponent, MinValidationDirective, MissingTranslationCustomHandler, MoNamePipe, ModalComponent, ModalModule, ModalSelectionMode, ModalService, NEEDED_ROLE_FOR_SETUP, NEW_DASHBOARD_ROUTER_STATE_PROP, NULL_VALUE_PLACEHOLDER, NUMBER_FORMAT_REGEXP, NameTransformPipe, NavigatorBottomModule, NavigatorIconComponent, NavigatorModule, NavigatorNode, NavigatorNodeComponent, NavigatorNodeRoot, NavigatorOutletComponent, NavigatorService, NavigatorTopModule, NewPasswordComponent, NumberPipe, OperationBulkRealtimeService, OperationRealtimeService, OperationResultComponent, OptionsService, OutletDirective, PREVIEW_FEATURE_PROVIDERS, PRODUCT_EXPERIENCE_EVENT_SOURCE, PX_ACTIONS, PX_EVENT_NAME, PackageType, PasswordCheckListComponent, PasswordConfirm, PasswordConfirmModalComponent, PasswordInputComponent, PasswordService, PasswordStrengthCheckerService, PasswordStrengthComponent, PasswordStrengthService, PatternMessagesService, Permissions, PhoneValidationDirective, PlatformDetailsService, PluginLoadedPipe, PluginsExportScopes, PluginsLoaderService, PluginsModule, PluginsResolveService, PluginsService, PopoverConfirmComponent, PreviewFeatureButtonComponent, PreviewFeatureShowNotification, PreviewService, ProductExperienceDirective, ProductExperienceModule, ProgressBarComponent, PropertiesListComponent, PropertiesListModule, PropertyValueTransformService, ProviderConfigurationComponent, ProviderConfigurationModule, ProviderConfigurationNodeFactory, ProviderConfigurationRouteFactory, ProviderConfigurationService, ProviderDefinitionsService, PushStatus, PushStatusLabels, QUERY_PARAM_HANDLER_PROVIDERS, QueryParamBottomDrawerFactory, QueryParamBottomDrawerStateService, QueryParamHandlerService, QueryParamModalFactory, QueryParamModalStateService, QuickLinkComponent, QuickLinkModule, RESOLVING_COMPONENT_WAIT_TIME, RadioFilterMapper, RangeComponent, RangeDirective, RangeDisplayComponent, RangeDisplayModule, RealtimeButtonComponent, RealtimeControlComponent, RealtimeMessage, RealtimeModule, RealtimeService, RealtimeSubjectService, RelativeTimePipe, RequiredInputPlaceholderDirective, ResolverServerError, RouterModule, RouterService, RouterTabsResolver, SETUP_FINISHED_STEP_ID, SHOW_PREVIEW_FEATURES, SearchComponent, SearchFilters, SearchInputComponent, SearchOutletComponent, SearchResultEmptyComponent, SearchService, SelectComponent, SelectFilterMapper, SelectItemDirective, SelectKeyboardService, SelectLegacyComponent, SelectModalComponent, SelectModalFilterPipe, SelectModalModule, SelectModule, SelectedItemsComponent, SelectedItemsDirective, SendStatus, SendStatusLabels, ServiceRegistry, SetupCompletedComponent, SetupComponent, SetupModule, SetupService, SetupState, SetupStepperFactory, ShortenUserNamePipe, ShouldShowMoPipe, ShowIfFilterPipe, SimpleJsonPathValidatorDirective, SimplifiedAuthService, SkipLinkDirective, StandalonePluginInjector, StateService, Status, StepperModule, StepperOutletComponent, StepperService, Steppers, StringFilterMapper, StringifyObjectPipe, SupportedApps, TabComponent, TabsModule, TabsOutletComponent, TabsService, TabsetAriaDirective, TenantUiService, TextAreaRowHeightDirective, TextareaAutoresizeDirective, ThemeSwitcherService, TimeIntervalComponent, TimePickerComponent, TimePickerModule, TitleComponent, TitleOutletComponent, TotpChallengeComponent, TotpSetupComponent, TranslateParserCustom, TranslateService, TranslationLoaderService, TreeNodeCellRendererComponent, TreeNodeColumn, TreeNodeHeaderCellRendererComponent, TypeaheadComponent, TypeaheadFilterMapper, UiSettingsComponent, UiSettingsModule, UniqueInCollectionByPathValidationDirective, UserEditComponent, UserEditModalComponent, UserEngagementsService, UserMenuItemComponent, UserMenuOutletComponent, UserMenuService, UserModule, UserNameInitialsPipe, UserPreferencesConfigurationStrategy, UserPreferencesService, UserPreferencesStorageInventory, UserPreferencesStorageLocal, UserTotpRevokeComponent, UserTotpSetupComponent, VERSION_MODULE_CONFIG, ValidationPattern, VersionListComponent, VersionModule, VersionService, ViewContext, ViewContextServices, VirtualScrollWindowDirective, VirtualScrollWindowStrategy, VirtualScrollerWrapperComponent, VisibleControlsPipe, WIDGET_TYPE_VALUES, WILDCARD_SEARCH_FEATURE_KEY, WebSDKVersionFactory, WidgetGlobalAutoRefreshService, WidgetTimeContextActionBarPriority, WidgetTimeContextComponent, WidgetTimeContextDateRangeService, WidgetsDashboardComponent, WizardBodyComponent, WizardComponent, WizardFooterComponent, WizardHeaderComponent, WizardModalService, WizardModule, WizardOutletComponent, WizardService, ZipService, _virtualScrollWindowStrategyFactory, alertOnError, allEntriesAreEqual, asyncValidateArrayElements, colorValidator, deviceAvailabilityIconMap, extraRoutes, fromFactories, fromTrigger, fromTriggerOnce, getActivatedRoute, getAngularLocalesLanguageString, getBasicInputArrayFormFieldConfig, getDictionaryWithTrimmedKeys, getInjectedHooks, globalAutoRefreshLoading, hookAction, hookActionBar, hookBreadcrumb, hookComponent, hookCurrentApplication, hookCurrentTenant, hookCurrentUser, hookDataGridActionControls, hookDocs, hookDrawer, hookDynamicProviderConfig, hookFilterMapper, hookGeneric, hookNavigator, hookOptions, hookPatternMessages, hookPlugin, hookPreview, hookQueryParam, hookQueryParamBottomDrawer, hookQueryParamModal, hookRoute, hookSearch, hookService, hookStepper, hookTab, hookUserMenu, hookVersion, hookWidget, hookWizard, initializeServices, internalApps, isEagerDynamicComponents, isExtensionFactory, isLazyDynamicComponents, isPromise, languagesFactory, loadLocale, localeId, localePathFactory, memoize, minColumnGridTrackSize, operationStatusClasses, operationStatusIcons, provideBootstrapMetadata, ratiosByColumnTypes, removeDuplicatesIds, resolveInjectedFactories, retryWithDelay, simpleJsonPathValidator, sortByPriority, stateToFactory, statusAlert, statusClasses, statusIcons, throttle, toObservable, toObservableOfArrays, tooltips, trimTranslationKey, uniqueInCollectionByPathValidator, validateArrayElements, validateInternationalPhoneNumber, viewContextRoutes, wrapperLegendFieldConfig };
37319
+ export { ACTIONS_STEPPER, AGGREGATIONS, AGGREGATION_ICONS, AGGREGATION_LABELS, AGGREGATION_LIMITS, AGGREGATION_TEXTS, AGGREGATION_VALUES, AGGREGATION_VALUES_ARR, ARRAY_VALIDATION_PREFIX, ASSET_PATH, AbstractConfigurationStrategy, ActionBarComponent, ActionBarItemComponent, ActionBarModule, ActionBarService, ActionComponent, ActionControlsExtensionService, ActionModule, ActionOutletComponent, ActionService, AggregationPickerComponent, AggregationService, AlarmRealtimeService, AlarmWithChildrenRealtimeService, AlertComponent, AlertDetailsComponent, AlertModule, AlertOutletBase, AlertOutletComponent, AlertService, AlertTextComponent, AppHrefPipe, AppIconComponent, AppStateService, AppSwitcherComponent, AppSwitcherInlineComponent, AppSwitcherService, ApplicationModule, ApplicationPluginStatus, AssetLinkPipe, AssetPropertyService, AssetTypesRealtimeService, AssetTypesService, AuditLogComponent, AuditLogModule, AuthenticationModule, BackendVersionFactory, BaseColumn, BaseFilteringFormRendererComponent, BooleanFilterMapper, BootstrapComponent, BootstrapModule, BottomDrawerComponent, BottomDrawerRef, BottomDrawerService, BreadcrumbComponent, BreadcrumbItemComponent, BreadcrumbModule, BreadcrumbOutletComponent, BreadcrumbService, BuiltInActionType, BytesPipe, C8yComponentOutlet, C8yJSONSchema, C8yStepper, C8yStepperButtons, C8yStepperIcon, C8yStepperProgress, C8yTranslateDirective, C8yTranslateModule, C8yTranslatePipe, C8yValidators, CUSTOM, CachedLocaleDictionaryService, CellRendererComponent, CellRendererContext, CellRendererDefDirective, ChangeIconComponent, ClipboardModule, ClipboardService, ColorInputComponent, ColorService, ColumnDirective, CommonModule, ConditionalTabsOutletComponent, ConfigureCustomColumnComponent, ConfirmModalComponent, ContextRouteComponent, ContextRouteGuard, ContextRouteService, CookieBannerComponent, CopyDashboardDisabledReason, CoreModule, CoreSearchModule, CountdownIntervalComponent, CountdownIntervalModule, CurrentPasswordModalComponent, CustomColumn, DATA_GRID_CONFIGURATION_CONTEXT, DATA_GRID_CONFIGURATION_CONTEXT_PROVIDER, DATA_GRID_CONFIGURATION_STRATEGY, DEFAULT_INTERVAL_STATE, DEFAULT_INTERVAL_VALUE, DEFAULT_INTERVAL_VALUES, DRAWER_ANIMATION_TIME, DashboardChildActionComponent, DashboardChildChange, DashboardChildComponent, DashboardChildTitleComponent, DashboardComponent, DashboardModule, DataGridComponent, DataGridModule, DataGridService, DatapointLibraryValidationErrors, DateContextQueryParamNames, DateFilterMapper, DateFormatService, DatePickerComponent, DatePickerModule, DatePipe, DateTimePickerComponent, DateTimePickerModule, DefaultValidationDirective, DeviceBootstrapRealtimeService, DeviceService, DeviceStatusComponent, DeviceStatusModule, DismissAlertStrategy, DocsModule, DocsService, DrawerModule, DrawerOutletComponent, DrawerService, DropAreaComponent, DropAreaModule, DropdownDirectionDirective, DynamicBulkDetailsResolver, DynamicBulkIIdentifiedResolver, DynamicComponentAlert, DynamicComponentAlertAggregator, DynamicComponentAlertsComponent, DynamicComponentComponent, DynamicComponentErrorStrategy, DynamicComponentModule, DynamicComponentService, DynamicDatapointsResolver, DynamicFormsModule, DynamicManagedObjectResolver, DynamicResolverService, ES_MAX_TIME_MILLISECONDS, EmailsValidatorDirective, EmptyComponent, EmptyStateComponent, EmptyStateContextDirective, EventRealtimeService, ExpandableRowDirective, ExtensionPointForPlugins, ExtensionPointWithoutStateForPlugins, ExtractArrayValidationErrorsPipe, FeatureCacheService, FilePickerComponent, FilePickerFormControlComponent, FilePickerFormControlModule, FilePickerModule, FilesService, FilterInputComponent, FilterMapperFactory, FilterMapperModule, FilterMapperPipe, FilterMapperService, FilterNonArrayValidationErrorsPipe, FilteringActionType, FilteringFormRendererComponent, FilteringFormRendererContext, FilteringFormRendererDefDirective, ForOfDirective, FormGroupComponent, FormsModule, GENERIC_FILE_TYPE, GLOBAL_CONTEXT_AUTO_REFRESH, GainsightService, GenericFileIconPipe, GeoService, GetGroupIconPipe, GlobalConfigService, GridDataSource, GroupFragment, GroupService, GroupedFilterChips, GuideDocsComponent, GuideHrefDirective, HOOK_ACTION, HOOK_ACTION_BAR, HOOK_BREADCRUMB, HOOK_COMPONENTS, HOOK_CURRENT_APPLICATION, HOOK_CURRENT_TENANT, HOOK_CURRENT_USER, HOOK_DOCS, HOOK_DYNAMIC_PROVIDER_CONFIG, HOOK_NAVIGATOR_NODES, HOOK_OPTIONS, HOOK_PATTERN_MESSAGES, HOOK_PLUGIN, HOOK_PREVIEW, HOOK_QUERY_PARAM, HOOK_QUERY_PARAM_BOTTOM_DRAWER, HOOK_QUERY_PARAM_MODAL, HOOK_ROUTE, HOOK_SEARCH, HOOK_STEPPER, HOOK_TABS, HOOK_VERSION, HOOK_WIZARD, HeaderBarComponent, HeaderCellRendererDefDirective, HeaderModule, HeaderService, HelpComponent, HelpModule, HighlightComponent, HookProviderTypes, HumanizeAppNamePipe, HumanizePipe, HumanizeValidationMessagePipe, I18nModule, INTERVAL_OPTIONS, IconDirective, IfAllowedDirective, InjectionType, InputGroupListComponent, InputGroupListContainerDirective, InterAppService, IntervalBasedReload, InventorySearchService, IpRangeInputListComponent, JsonValidationPrettifierDirective, LANGUAGES, LAST_DAY, LAST_HOUR, LAST_MINUTE, LAST_MONTH, LAST_WEEK, LOCALE_PATH, LegacyGridConfigMapperService, LegendFieldWrapper, ListDisplaySwitchComponent, ListDisplaySwitchModule, ListGroupComponent, ListGroupModule, ListItemActionComponent, ListItemBodyComponent, ListItemCheckboxComponent, ListItemCollapseComponent, ListItemComponent, ListItemDragHandleComponent, ListItemFooterComponent, ListItemIconComponent, ListItemRadioComponent, ListItemTimelineComponent, LoadMoreComponent, LoadingComponent, MAX_PAGE_SIZE, MESSAGES_CORE_I18N, ManagedObjectRealtimeService, ManagedObjectType, MapFunctionPipe, MarkdownToHtmlPipe, MaxValidationDirective, MeasurementRealtimeService, MessageBannerService, MessageDirective, MessagesComponent, MinValidationDirective, MissingTranslationCustomHandler, MoNamePipe, ModalComponent, ModalModule, ModalSelectionMode, ModalService, NEEDED_ROLE_FOR_SETUP, NEW_DASHBOARD_ROUTER_STATE_PROP, NULL_VALUE_PLACEHOLDER, NUMBER_FORMAT_REGEXP, NameTransformPipe, NavigatorBottomModule, NavigatorIconComponent, NavigatorModule, NavigatorNode, NavigatorNodeComponent, NavigatorNodeRoot, NavigatorOutletComponent, NavigatorService, NavigatorTopModule, NewPasswordComponent, NumberPipe, OperationBulkRealtimeService, OperationRealtimeService, OperationResultComponent, OptionsService, OutletDirective, PREVIEW_FEATURE_PROVIDERS, PRODUCT_EXPERIENCE_EVENT_SOURCE, PX_ACTIONS, PX_EVENT_NAME, PackageType, PasswordCheckListComponent, PasswordConfirm, PasswordConfirmModalComponent, PasswordInputComponent, PasswordService, PasswordStrengthCheckerService, PasswordStrengthComponent, PasswordStrengthService, PatternMessagesService, Permissions, PhoneValidationDirective, PlatformDetailsService, PluginLoadedPipe, PluginsExportScopes, PluginsLoaderService, PluginsModule, PluginsResolveService, PluginsService, PopoverConfirmComponent, PreviewFeatureButtonComponent, PreviewFeatureShowNotification, PreviewService, ProductExperienceDirective, ProductExperienceModule, ProgressBarComponent, PropertiesListComponent, PropertiesListModule, PropertyValueTransformService, ProviderConfigurationComponent, ProviderConfigurationModule, ProviderConfigurationNodeFactory, ProviderConfigurationRouteFactory, ProviderConfigurationService, ProviderDefinitionsService, PushStatus, PushStatusLabels, QUERY_PARAM_HANDLER_PROVIDERS, QueryParamBottomDrawerFactory, QueryParamBottomDrawerStateService, QueryParamHandlerService, QueryParamModalFactory, QueryParamModalStateService, QuickLinkComponent, QuickLinkModule, RESOLVING_COMPONENT_WAIT_TIME, RadioFilterMapper, RangeComponent, RangeDirective, RangeDisplayComponent, RangeDisplayModule, RealtimeButtonComponent, RealtimeControlComponent, RealtimeMessage, RealtimeModule, RealtimeService, RealtimeSubjectService, RelativeTimePipe, RequiredInputPlaceholderDirective, ResizableGridComponent, ResolverServerError, RouterModule, RouterService, RouterTabsResolver, SETUP_FINISHED_STEP_ID, SHOW_PREVIEW_FEATURES, SearchComponent, SearchFilters, SearchInputComponent, SearchOutletComponent, SearchResultEmptyComponent, SearchService, SelectComponent, SelectFilterMapper, SelectItemDirective, SelectKeyboardService, SelectLegacyComponent, SelectModalComponent, SelectModalFilterPipe, SelectModalModule, SelectModule, SelectedItemsComponent, SelectedItemsDirective, SendStatus, SendStatusLabels, ServiceRegistry, SetupCompletedComponent, SetupComponent, SetupModule, SetupService, SetupState, SetupStepperFactory, ShortenUserNamePipe, ShouldShowMoPipe, ShowIfFilterPipe, SimpleJsonPathValidatorDirective, SimplifiedAuthService, SkipLinkDirective, StandalonePluginInjector, StateService, Status, StepperModule, StepperOutletComponent, StepperService, Steppers, StringFilterMapper, StringifyObjectPipe, SupportedApps, TabComponent, TabsModule, TabsOutletComponent, TabsService, TabsetAriaDirective, TenantUiService, TextAreaRowHeightDirective, TextareaAutoresizeDirective, ThemeSwitcherService, TimeIntervalComponent, TimePickerComponent, TimePickerModule, TitleComponent, TitleOutletComponent, TotpChallengeComponent, TotpSetupComponent, TranslateParserCustom, TranslateService, TranslationLoaderService, TreeNodeCellRendererComponent, TreeNodeColumn, TreeNodeHeaderCellRendererComponent, TypeaheadComponent, TypeaheadFilterMapper, UiSettingsComponent, UiSettingsModule, UniqueInCollectionByPathValidationDirective, UserEditComponent, UserEditModalComponent, UserEngagementsService, UserMenuItemComponent, UserMenuOutletComponent, UserMenuService, UserModule, UserNameInitialsPipe, UserPreferencesConfigurationStrategy, UserPreferencesService, UserPreferencesStorageInventory, UserPreferencesStorageLocal, UserTotpRevokeComponent, UserTotpSetupComponent, VERSION_MODULE_CONFIG, ValidationPattern, VersionListComponent, VersionModule, VersionService, ViewContext, ViewContextServices, VirtualScrollWindowDirective, VirtualScrollWindowStrategy, VirtualScrollerWrapperComponent, VisibleControlsPipe, WIDGET_CONFIGURATION_GRID_SIZE, WIDGET_TYPE_VALUES, WILDCARD_SEARCH_FEATURE_KEY, WebSDKVersionFactory, WidgetGlobalAutoRefreshService, WidgetTimeContextActionBarPriority, WidgetTimeContextComponent, WidgetTimeContextDateRangeService, WidgetsDashboardComponent, WizardBodyComponent, WizardComponent, WizardFooterComponent, WizardHeaderComponent, WizardModalService, WizardModule, WizardOutletComponent, WizardService, ZipService, _virtualScrollWindowStrategyFactory, alertOnError, allEntriesAreEqual, asyncValidateArrayElements, colorValidator, deviceAvailabilityIconMap, extraRoutes, fromFactories, fromTrigger, fromTriggerOnce, getActivatedRoute, getAngularLocalesLanguageString, getBasicInputArrayFormFieldConfig, getDictionaryWithTrimmedKeys, getInjectedHooks, globalAutoRefreshLoading, hookAction, hookActionBar, hookBreadcrumb, hookComponent, hookCurrentApplication, hookCurrentTenant, hookCurrentUser, hookDataGridActionControls, hookDocs, hookDrawer, hookDynamicProviderConfig, hookFilterMapper, hookGeneric, hookNavigator, hookOptions, hookPatternMessages, hookPlugin, hookPreview, hookQueryParam, hookQueryParamBottomDrawer, hookQueryParamModal, hookRoute, hookSearch, hookService, hookStepper, hookTab, hookUserMenu, hookVersion, hookWidget, hookWizard, initializeServices, internalApps, isEagerDynamicComponents, isExtensionFactory, isLazyDynamicComponents, isPromise, languagesFactory, loadLocale, localeId, localePathFactory, memoize, minColumnGridTrackSize, operationStatusClasses, operationStatusIcons, provideBootstrapMetadata, ratiosByColumnTypes, removeDuplicatesIds, resolveInjectedFactories, retryWithDelay, simpleJsonPathValidator, sortByPriority, stateToFactory, statusAlert, statusClasses, statusIcons, throttle, toObservable, toObservableOfArrays, tooltips, trimTranslationKey, uniqueInCollectionByPathValidator, validateArrayElements, validateInternationalPhoneNumber, viewContextRoutes, wrapperLegendFieldConfig };
36989
37320
  //# sourceMappingURL=c8y-ngx-components.mjs.map