cloud-ide-layout 1.0.178 → 1.0.180

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.
Files changed (15) hide show
  1. package/fesm2022/{cloud-ide-layout-cloud-ide-layout-Dmny5YH7.mjs → cloud-ide-layout-cloud-ide-layout-W4WjBty3.mjs} +140 -87
  2. package/fesm2022/cloud-ide-layout-cloud-ide-layout-W4WjBty3.mjs.map +1 -0
  3. package/fesm2022/cloud-ide-layout-dashboard-cards.service-BGaKcq7H.mjs.map +1 -1
  4. package/fesm2022/{cloud-ide-layout-dashboard-manager.component-VUHtS7Oq.mjs → cloud-ide-layout-dashboard-manager.component-BVtdt1TW.mjs} +2 -2
  5. package/fesm2022/{cloud-ide-layout-dashboard-manager.component-VUHtS7Oq.mjs.map → cloud-ide-layout-dashboard-manager.component-BVtdt1TW.mjs.map} +1 -1
  6. package/fesm2022/{cloud-ide-layout-drawer-theme.component-B08bRsuV.mjs → cloud-ide-layout-drawer-theme.component-DywE01AM.mjs} +2 -2
  7. package/fesm2022/{cloud-ide-layout-drawer-theme.component-B08bRsuV.mjs.map → cloud-ide-layout-drawer-theme.component-DywE01AM.mjs.map} +1 -1
  8. package/fesm2022/{cloud-ide-layout-home-wrapper.component-Cmq9HGPt.mjs → cloud-ide-layout-home-wrapper.component-DTKumUOV.mjs} +2 -2
  9. package/fesm2022/{cloud-ide-layout-home-wrapper.component-Cmq9HGPt.mjs.map → cloud-ide-layout-home-wrapper.component-DTKumUOV.mjs.map} +1 -1
  10. package/fesm2022/{cloud-ide-layout-sidedrawer-notes.component-c7SI5coP.mjs → cloud-ide-layout-sidedrawer-notes.component-D4zenTjI.mjs} +2 -2
  11. package/fesm2022/{cloud-ide-layout-sidedrawer-notes.component-c7SI5coP.mjs.map → cloud-ide-layout-sidedrawer-notes.component-D4zenTjI.mjs.map} +1 -1
  12. package/fesm2022/cloud-ide-layout.mjs +1 -1
  13. package/index.d.ts +10 -0
  14. package/package.json +1 -1
  15. package/fesm2022/cloud-ide-layout-cloud-ide-layout-Dmny5YH7.mjs.map +0 -1
@@ -4734,11 +4734,82 @@ class CustomRouteReuseStrategy {
4734
4734
  shouldReuseRoute(future, curr) {
4735
4735
  return future.routeConfig === curr.routeConfig;
4736
4736
  }
4737
- // Clears a stored route, typically when a tab is closed.
4738
- // This method now properly destroys the component instance to prevent memory leaks
4739
- // and ensure old data doesn't persist when reopening the same route.
4740
- clearStoredRoute(pathKey) {
4741
- const handle = this.storedRoutes[pathKey];
4737
+ /**
4738
+ * Clears a stored route by path and optional parameters.
4739
+ * This method attempts to find a matching stored route using a robust matching algorithm.
4740
+ */
4741
+ clearRoute(path, params) {
4742
+ // 1. Try to construct the exact key first
4743
+ let exactKey = path;
4744
+ // Normalize path: remove leading slash if present
4745
+ if (exactKey.startsWith('/')) {
4746
+ exactKey = exactKey.substring(1);
4747
+ }
4748
+ // Attempt to construct key with params if they exist
4749
+ let exactKeyWithParams = exactKey;
4750
+ if (params && Object.keys(params).length > 0) {
4751
+ const queryParams = Object.keys(params)
4752
+ .sort()
4753
+ .map(key => `${key}=${params[key]}`)
4754
+ .join('&');
4755
+ exactKeyWithParams += '?' + queryParams;
4756
+ }
4757
+ // Check strict match first
4758
+ if (this.storedRoutes[exactKeyWithParams]) {
4759
+ console.log(`🎯 [RouteReuseStrategy] Found exact match for clearing: ${exactKeyWithParams}`);
4760
+ this.destroyAndRemove(exactKeyWithParams);
4761
+ return;
4762
+ }
4763
+ // Check if the key exists without params (sometimes stored without them if no reuseTab data at that moment)
4764
+ if (this.storedRoutes[exactKey]) {
4765
+ console.log(`🎯 [RouteReuseStrategy] Found path-only match for clearing: ${exactKey}`);
4766
+ this.destroyAndRemove(exactKey);
4767
+ return;
4768
+ }
4769
+ // 2. Fuzzy Match: Iterate through all keys to find a substantial match
4770
+ // This handles cases where params might be string vs number, or order differences not caught by simple sort
4771
+ console.log(`🔍 [RouteReuseStrategy] No exact match for ${exactKeyWithParams}. Searching candidates...`);
4772
+ const candidates = Object.keys(this.storedRoutes);
4773
+ for (const startKey of candidates) {
4774
+ // Check if the path part matches
4775
+ const [storedPath, storedQuery] = startKey.split('?');
4776
+ if (storedPath === exactKey || storedPath === '/' + exactKey) {
4777
+ // Path matches. Now check params if requested
4778
+ if (!params || Object.keys(params).length === 0) {
4779
+ // If we didn't ask for specific params, and we found a path match, this is likely it
4780
+ // BUT be careful not to delete a specific parameterized tab if we meant a generic one
4781
+ // For safety, if the stored route HAS params, but we didn't specify any, strictness might be needed.
4782
+ // For now, let's assume if path matches and we have no params, it's a match.
4783
+ console.log(`⚠️ [RouteReuseStrategy] Fuzzy match (Path match, input has no params): ${startKey}`);
4784
+ this.destroyAndRemove(startKey);
4785
+ return;
4786
+ }
4787
+ // Both have params, compare them
4788
+ if (storedQuery) {
4789
+ const storedParams = new URLSearchParams(storedQuery);
4790
+ let allParamsMatch = true;
4791
+ for (const key of Object.keys(params)) {
4792
+ const val = params[key];
4793
+ const storedVal = storedParams.get(key);
4794
+ // Loose equality for string/number match
4795
+ if (storedVal != val) {
4796
+ allParamsMatch = false;
4797
+ break;
4798
+ }
4799
+ }
4800
+ if (allParamsMatch) {
4801
+ console.log(`⚠️ [RouteReuseStrategy] Fuzzy match (Params match loose equality): ${startKey}`);
4802
+ this.destroyAndRemove(startKey);
4803
+ return;
4804
+ }
4805
+ }
4806
+ }
4807
+ }
4808
+ console.warn(`❌ [RouteReuseStrategy] Could not find route to clear for: ${path}`, params);
4809
+ }
4810
+ // Private helper to destroy component and remove from map
4811
+ destroyAndRemove(key) {
4812
+ const handle = this.storedRoutes[key];
4742
4813
  if (handle) {
4743
4814
  // Properly destroy the component instance to prevent memory leaks
4744
4815
  // and ensure clean state when the route is reopened
@@ -4750,14 +4821,14 @@ class CustomRouteReuseStrategy {
4750
4821
  const componentRef = handle;
4751
4822
  // Verify it has hostView (ComponentRef signature)
4752
4823
  if (componentRef.hostView || componentRef.location) {
4753
- console.log(`🗑️ Destroying component instance (ComponentRef) for route: ${pathKey}`);
4824
+ console.log(`🗑️ Destroying component instance (ComponentRef) for route: ${key}`);
4754
4825
  componentRef.destroy();
4755
4826
  }
4756
4827
  }
4757
4828
  // Method 2: Check if handle is a ViewContainerRef
4758
4829
  if (handle && typeof handle.clear === 'function' && typeof handle.length === 'number') {
4759
4830
  const viewContainerRef = handle;
4760
- console.log(`🗑️ Clearing view container for route: ${pathKey}`);
4831
+ console.log(`🗑️ Clearing view container for route: ${key}`);
4761
4832
  viewContainerRef.clear();
4762
4833
  }
4763
4834
  // Method 3: Check if handle is an object with nested ComponentRef
@@ -4779,19 +4850,19 @@ class CustomRouteReuseStrategy {
4779
4850
  componentRef = handleObj._componentRef;
4780
4851
  }
4781
4852
  if (componentRef) {
4782
- console.log(`🗑️ Destroying component instance from handle object for route: ${pathKey}`);
4853
+ console.log(`🗑️ Destroying component instance from handle object for route: ${key}`);
4783
4854
  componentRef.destroy();
4784
4855
  }
4785
4856
  // Also try to clear view container if it exists
4786
4857
  if (handleObj.viewContainerRef && typeof handleObj.viewContainerRef.clear === 'function') {
4787
- console.log(`🗑️ Clearing view container from handle object for route: ${pathKey}`);
4858
+ console.log(`🗑️ Clearing view container from handle object for route: ${key}`);
4788
4859
  handleObj.viewContainerRef.clear();
4789
4860
  }
4790
4861
  // Try to destroy any nested components
4791
4862
  if (handleObj.components && Array.isArray(handleObj.components)) {
4792
4863
  handleObj.components.forEach((comp, index) => {
4793
4864
  if (comp && typeof comp.destroy === 'function') {
4794
- console.log(`🗑️ Destroying nested component ${index} for route: ${pathKey}`);
4865
+ console.log(`🗑️ Destroying nested component ${index} for route: ${key}`);
4795
4866
  comp.destroy();
4796
4867
  }
4797
4868
  });
@@ -4799,21 +4870,41 @@ class CustomRouteReuseStrategy {
4799
4870
  }
4800
4871
  }
4801
4872
  catch (error) {
4802
- console.warn(`⚠️ Error destroying route handle for ${pathKey}:`, error);
4873
+ console.warn(`⚠️ Error destroying route handle for ${key}:`, error);
4803
4874
  }
4804
4875
  // Remove from stored routes - this ensures shouldAttach will return false for this route
4805
- delete this.storedRoutes[pathKey];
4806
- console.log(`✅ Cleared stored route: ${pathKey} (removed from storedRoutes map)`);
4876
+ delete this.storedRoutes[key];
4877
+ console.log(`✅ Cleared stored route: ${key} (removed from storedRoutes map)`);
4807
4878
  }
4808
4879
  else {
4809
- console.log(`ℹ️ No stored route found for: ${pathKey}`);
4880
+ console.log(`ℹ️ No stored route found for: ${key}`);
4810
4881
  }
4811
4882
  }
4883
+ /**
4884
+ * Legacy method for backward compatibility, redirects to new clearRoute or destroys directly if key provided
4885
+ * @deprecated Use clearRoute instead
4886
+ */
4887
+ clearStoredRoute(pathKey) {
4888
+ this.destroyAndRemove(pathKey);
4889
+ }
4812
4890
  // Clears all stored routes (useful for cleanup)
4891
+ // This method ensures all component instances are destroyed and removed from DOM
4813
4892
  clearAllStoredRoutes() {
4814
- Object.keys(this.storedRoutes).forEach(pathKey => {
4893
+ const routeKeys = Object.keys(this.storedRoutes);
4894
+ console.log(`🧹 [RouteReuseStrategy] Clearing ${routeKeys.length} stored route(s) to remove components from DOM`);
4895
+ routeKeys.forEach(pathKey => {
4815
4896
  this.clearStoredRoute(pathKey);
4816
4897
  });
4898
+ // Double-check that all routes are cleared
4899
+ const remainingRoutes = Object.keys(this.storedRoutes).length;
4900
+ if (remainingRoutes > 0) {
4901
+ console.warn(`⚠️ [RouteReuseStrategy] ${remainingRoutes} route(s) still remain after clearing. Force clearing...`);
4902
+ // Force clear any remaining routes
4903
+ Object.keys(this.storedRoutes).forEach(pathKey => {
4904
+ delete this.storedRoutes[pathKey];
4905
+ });
4906
+ }
4907
+ console.log(`✅ [RouteReuseStrategy] All stored routes cleared. Components should be removed from DOM.`);
4817
4908
  }
4818
4909
  // Gets the count of stored routes (useful for debugging)
4819
4910
  getStoredRoutesCount() {
@@ -5069,18 +5160,12 @@ class CideLytRequestService {
5069
5160
  }
5070
5161
  // Before navigating, ensure the route is fresh by clearing any cached state
5071
5162
  // This prevents old component data from persisting when reopening a tab
5163
+ // Before navigating, ensure the route is fresh by clearing any cached state
5164
+ // This prevents old component data from persisting when reopening a tab
5072
5165
  if (this.routeReuseStrategy instanceof CustomRouteReuseStrategy) {
5073
- let pathKey = tabToActivate.route.startsWith('/') ? tabToActivate.route.substring(1) : tabToActivate.route;
5074
- if (tabToActivate.params && Object.keys(tabToActivate.params).length > 0) {
5075
- const queryParamsString = Object.keys(tabToActivate.params)
5076
- .sort()
5077
- .map(key => `${key}=${tabToActivate.params[key]}`)
5078
- .join('&');
5079
- pathKey += '?' + queryParamsString;
5080
- }
5081
- // Clear any cached route to ensure fresh component state
5082
- this.routeReuseStrategy.clearStoredRoute(pathKey);
5083
- console.log(`🔄 REQUEST SERVICE: Cleared cached route ${pathKey} before activating tab`);
5166
+ // Use the new robust clearRoute method
5167
+ this.routeReuseStrategy.clearRoute(tabToActivate.route, tabToActivate.params);
5168
+ console.log(`🔄 REQUEST SERVICE: Cleared cached route for ${tabToActivate.title} before activating tab`);
5084
5169
  }
5085
5170
  // Update tabs: deactivate all, then activate the target
5086
5171
  const updatedTabs = tabs.map(tab => ({
@@ -5109,30 +5194,11 @@ class CideLytRequestService {
5109
5194
  // Sync with TabStateService by removing the tab state
5110
5195
  this.tabStateService.removeTab(id);
5111
5196
  // Clear stored route from strategy and ensure proper component cleanup
5197
+ // Clear stored route from strategy and ensure proper component cleanup
5112
5198
  if (this.routeReuseStrategy instanceof CustomRouteReuseStrategy) {
5113
- // Generate pathKey in the same format as CustomRouteReuseStrategy.getPathKey()
5114
- // Remove leading slash to match the format used by getPathKey
5115
- let pathKey = tabToClose.route.startsWith('/') ? tabToClose.route.substring(1) : tabToClose.route;
5116
- // Only add query params if the route is marked for reuse (matching getPathKey logic)
5117
- // But we'll try to clear with both formats to be safe
5118
- if (tabToClose.params && Object.keys(tabToClose.params).length > 0) {
5119
- const queryParamsString = Object.keys(tabToClose.params)
5120
- .sort()
5121
- .map(key => `${key}=${tabToClose.params[key]}`)
5122
- .join('&');
5123
- pathKey += '?' + queryParamsString;
5124
- }
5125
- // Clear the stored route and destroy the component instance
5126
- this.routeReuseStrategy.clearStoredRoute(pathKey);
5127
- // Also try clearing without query params in case the route wasn't marked for reuse
5128
- // This ensures we catch all possible pathKey variations
5129
- const pathKeyWithoutParams = tabToClose.route.startsWith('/') ? tabToClose.route.substring(1) : tabToClose.route;
5130
- if (pathKeyWithoutParams !== pathKey) {
5131
- this.routeReuseStrategy.clearStoredRoute(pathKeyWithoutParams);
5132
- }
5133
- // Force a route refresh to ensure clean component state
5134
- // This prevents old data from persisting when the same route is reopened
5135
- console.log(`🧹 REQUEST SERVICE: Cleared stored route for ${pathKey} and destroyed component instance`);
5199
+ // Use the new robust clearRoute method
5200
+ this.routeReuseStrategy.clearRoute(tabToClose.route, tabToClose.params);
5201
+ console.log(`🧹 REQUEST SERVICE: Cleared stored route for closed tab ${tabToClose.title}`);
5136
5202
  // If this was the active tab, navigate away to ensure component is removed from DOM
5137
5203
  if (wasActive) {
5138
5204
  // The navigation to the new active tab will happen below, which will properly clear the router outlet
@@ -5165,7 +5231,8 @@ class CideLytRequestService {
5165
5231
  // Clear sidedrawer as no tabs are open
5166
5232
  this.sidedrawerService.updateDrawerItems(undefined);
5167
5233
  // Redirect to home screen when all tabs are closed
5168
- this.router.navigate(['/control-panel']);
5234
+ // Use replaceUrl to prevent back navigation to closed tabs and ensure clean state
5235
+ this.router.navigate(['/control-panel'], { replaceUrl: true });
5169
5236
  }
5170
5237
  this.tabsSignal.set(newTabs);
5171
5238
  // Request wrapper visibility is now controlled by layout configuration
@@ -5174,6 +5241,10 @@ class CideLytRequestService {
5174
5241
  /**
5175
5242
  * Close all tabs and navigate to home
5176
5243
  * This is used when entity changes to ensure all components are destroyed and refreshed
5244
+ * IMPORTANT: This method ensures all tab components are removed from DOM by:
5245
+ * 1. Clearing all stored routes from route reuse strategy (destroys component instances)
5246
+ * 2. Clearing all tabs from TabStateService
5247
+ * 3. Navigating to home to clear router outlet
5177
5248
  */
5178
5249
  closeAllTabs() {
5179
5250
  console.log('🧹 REQUEST SERVICE: Closing all tabs due to entity change');
@@ -5181,35 +5252,26 @@ class CideLytRequestService {
5181
5252
  // Close all floating containers first
5182
5253
  this.floatingContainerService.hideAll();
5183
5254
  console.log('🧹 REQUEST SERVICE: Closed all floating containers');
5184
- // Clear all tabs from TabStateService
5255
+ // Clear all tabs from TabStateService first
5185
5256
  currentTabs.forEach(tab => {
5186
5257
  this.tabStateService.removeTab(tab.id);
5187
- // Clear stored routes from route reuse strategy
5188
- if (this.routeReuseStrategy instanceof CustomRouteReuseStrategy) {
5189
- let pathKey = tab.route.startsWith('/') ? tab.route.substring(1) : tab.route;
5190
- if (tab.params && Object.keys(tab.params).length > 0) {
5191
- const queryParamsString = Object.keys(tab.params)
5192
- .sort()
5193
- .map(key => `${key}=${tab.params[key]}`)
5194
- .join('&');
5195
- pathKey += '?' + queryParamsString;
5196
- }
5197
- this.routeReuseStrategy.clearStoredRoute(pathKey);
5198
- // Also clear without query params
5199
- const pathKeyWithoutParams = tab.route.startsWith('/') ? tab.route.substring(1) : tab.route;
5200
- if (pathKeyWithoutParams !== pathKey) {
5201
- this.routeReuseStrategy.clearStoredRoute(pathKeyWithoutParams);
5202
- }
5203
- }
5204
5258
  });
5205
- // Clear all tabs
5259
+ // Clear ALL stored routes from route reuse strategy
5260
+ // This ensures all component instances are destroyed and removed from DOM
5261
+ if (this.routeReuseStrategy instanceof CustomRouteReuseStrategy) {
5262
+ console.log('🧹 REQUEST SERVICE: Clearing all stored routes to remove components from DOM');
5263
+ this.routeReuseStrategy.clearAllStoredRoutes();
5264
+ console.log('✅ REQUEST SERVICE: All stored routes cleared, components destroyed');
5265
+ }
5266
+ // Clear all tabs from signals
5206
5267
  this.tabsSignal.set([]);
5207
5268
  this.activeTabIdSignal.set(null);
5208
5269
  this.tabStateService.setActiveTab(null);
5209
5270
  // Clear sidedrawer
5210
5271
  this.sidedrawerService.updateDrawerItems(undefined);
5211
- // Navigate to home
5212
- this.router.navigate(['/control-panel']);
5272
+ // Navigate to home - this ensures router outlet is cleared and any remaining components are removed
5273
+ // Use replaceUrl to prevent back navigation to closed tabs
5274
+ this.router.navigate(['/control-panel'], { replaceUrl: true });
5213
5275
  console.log('✅ REQUEST SERVICE: All tabs and floating containers closed, navigated to home');
5214
5276
  }
5215
5277
  // Hide Request
@@ -5248,17 +5310,8 @@ class CideLytRequestService {
5248
5310
  */
5249
5311
  forceRefreshRoute(route, params) {
5250
5312
  if (this.routeReuseStrategy instanceof CustomRouteReuseStrategy) {
5251
- let pathKey = route.startsWith('/') ? route.substring(1) : route;
5252
- if (params && Object.keys(params).length > 0) {
5253
- const queryParamsString = Object.keys(params)
5254
- .sort()
5255
- .map(key => `${key}=${params[key]}`)
5256
- .join('&');
5257
- pathKey += '?' + queryParamsString;
5258
- }
5259
- // Clear the stored route to force a fresh component instance
5260
- this.routeReuseStrategy.clearStoredRoute(pathKey);
5261
- console.log(`🔄 REQUEST SERVICE: Force refreshed route ${pathKey}`);
5313
+ this.routeReuseStrategy.clearRoute(route, params);
5314
+ console.log(`🔄 REQUEST SERVICE: Force refreshed route ${route}`);
5262
5315
  }
5263
5316
  }
5264
5317
  /**
@@ -5364,8 +5417,8 @@ class CideLytSidedrawerWrapperComponent {
5364
5417
  }
5365
5418
  ngOnInit() {
5366
5419
  // Initialize the component map (You'd likely populate this from a config or service)
5367
- this.componentMap['drowar_notes'] = () => import('./cloud-ide-layout-sidedrawer-notes.component-c7SI5coP.mjs').then(m => m.CideLytSidedrawerNotesComponent);
5368
- this.componentMap['drawer_theme'] = () => import('./cloud-ide-layout-drawer-theme.component-B08bRsuV.mjs').then(m => m.CideLytDrawerThemeComponent);
5420
+ this.componentMap['drowar_notes'] = () => import('./cloud-ide-layout-sidedrawer-notes.component-D4zenTjI.mjs').then(m => m.CideLytSidedrawerNotesComponent);
5421
+ this.componentMap['drawer_theme'] = () => import('./cloud-ide-layout-drawer-theme.component-DywE01AM.mjs').then(m => m.CideLytDrawerThemeComponent);
5369
5422
  }
5370
5423
  async loadComponent(configFor) {
5371
5424
  console.log('🔍 SIDEDRAWER - Loading component:', configFor, 'Current tab:', this.currentTabId);
@@ -7057,7 +7110,7 @@ const layoutControlPannelChildRoutes = [{
7057
7110
  },
7058
7111
  {
7059
7112
  path: "home",
7060
- loadComponent: () => import('./cloud-ide-layout-home-wrapper.component-Cmq9HGPt.mjs').then(c => c.CideLytHomeWrapperComponent),
7113
+ loadComponent: () => import('./cloud-ide-layout-home-wrapper.component-DTKumUOV.mjs').then(c => c.CideLytHomeWrapperComponent),
7061
7114
  canActivate: [authGuard],
7062
7115
  data: {
7063
7116
  sypg_page_code: "cide_lyt_home" // Used by RequestService to fetch tab properties
@@ -7065,7 +7118,7 @@ const layoutControlPannelChildRoutes = [{
7065
7118
  },
7066
7119
  {
7067
7120
  path: "dashboard-manager",
7068
- loadComponent: () => import('./cloud-ide-layout-dashboard-manager.component-VUHtS7Oq.mjs').then(c => c.DashboardManagerComponent),
7121
+ loadComponent: () => import('./cloud-ide-layout-dashboard-manager.component-BVtdt1TW.mjs').then(c => c.DashboardManagerComponent),
7069
7122
  canActivate: [authGuard],
7070
7123
  data: {
7071
7124
  sypg_page_code: "cide_lyt_dashboard_manager"
@@ -8889,4 +8942,4 @@ var floatingEntitySelection_component = /*#__PURE__*/Object.freeze({
8889
8942
  */
8890
8943
 
8891
8944
  export { AppStateHelperService as A, CideLytSharedWrapperComponent as C, ENVIRONMENT_CONFIG as E, NotificationSettingsService as N, RightsService as R, CideLytSidebarService as a, CideLytSidedrawerService as b, CideLytThemeService as c, CloudIdeLayoutService as d, CloudIdeLayoutComponent as e, CideLytSharedService as f, ComponentContextService as g, layoutControlPannelChildRoutes as h, CustomRouteReuseStrategy as i, AppStateService as j, CideLytUserStatusService as k, layoutRoutes as l, CacheManagerService as m, CideLytFileManagerService as n, CideLytFloatingEntityRightsSharingComponent as o, processThemeVariable as p, CideLytFloatingEntityRightsSharingService as q, CideLytFloatingEntitySelectionComponent as r, setCSSVariable as s, themeFactory as t, CideLytFloatingEntitySelectionService as u };
8892
- //# sourceMappingURL=cloud-ide-layout-cloud-ide-layout-Dmny5YH7.mjs.map
8945
+ //# sourceMappingURL=cloud-ide-layout-cloud-ide-layout-W4WjBty3.mjs.map