barsa-novin-ray-core 2.3.133 → 2.3.135

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.
@@ -4097,13 +4097,20 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "20.0.6", ngImpor
4097
4097
  }] });
4098
4098
 
4099
4099
  class DynamicDarkColorPipe {
4100
+ constructor() {
4101
+ this.cache = new Map();
4102
+ this.darkBackground = [18, 18, 18]; // #121212
4103
+ this.minContrast = 4.5;
4104
+ this.colorParseCache = new Map();
4105
+ }
4100
4106
  transform(styleStr) {
4101
- const prefersDark = IsDarkMode();
4102
- if (!prefersDark || !styleStr) {
4107
+ if (!IsDarkMode() || !styleStr) {
4103
4108
  return styleStr;
4104
4109
  }
4105
- // پیدا کردن رنگ در استرینگ
4106
- const regex = /color\s*:\s*([^;!]+)[;!]/i;
4110
+ if (this.cache.has(styleStr)) {
4111
+ return this.cache.get(styleStr);
4112
+ }
4113
+ const regex = /color\s*:\s*([^;!]+)[;!]?/i;
4107
4114
  const match = styleStr.match(regex);
4108
4115
  if (!match) {
4109
4116
  return styleStr;
@@ -4113,25 +4120,72 @@ class DynamicDarkColorPipe {
4113
4120
  if (!rgb) {
4114
4121
  return styleStr;
4115
4122
  }
4116
- // تنظیم روشنایی برای حالت دارک
4117
- const hexColor = this.rgbToHex(rgb);
4118
- const newColor = this.toDarkModeHSL(hexColor);
4119
- // جایگزینی رنگ در استرینگ
4120
- const newStyleStr = styleStr.replace(regex, `color: ${newColor};`);
4121
- return newStyleStr;
4122
- }
4123
- toDarkModeHSL(hexColor) {
4124
- // Convert HEX to HSL
4125
- const r = parseInt(hexColor.substring(1, 3), 16) / 255;
4126
- const g = parseInt(hexColor.substring(3, 5), 16) / 255;
4127
- const b = parseInt(hexColor.substring(5, 7), 16) / 255;
4123
+ this.colorParseCache.set(originalColor, rgb); // Cache the parsed color
4124
+ const contrast = this.getContrastRatio(rgb, this.darkBackground);
4125
+ // اگر کنتراست خوبه دست نزن
4126
+ if (contrast >= this.minContrast) {
4127
+ this.cache.set(styleStr, styleStr);
4128
+ return styleStr;
4129
+ }
4130
+ // ❌ اگر بد بود → اصلاح کن
4131
+ const adjustedHex = this.adjustColorForDarkMode(rgb);
4132
+ const newStyle = styleStr.replace(regex, `color: ${adjustedHex};`);
4133
+ this.cache.set(styleStr, newStyle);
4134
+ return newStyle;
4135
+ }
4136
+ // ---------------------------------------------------
4137
+ // 🎯 Adjust until contrast >= 4.5
4138
+ // ---------------------------------------------------
4139
+ adjustColorForDarkMode(rgb) {
4140
+ const [h, s, initialL] = this.rgbToHsl(rgb);
4141
+ let l = initialL;
4142
+ let attempts = 0;
4143
+ let newRgb = rgb;
4144
+ let contrast = this.getContrastRatio(newRgb, this.darkBackground);
4145
+ while (contrast < this.minContrast && attempts < 20) {
4146
+ l = Math.min(1, l + 0.05);
4147
+ newRgb = this.hslToRgb(h, s, l);
4148
+ contrast = this.getContrastRatio(newRgb, this.darkBackground);
4149
+ attempts++;
4150
+ }
4151
+ return this.rgbArrayToHex(newRgb);
4152
+ }
4153
+ // ---------------------------------------------------
4154
+ // 🎨 Color Utilities
4155
+ // ---------------------------------------------------
4156
+ parseColor(color) {
4157
+ const ctx = document.createElement('canvas').getContext('2d');
4158
+ if (!ctx) {
4159
+ return null;
4160
+ }
4161
+ ctx.fillStyle = color;
4162
+ const computed = ctx.fillStyle;
4163
+ // اگر خروجی hex بود
4164
+ if (computed.startsWith('#')) {
4165
+ const hex = computed.slice(1);
4166
+ return [
4167
+ parseInt(hex.substring(0, 2), 16),
4168
+ parseInt(hex.substring(2, 4), 16),
4169
+ parseInt(hex.substring(4, 6), 16)
4170
+ ];
4171
+ }
4172
+ // اگر rgb یا rgba بود
4173
+ const match = computed.match(/rgba?\((\d+),\s*(\d+),\s*(\d+)/);
4174
+ if (match) {
4175
+ return [parseInt(match[1], 10), parseInt(match[2], 10), parseInt(match[3], 10)];
4176
+ }
4177
+ return null;
4178
+ }
4179
+ rgbArrayToHex(rgb) {
4180
+ return '#' + rgb.map((v) => v.toString(16).padStart(2, '0')).join('');
4181
+ }
4182
+ rgbToHsl(rgb) {
4183
+ const [r, g, b] = rgb.map((v) => v / 255);
4128
4184
  const max = Math.max(r, g, b);
4129
4185
  const min = Math.min(r, g, b);
4130
- let h, s, l = (max + min) / 2;
4131
- if (max === min) {
4132
- h = s = 0; // achromatic
4133
- }
4134
- else {
4186
+ let h = 0, s = 0;
4187
+ const l = (max + min) / 2;
4188
+ if (max !== min) {
4135
4189
  const d = max - min;
4136
4190
  s = l > 0.5 ? d / (2 - max - min) : d / (max + min);
4137
4191
  switch (max) {
@@ -4147,71 +4201,49 @@ class DynamicDarkColorPipe {
4147
4201
  }
4148
4202
  h /= 6;
4149
4203
  }
4150
- // Adjust lightness for dark mode (e.g., reduce lightness for darker colors, increase for lighter ones)
4151
- // This is a simplified example; more complex logic might be needed for optimal results.
4152
- l = 1 - l; // Invert lightness
4153
- l = Math.min(0.8, Math.max(0.2, l)); // Clamp lightness to a reasonable range for dark mode
4154
- // Convert HSL back to HEX
4204
+ return [h, s, l];
4205
+ }
4206
+ hslToRgb(h, s, l) {
4155
4207
  const c = (1 - Math.abs(2 * l - 1)) * s;
4156
4208
  const x = c * (1 - Math.abs(((h * 6) % 2) - 1));
4157
4209
  const m = l - c / 2;
4158
- let r_prime, g_prime, b_prime;
4159
- if (0 <= h * 6 && h * 6 < 1) {
4160
- r_prime = c;
4161
- g_prime = x;
4162
- b_prime = 0;
4163
- }
4164
- else if (1 <= h * 6 && h * 6 < 2) {
4165
- r_prime = x;
4166
- g_prime = c;
4167
- b_prime = 0;
4168
- }
4169
- else if (2 <= h * 6 && h * 6 < 3) {
4170
- r_prime = 0;
4171
- g_prime = c;
4172
- b_prime = x;
4173
- }
4174
- else if (3 <= h * 6 && h * 6 < 4) {
4175
- r_prime = 0;
4176
- g_prime = x;
4177
- b_prime = c;
4178
- }
4179
- else if (4 <= h * 6 && h * 6 < 5) {
4180
- r_prime = x;
4181
- g_prime = 0;
4182
- b_prime = c;
4183
- }
4184
- else if (5 <= h * 6 && h * 6 < 6) {
4185
- r_prime = c;
4186
- g_prime = 0;
4187
- b_prime = x;
4188
- }
4189
- const finalR = Math.round((r_prime + m) * 255);
4190
- const finalG = Math.round((g_prime + m) * 255);
4191
- const finalB = Math.round((b_prime + m) * 255);
4192
- return '#' + ((1 << 24) + (finalR << 16) + (finalG << 8) + finalB).toString(16).slice(1); // eslint-disable-line no-bitwise
4193
- }
4194
- rgbToHex(rgb) {
4195
- if (!rgb || rgb.length < 3) {
4196
- return null;
4210
+ let r1 = 0, g1 = 0, b1 = 0;
4211
+ if (h < 1 / 6) {
4212
+ [r1, g1, b1] = [c, x, 0];
4197
4213
  }
4198
- const r = rgb[0];
4199
- const g = rgb[1];
4200
- const b = rgb[2];
4201
- const toHex = (c) => {
4202
- const hex = c.toString(16);
4203
- return hex.length === 1 ? '0' + hex : hex;
4204
- };
4205
- return `#${toHex(r)}${toHex(g)}${toHex(b)}`;
4206
- }
4207
- parseColor(color) {
4208
- const temp = document.createElement('div');
4209
- temp.style.color = color;
4210
- document.body.appendChild(temp);
4211
- const computed = getComputedStyle(temp).color;
4212
- document.body.removeChild(temp);
4213
- const match = computed.match(/^rgb\((\d+),\s*(\d+),\s*(\d+)\)$/);
4214
- return match ? [parseInt(match[1], 10), parseInt(match[2], 10), parseInt(match[3], 10)] : null;
4214
+ else if (h < 2 / 6) {
4215
+ [r1, g1, b1] = [x, c, 0];
4216
+ }
4217
+ else if (h < 3 / 6) {
4218
+ [r1, g1, b1] = [0, c, x];
4219
+ }
4220
+ else if (h < 4 / 6) {
4221
+ [r1, g1, b1] = [0, x, c];
4222
+ }
4223
+ else if (h < 5 / 6) {
4224
+ [r1, g1, b1] = [x, 0, c];
4225
+ }
4226
+ else {
4227
+ [r1, g1, b1] = [c, 0, x];
4228
+ }
4229
+ return [Math.round((r1 + m) * 255), Math.round((g1 + m) * 255), Math.round((b1 + m) * 255)];
4230
+ }
4231
+ // ---------------------------------------------------
4232
+ // 📏 WCAG Contrast
4233
+ // ---------------------------------------------------
4234
+ getContrastRatio(rgb1, rgb2) {
4235
+ const lum1 = this.getLuminance(rgb1);
4236
+ const lum2 = this.getLuminance(rgb2);
4237
+ const brightest = Math.max(lum1, lum2);
4238
+ const darkest = Math.min(lum1, lum2);
4239
+ return (brightest + 0.05) / (darkest + 0.05);
4240
+ }
4241
+ getLuminance(rgb) {
4242
+ const a = rgb.map((v) => {
4243
+ v /= 255;
4244
+ return v <= 0.03928 ? v / 12.92 : Math.pow((v + 0.055) / 1.055, 2.4);
4245
+ });
4246
+ return 0.2126 * a[0] + 0.7152 * a[1] + 0.0722 * a[2];
4215
4247
  }
4216
4248
  static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "20.0.6", ngImport: i0, type: DynamicDarkColorPipe, deps: [], target: i0.ɵɵFactoryTarget.Pipe }); }
4217
4249
  static { this.ɵpipe = i0.ɵɵngDeclarePipe({ minVersion: "14.0.0", version: "20.0.6", ngImport: i0, type: DynamicDarkColorPipe, isStandalone: false, name: "dynamicDarkColor" }); }
@@ -6013,7 +6045,7 @@ function reportRoutes(authGuard = false) {
6013
6045
  return {
6014
6046
  path: 'report/:id',
6015
6047
  canActivate: authGuard ? [AuthGuard] : [],
6016
- loadChildren: () => import('./barsa-novin-ray-core-barsa-report-page.module-DStGV-ZA.mjs').then((m) => m.BarsaReportPageModule),
6048
+ loadChildren: () => import('./barsa-novin-ray-core-barsa-report-page.module-BbA0tJ6I.mjs').then((m) => m.BarsaReportPageModule),
6017
6049
  resolve: {
6018
6050
  breadcrumb: ReportBreadcrumbResolver
6019
6051
  }
@@ -19053,4 +19085,4 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "20.0.6", ngImpor
19053
19085
  */
19054
19086
 
19055
19087
  export { PreventDefaultDirective as $, AnchorScrollDirective as A, BaseModule as B, CardDynamicItemComponent as C, DynamicComponentService as D, EmptyPageWithRouterAndRouterOutletComponent as E, FieldDirective as F, IntersectionObserverDirective as G, ItemsRendererDirective as H, ImageLazyDirective as I, NumbersOnlyInputDirective as J, PlaceHolderDirective as K, RenderUlvViewerDirective as L, MasterDetailsPageComponent as M, NotFoundComponent as N, RenderUlvPaginDirective as O, PortalPageComponent as P, UntilInViewDirective as Q, ReportEmptyPageComponent as R, CopyDirective as S, TableResizerDirective as T, UlvCommandDirective as U, EllapsisTextDirective as V, WorfkflowwChoiceCommandDirective as W, FillEmptySpaceDirective as X, FormCloseDirective as Y, MobileDirective as Z, BodyClickDirective as _, EmptyPageComponent as a, MoInfoUlvPagingPipe as a$, StopPropagationDirective as a0, CountDownDirective as a1, RouteFormChangeDirective as a2, DynamicStyleDirective as a3, NowraptextDirective as a4, LabelmandatoryDirective as a5, AbsoluteDivBodyDirective as a6, LoadExternalFilesDirective as a7, RenderUlvDirective as a8, PrintFilesDirective as a9, TlbButtonsPipe as aA, RemoveNewlinePipe as aB, MoValuePipe as aC, FilterPipe as aD, FilterTabPipe as aE, MoReportValueConcatPipe as aF, FilterStringPipe as aG, SortPipe as aH, BbbTranslatePipe as aI, BarsaIconDictPipe as aJ, FileInfoCountPipe as aK, ControlUiPipe as aL, VisibleValuePipe as aM, FilterToolbarControlPipe as aN, MultipleGroupByPipe as aO, PictureFieldSourcePipe as aP, FioriIconPipe as aQ, CanUploadFilePipe as aR, ListCountPipe as aS, TotalSummaryPipe as aT, MergeFieldsToColumnsPipe as aU, FindColumnByDbNamePipe as aV, FilterColumnsByDetailsPipe as aW, MoInfoUlvMoListPipe as aX, ReversePipe as aY, ColumnCustomUiPipe as aZ, SanitizeTextPipe as a_, SaveImageDirective as aa, WebOtpDirective as ab, SplideSliderDirective as ac, DynamicRootVariableDirective as ad, HorizontalResponsiveDirective as ae, MeasureFormTitleWidthDirective as af, OverflowTextDirective as ag, ShortcutRegisterDirective as ah, ShortcutHandlerDirective as ai, BarsaReadonlyDirective as aj, ResizeObserverDirective as ak, ColumnValueDirective as al, ScrollToSelectedDirective as am, ScrollPersistDirective as an, TooltipDirective as ao, SimplebarDirective as ap, LeafletLongPressDirective as aq, ResizeHandlerDirective as ar, SafeBottomDirective as as, MoReportValuePipe as at, NumeralPipe as au, GroupByPipe as av, ContextMenuPipe as aw, HeaderFacetValuePipe as ax, SeperatorFixPipe as ay, ConvertToStylePipe as az, PortalPageSidebarComponent as b, CardViewService as b$, ColumnCustomComponentPipe as b0, ColumnValuePipe as b1, ColumnIconPipe as b2, RowNumberPipe as b3, ComboRowImagePipe as b4, IsExpandedNodePipe as b5, ThImageOrIconePipe as b6, FindPreviewColumnPipe as b7, ReplacePipe as b8, FilterWorkflowInMobilePipe as b9, LogService as bA, PortalService as bB, UiService as bC, UlvMainService as bD, UploadService as bE, NetworkStatusService as bF, AudioRecordingService as bG, VideoRecordingService as bH, LocalStorageService as bI, IndexedDbService as bJ, BarsaStorageService as bK, PromptUpdateService as bL, NotificationService as bM, ServiceWorkerNotificationService as bN, ColumnService as bO, ServiceWorkerCommuncationService as bP, SaveScrollPositionService as bQ, RoutingService as bR, GroupByService as bS, LayoutMainContentService as bT, TabpageService as bU, InMemoryStorageService as bV, ShellbarHeightService as bW, ApplicationCtrlrService as bX, PushCheckService as bY, IdbService as bZ, PushNotificationService as b_, HideColumnsInmobilePipe as ba, StringToNumberPipe as bb, ColumnValueOfParametersPipe as bc, HideAcceptCancelButtonsPipe as bd, FilterInlineActionListPipe as be, IsImagePipe as bf, ToolbarSettingsPipe as bg, CardMediaSizePipe as bh, LabelStarTrimPipe as bi, SplitPipe as bj, DynamicDarkColorPipe as bk, ChunkArrayPipe as bl, MapToChatMessagePipe as bm, PicturesByGroupIdPipe as bn, ScopedCssPipe as bo, ReportActionListPipe as bp, ApiService as bq, BreadcrumbService as br, CustomInjector as bs, DialogParams as bt, BarsaDialogService as bu, FormPanelService as bv, FormService as bw, ContainerService as bx, HorizontalLayoutService as by, LayoutService as bz, BaseDynamicComponent as c, LinearListControlInfoModel as c$, BaseSettingsService as c0, CalendarSettingsService as c1, PortalDynamicPageResolver as c2, PortalFormPageResolver as c3, PortalPageResolver as c4, PortalReportPageResolver as c5, TileGroupBreadcrumResolver as c6, LoginSettingsResolver as c7, ReportBreadcrumbResolver as c8, DateService as c9, ReportItemBaseComponent as cA, ApplicationBaseComponent as cB, LayoutItemBaseComponent as cC, LayoutPanelBaseComponent as cD, PageBaseComponent as cE, NumberBaseComponent as cF, GeneralControlInfoModel as cG, StringControlInfoModel as cH, RichStringControlInfoModel as cI, NumberControlInfoModel as cJ, FilePictureInfoModel as cK, FileControlInfoModel as cL, CommandControlInfoModel as cM, IconControlInfoModel as cN, PictureFileControlInfoModel as cO, GaugeControlInfoModel as cP, RelationListControlInfoModel as cQ, HistoryControlInfoModel as cR, RabetehAkseTakiListiControlInfoModel as cS, RelatedReportControlInfoModel as cT, CodeEditorControlInfoModel as cU, EnumControlInfoModel as cV, RowDataOption as cW, DateTimeControlInfoModel as cX, BoolControlInfoModel as cY, CalculateControlInfoModel as cZ, SubformControlInfoModel as c_, DateHijriService as ca, DateMiladiService as cb, DateShamsiService as cc, FormNewComponent as cd, ReportContainerComponent as ce, FormComponent as cf, FieldUiComponent as cg, BarsaSapUiFormPageModule as ch, ReportNavigatorComponent as ci, BaseController as cj, ViewBase as ck, ModalRootComponent as cl, ButtonLoadingComponent as cm, UnlimitSessionComponent as cn, SplitterComponent as co, APP_VERSION as cp, DIALOG_SERVICE as cq, FORM_DIALOG_COMPONENT as cr, NOTIFICATAION_POPUP_SERVER as cs, TOAST_SERVICE as ct, NOTIFICATION_WEBWORKER_FACTORY as cu, FieldBaseComponent as cv, FormBaseComponent as cw, FormToolbarBaseComponent as cx, SystemBaseComponent as cy, ReportBaseComponent as cz, DynamicFormComponent as d, executeUlvCommandHandler as d$, ListRelationModel as d0, SingleRelationControlInfoModel as d1, MetaobjectDataModel as d2, MoForReportModelBase as d3, MoForReportModel as d4, ReportBaseInfo as d5, FormToolbarButton as d6, ReportExtraInfo as d7, MetaobjectRelationModel as d8, FieldInfoTypeEnum as d9, FormPageComponent as dA, BaseColumnPropsComponent as dB, TilePropsComponent as dC, FormFieldReportPageComponent as dD, BaseUlvSettingComponent as dE, TableHeaderWidthMode as dF, setTableThWidth as dG, calculateColumnContent as dH, calculateColumnWidth as dI, setColumnWidthByMaxMoContentWidth as dJ, calculateMoDataListContentWidthByColumnName as dK, calculateFreeColumnSize as dL, calculateColumnWidthFitToContainer as dM, calcContextMenuWidth as dN, RotateImage as dO, isInLocalMode as dP, getLabelWidth as dQ, getColumnValueOfMoDataList as dR, throwIfAlreadyLoaded as dS, measureText2 as dT, measureText as dU, measureTextBy as dV, genrateInlineMoId as dW, enumValueToStringSize as dX, isVersionBiggerThan as dY, compareVersions as dZ, scrollToElement as d_, BaseReportModel as da, DefaultCommandsAccessValue as db, CustomCommand as dc, ReportModel as dd, ReportListModel as de, ReportFormModel as df, ReportCalendarModel as dg, ReportTreeModel as dh, ReportViewColumn as di, DefaultGridSetting as dj, GridSetting as dk, ColSetting as dl, SortSetting as dm, ReportField as dn, DateRanges as dp, SortDirection as dq, SelectionMode as dr, UlvHeightSizeType as ds, FilesValidationHelper as dt, BarsaApi as du, ReportViewBaseComponent as dv, FormPropsBaseComponent as dw, LinearListHelper as dx, PageWithFormHandlerBaseComponent as dy, FormPageBaseComponent as dz, DynamicItemComponent as e, VideoMimeType as e$, getUniqueId as e0, getDateService as e1, getAllItemsPerChildren as e2, setOneDepthLevel as e3, isFirefox as e4, getImagePath as e5, checkPermission as e6, fixUnclosedParentheses as e7, isFunction as e8, DeviceWidth as e9, getResetGridSettings as eA, GetDefaultMoObjectInfo as eB, getLayout94ObjectInfo as eC, getFormSettings as eD, createFormPanelMetaConditions as eE, getNewMoGridEditor as eF, createGridEditorFormPanel as eG, getLayoutControl as eH, getControlList as eI, shallowEqual as eJ, toNumber as eK, InputNumber as eL, AffixRespondEvents as eM, isTargetWindow as eN, getTargetRect as eO, getFieldValue as eP, availablePrefixes as eQ, requestAnimationFramePolyfill as eR, ExecuteDynamicCommand as eS, ExecuteWorkflowChoiceDef as eT, getRequestAnimationFrame as eU, cancelRequestAnimationFrame as eV, easeInOutCubic as eW, WordMimeType as eX, ImageMimeType as eY, PdfMimeType as eZ, AllFilesMimeType as e_, getHeaderValue as ea, elementInViewport2 as eb, PreventDefaulEvent as ec, stopPropagation as ed, getParentHeight as ee, getComponentDefined as ef, isSafari as eg, isFF as eh, getDeviceIsPhone as ei, getDeviceIsDesktop as ej, getDeviceIsTablet as ek, getDeviceIsMobile as el, getControlSizeMode as em, formatBytes as en, getValidExtension as eo, getIcon as ep, isImage as eq, GetAllColumnsSorted as er, GetVisibleValue as es, GroupBy as et, FindGroup as eu, FillAllLayoutControls as ev, FindToolbarItem as ew, FindLayoutSettingFromLayout94 as ex, GetAllHorizontalFromLayout94 as ey, getGridSettings as ez, formRoutes as f, AudioMimeType as f0, MimeTypes as f1, GetContentType as f2, GetViewableExtensions as f3, ChangeLayoutInfoCustomUi as f4, mobile_regex as f5, number_only as f6, forbiddenValidator as f7, GetImgTags as f8, ImagetoPrint as f9, PrintImage as fa, SaveImageToFile as fb, validateAllFormFields as fc, getFocusableTagNames as fd, addCssVariableToRoot as fe, flattenTree as ff, IsDarkMode as fg, nullOrUndefinedString as fh, fromEntries as fi, bodyClick as fj, removeDynamicStyle as fk, addDynamicVariableTo as fl, AddDynamicFormStyles as fm, RemoveDynamicFormStyles as fn, ContainerComponent as fo, IntersectionStatus as fp, fromIntersectionObserver as fq, CustomRouteReuseStrategy as fr, AuthGuard as fs, RedirectHomeGuard as ft, RootPageComponent as fu, ResizableComponent as fv, ResizableDirective as fw, ResizableModule as fx, PushBannerComponent as fy, BarsaNovinRayCoreModule as fz, BaseViewPropsComponent as g, BaseViewContentPropsComponent as h, BaseViewItemPropsComponent as i, RowState as j, BaseItemContentPropsComponent as k, CardBaseItemContentPropsComponent as l, BaseFormToolbaritemPropsComponent as m, DynamicFormToolbaritemComponent as n, DynamicLayoutComponent as o, DynamicTileGroupComponent as p, DynamicUlvToolbarComponent as q, reportRoutes as r, DynamicUlvPagingComponent as s, RootPortalComponent as t, BaseComponent as u, AttrRtlDirective as v, BaseDirective as w, ColumnResizerDirective as x, DynamicCommandDirective as y, EllipsifyDirective as z };
19056
- //# sourceMappingURL=barsa-novin-ray-core-barsa-novin-ray-core-RggkK3TN.mjs.map
19088
+ //# sourceMappingURL=barsa-novin-ray-core-barsa-novin-ray-core-DHEK96LQ.mjs.map