barsa-novin-ray-core 2.3.109 → 2.3.111
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.
|
@@ -17235,6 +17235,148 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "20.0.6", ngImpor
|
|
|
17235
17235
|
type: Input
|
|
17236
17236
|
}] } });
|
|
17237
17237
|
|
|
17238
|
+
class SplitterComponent extends BaseComponent {
|
|
17239
|
+
constructor() {
|
|
17240
|
+
super(...arguments);
|
|
17241
|
+
this.emptyClass = true;
|
|
17242
|
+
this.isBig = false;
|
|
17243
|
+
this._renderer = inject(Renderer2);
|
|
17244
|
+
this._portalService = inject(PortalService);
|
|
17245
|
+
}
|
|
17246
|
+
ngOnInit() {
|
|
17247
|
+
super.ngOnInit();
|
|
17248
|
+
if (this.config) {
|
|
17249
|
+
const { Bounds, MaxSize } = this.config;
|
|
17250
|
+
this.elHeight = Bounds.height;
|
|
17251
|
+
if (this.elHeight > 30) {
|
|
17252
|
+
this.isBig = true;
|
|
17253
|
+
}
|
|
17254
|
+
this.flex = Bounds.width;
|
|
17255
|
+
if (MaxSize.width > 0) {
|
|
17256
|
+
this.elMaxWidth = MaxSize.width;
|
|
17257
|
+
}
|
|
17258
|
+
}
|
|
17259
|
+
const mousedown$ = fromEvent(this.el.nativeElement, 'mousedown');
|
|
17260
|
+
const mousemove$ = fromEvent(document, 'mousemove');
|
|
17261
|
+
const mouseup$ = fromEvent(document, 'mouseup');
|
|
17262
|
+
mousedown$
|
|
17263
|
+
.pipe(tap$1((event) => {
|
|
17264
|
+
event.preventDefault();
|
|
17265
|
+
let nextElementSibling = this.el.nativeElement.nextElementSibling;
|
|
17266
|
+
while (nextElementSibling &&
|
|
17267
|
+
nextElementSibling.tagName.toLocaleLowerCase() === 'bnrc-dynamic-layout') {
|
|
17268
|
+
nextElementSibling &&
|
|
17269
|
+
nextElementSibling.nextElementSibling &&
|
|
17270
|
+
(nextElementSibling = nextElementSibling.nextElementSibling);
|
|
17271
|
+
}
|
|
17272
|
+
this.toggleResizingState(true, nextElementSibling);
|
|
17273
|
+
}), switchMap(() => {
|
|
17274
|
+
// تشخیص جهت در لحظه شروع درگ
|
|
17275
|
+
const isRtl = getComputedStyle(this.el.nativeElement).direction === 'rtl';
|
|
17276
|
+
let previousElementSibling = this.el.nativeElement.previousElementSibling;
|
|
17277
|
+
while (previousElementSibling &&
|
|
17278
|
+
previousElementSibling.tagName.toLocaleLowerCase() === 'bnrc-dynamic-layout') {
|
|
17279
|
+
previousElementSibling &&
|
|
17280
|
+
previousElementSibling.previousElementSibling &&
|
|
17281
|
+
(previousElementSibling = previousElementSibling.previousElementSibling);
|
|
17282
|
+
}
|
|
17283
|
+
let nextElementSibling = this.el.nativeElement.nextElementSibling;
|
|
17284
|
+
while (nextElementSibling &&
|
|
17285
|
+
nextElementSibling.tagName.toLocaleLowerCase() === 'bnrc-dynamic-layout') {
|
|
17286
|
+
nextElementSibling &&
|
|
17287
|
+
nextElementSibling.nextElementSibling &&
|
|
17288
|
+
(nextElementSibling = nextElementSibling.nextElementSibling);
|
|
17289
|
+
}
|
|
17290
|
+
const initialRect = previousElementSibling?.getBoundingClientRect();
|
|
17291
|
+
return mousemove$.pipe(tap$1((event) => {
|
|
17292
|
+
if (previousElementSibling && initialRect) {
|
|
17293
|
+
this.calculateAndSetWidth(event, previousElementSibling, nextElementSibling, initialRect, isRtl);
|
|
17294
|
+
}
|
|
17295
|
+
}), takeUntil$1(mouseup$.pipe(tap$1(() => this.toggleResizingState(false, nextElementSibling)))));
|
|
17296
|
+
}), takeUntil$1(this._onDestroy$))
|
|
17297
|
+
.subscribe();
|
|
17298
|
+
}
|
|
17299
|
+
calculateAndSetWidth(event, sibling, nextSibling, rect, isRtl) {
|
|
17300
|
+
let newWidth;
|
|
17301
|
+
if (isRtl) {
|
|
17302
|
+
// در RTL: فاصله لبه راستِ المنت تا موقعیت ماوس
|
|
17303
|
+
newWidth = rect.right - event.clientX;
|
|
17304
|
+
}
|
|
17305
|
+
else {
|
|
17306
|
+
// در LTR: فاصله موقعیت ماوس تا لبه چپِ المنت
|
|
17307
|
+
newWidth = event.clientX - rect.left;
|
|
17308
|
+
}
|
|
17309
|
+
if ((!this.minWidth || newWidth >= this.minWidth) && (!this.maxWidth || newWidth <= this.maxWidth)) {
|
|
17310
|
+
this._renderer.setStyle(nextSibling, 'overflow', `hidden`);
|
|
17311
|
+
this._renderer.setStyle(sibling, 'width', `${newWidth}px`);
|
|
17312
|
+
this._renderer.setStyle(sibling, 'flex', 'none');
|
|
17313
|
+
}
|
|
17314
|
+
}
|
|
17315
|
+
toggleResizingState(isResizing, nextSibling) {
|
|
17316
|
+
const action = isResizing ? 'addClass' : 'removeClass';
|
|
17317
|
+
this._renderer[action](document.body, 'resizing-active');
|
|
17318
|
+
this._renderer[action](this.el.nativeElement, 'is-resizing');
|
|
17319
|
+
if (!isResizing) {
|
|
17320
|
+
this._renderer.removeClass(nextSibling, 'tw-overflow-hidden');
|
|
17321
|
+
this._portalService.windowResize();
|
|
17322
|
+
}
|
|
17323
|
+
else {
|
|
17324
|
+
this._renderer.addClass(nextSibling, 'tw-overflow-hidden');
|
|
17325
|
+
}
|
|
17326
|
+
}
|
|
17327
|
+
static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "20.0.6", ngImport: i0, type: SplitterComponent, deps: null, target: i0.ɵɵFactoryTarget.Component }); }
|
|
17328
|
+
static { this.ɵcmp = i0.ɵɵngDeclareComponent({ minVersion: "14.0.0", version: "20.0.6", type: SplitterComponent, isStandalone: false, selector: "bnrc-splitter", inputs: { minWidth: "minWidth", maxWidth: "maxWidth", config: "config" }, host: { properties: { "class.empty-space": "this.emptyClass", "class.big": "this.isBig", "style.flex": "this.flex", "style.max-width.px": "this.elMaxWidth", "style.height.px": "this.elHeight" } }, usesInheritance: true, ngImport: i0, template: `<div class="splitter-container">
|
|
17329
|
+
<div class="splitter-line"></div>
|
|
17330
|
+
<div class="grip-handle">
|
|
17331
|
+
<svg viewBox="0 0 24 24" fill="currentColor">
|
|
17332
|
+
<circle cx="9" cy="8" r="1.5" />
|
|
17333
|
+
<circle cx="15" cy="8" r="1.5" />
|
|
17334
|
+
<circle cx="9" cy="12" r="1.5" />
|
|
17335
|
+
<circle cx="15" cy="12" r="1.5" />
|
|
17336
|
+
<circle cx="9" cy="16" r="1.5" />
|
|
17337
|
+
<circle cx="15" cy="16" r="1.5" />
|
|
17338
|
+
</svg>
|
|
17339
|
+
</div>
|
|
17340
|
+
</div>`, isInline: true, styles: [":host{display:flex;align-items:center;justify-content:center;width:12px;cursor:col-resize;z-index:50;-webkit-user-select:none;user-select:none;position:relative}.splitter-container{height:100%;width:100%;display:flex;align-items:center;justify-content:center;position:relative}.splitter-line{width:1px;height:90%;background:linear-gradient(to bottom,transparent 0%,rgba(203,213,225,1) 15%,rgba(203,213,225,1) 85%,transparent 100%);transition:all .2s}.grip-handle{position:absolute;width:24px;height:32px;background:#fff;border:1px solid #e2e8f0;border-radius:6px;display:flex;align-items:center;justify-content:center;box-shadow:0 2px 4px #0000000d;transition:all .2s;color:#94a3b8}.grip-handle svg{width:14px;height:14px}:host:hover .splitter-line,.is-resizing .splitter-line{background:linear-gradient(to bottom,transparent 0%,#3b82f6 15%,#3b82f6 85%,transparent 100%);width:2px}:host:hover .grip-handle,.is-resizing .grip-handle{border-color:#3b82f6;color:#3b82f6;box-shadow:0 4px 6px -1px #3b82f633;transform:scale(1.05)}\n"] }); }
|
|
17341
|
+
}
|
|
17342
|
+
i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "20.0.6", ngImport: i0, type: SplitterComponent, decorators: [{
|
|
17343
|
+
type: Component,
|
|
17344
|
+
args: [{ selector: 'bnrc-splitter', standalone: false, template: `<div class="splitter-container">
|
|
17345
|
+
<div class="splitter-line"></div>
|
|
17346
|
+
<div class="grip-handle">
|
|
17347
|
+
<svg viewBox="0 0 24 24" fill="currentColor">
|
|
17348
|
+
<circle cx="9" cy="8" r="1.5" />
|
|
17349
|
+
<circle cx="15" cy="8" r="1.5" />
|
|
17350
|
+
<circle cx="9" cy="12" r="1.5" />
|
|
17351
|
+
<circle cx="15" cy="12" r="1.5" />
|
|
17352
|
+
<circle cx="9" cy="16" r="1.5" />
|
|
17353
|
+
<circle cx="15" cy="16" r="1.5" />
|
|
17354
|
+
</svg>
|
|
17355
|
+
</div>
|
|
17356
|
+
</div>`, styles: [":host{display:flex;align-items:center;justify-content:center;width:12px;cursor:col-resize;z-index:50;-webkit-user-select:none;user-select:none;position:relative}.splitter-container{height:100%;width:100%;display:flex;align-items:center;justify-content:center;position:relative}.splitter-line{width:1px;height:90%;background:linear-gradient(to bottom,transparent 0%,rgba(203,213,225,1) 15%,rgba(203,213,225,1) 85%,transparent 100%);transition:all .2s}.grip-handle{position:absolute;width:24px;height:32px;background:#fff;border:1px solid #e2e8f0;border-radius:6px;display:flex;align-items:center;justify-content:center;box-shadow:0 2px 4px #0000000d;transition:all .2s;color:#94a3b8}.grip-handle svg{width:14px;height:14px}:host:hover .splitter-line,.is-resizing .splitter-line{background:linear-gradient(to bottom,transparent 0%,#3b82f6 15%,#3b82f6 85%,transparent 100%);width:2px}:host:hover .grip-handle,.is-resizing .grip-handle{border-color:#3b82f6;color:#3b82f6;box-shadow:0 4px 6px -1px #3b82f633;transform:scale(1.05)}\n"] }]
|
|
17357
|
+
}], propDecorators: { emptyClass: [{
|
|
17358
|
+
type: HostBinding,
|
|
17359
|
+
args: ['class.empty-space']
|
|
17360
|
+
}], isBig: [{
|
|
17361
|
+
type: HostBinding,
|
|
17362
|
+
args: ['class.big']
|
|
17363
|
+
}], flex: [{
|
|
17364
|
+
type: HostBinding,
|
|
17365
|
+
args: ['style.flex']
|
|
17366
|
+
}], elMaxWidth: [{
|
|
17367
|
+
type: HostBinding,
|
|
17368
|
+
args: ['style.max-width.px']
|
|
17369
|
+
}], elHeight: [{
|
|
17370
|
+
type: HostBinding,
|
|
17371
|
+
args: ['style.height.px']
|
|
17372
|
+
}], minWidth: [{
|
|
17373
|
+
type: Input
|
|
17374
|
+
}], maxWidth: [{
|
|
17375
|
+
type: Input
|
|
17376
|
+
}], config: [{
|
|
17377
|
+
type: Input
|
|
17378
|
+
}] } });
|
|
17379
|
+
|
|
17238
17380
|
class BaseUlvSettingComponent extends BaseComponent {
|
|
17239
17381
|
constructor() {
|
|
17240
17382
|
super(...arguments);
|
|
@@ -17822,7 +17964,8 @@ const components = [
|
|
|
17822
17964
|
UnlimitSessionComponent,
|
|
17823
17965
|
DynamicTileGroupComponent,
|
|
17824
17966
|
PushBannerComponent,
|
|
17825
|
-
ReportNavigatorComponent
|
|
17967
|
+
ReportNavigatorComponent,
|
|
17968
|
+
SplitterComponent
|
|
17826
17969
|
];
|
|
17827
17970
|
const directives = [
|
|
17828
17971
|
PlaceHolderDirective,
|
|
@@ -18090,7 +18233,8 @@ class BarsaNovinRayCoreModule extends BaseModule {
|
|
|
18090
18233
|
UnlimitSessionComponent,
|
|
18091
18234
|
DynamicTileGroupComponent,
|
|
18092
18235
|
PushBannerComponent,
|
|
18093
|
-
ReportNavigatorComponent,
|
|
18236
|
+
ReportNavigatorComponent,
|
|
18237
|
+
SplitterComponent, NumeralPipe,
|
|
18094
18238
|
CanUploadFilePipe,
|
|
18095
18239
|
RemoveNewlinePipe,
|
|
18096
18240
|
ConvertToStylePipe,
|
|
@@ -18230,7 +18374,8 @@ class BarsaNovinRayCoreModule extends BaseModule {
|
|
|
18230
18374
|
UnlimitSessionComponent,
|
|
18231
18375
|
DynamicTileGroupComponent,
|
|
18232
18376
|
PushBannerComponent,
|
|
18233
|
-
ReportNavigatorComponent,
|
|
18377
|
+
ReportNavigatorComponent,
|
|
18378
|
+
SplitterComponent, NumeralPipe,
|
|
18234
18379
|
CanUploadFilePipe,
|
|
18235
18380
|
RemoveNewlinePipe,
|
|
18236
18381
|
ConvertToStylePipe,
|
|
@@ -18368,5 +18513,5 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "20.0.6", ngImpor
|
|
|
18368
18513
|
* Generated bundle index. Do not edit.
|
|
18369
18514
|
*/
|
|
18370
18515
|
|
|
18371
|
-
export { APP_VERSION, AbsoluteDivBodyDirective, AddDynamicFormStyles, AffixRespondEvents, AllFilesMimeType, AnchorScrollDirective, ApiService, ApplicationBaseComponent, ApplicationCtrlrService, AttrRtlDirective, AudioMimeType, AudioRecordingService, AuthGuard, BarsaApi, BarsaDialogService, BarsaIconDictPipe, BarsaNovinRayCoreModule, BarsaReadonlyDirective, BarsaSapUiFormPageModule, BarsaStorageService, BaseColumnPropsComponent, BaseComponent, BaseController, BaseDirective, BaseDynamicComponent, BaseFormToolbaritemPropsComponent, BaseItemContentPropsComponent, BaseModule, BaseReportModel, BaseUlvSettingComponent, BaseViewContentPropsComponent, BaseViewItemPropsComponent, BaseViewPropsComponent, BbbTranslatePipe, BodyClickDirective, BoolControlInfoModel, BreadcrumbService, ButtonLoadingComponent, CalculateControlInfoModel, CanUploadFilePipe, CardBaseItemContentPropsComponent, CardDynamicItemComponent, CardMediaSizePipe, CardViewService, ChangeLayoutInfoCustomUi, ChunkArrayPipe, CodeEditorControlInfoModel, ColSetting, ColumnCustomComponentPipe, ColumnCustomUiPipe, ColumnIconPipe, ColumnResizerDirective, ColumnService, ColumnValueDirective, ColumnValueOfParametersPipe, ColumnValuePipe, ComboRowImagePipe, CommandControlInfoModel, ContainerComponent, ContainerService, ContextMenuPipe, ControlUiPipe, ConvertToStylePipe, CopyDirective, CountDownDirective, CustomCommand, CustomInjector, CustomRouteReuseStrategy, DIALOG_SERVICE, DateHijriService, DateMiladiService, DateRanges, DateService, DateShamsiService, DateTimeControlInfoModel, DefaultCommandsAccessValue, DefaultGridSetting, DeviceWidth, DialogParams, DynamicCommandDirective, DynamicComponentService, DynamicDarkColorPipe, DynamicFormComponent, DynamicFormToolbaritemComponent, DynamicItemComponent, DynamicLayoutComponent, DynamicRootVariableDirective, DynamicStyleDirective, DynamicTileGroupComponent, DynamicUlvToolbarComponent, EllapsisTextDirective, EllipsifyDirective, EmptyPageComponent, EmptyPageWithRouterAndRouterOutletComponent, EnumControlInfoModel, ExecuteDynamicCommand, ExecuteWorkflowChoiceDef, FORM_DIALOG_COMPONENT, FieldBaseComponent, FieldDirective, FieldInfoTypeEnum, FieldUiComponent, FileControlInfoModel, FileInfoCountPipe, FilePictureInfoModel, FilesValidationHelper, FillAllLayoutControls, FillEmptySpaceDirective, FilterColumnsByDetailsPipe, FilterInlineActionListPipe, FilterPipe, FilterStringPipe, FilterTabPipe, FilterToolbarControlPipe, FilterWorkflowInMobilePipe, FindColumnByDbNamePipe, FindGroup, FindLayoutSettingFromLayout94, FindPreviewColumnPipe, FindToolbarItem, FioriIconPipe, FormBaseComponent, FormCloseDirective, FormComponent, FormFieldReportPageComponent, FormNewComponent, FormPageBaseComponent, FormPageComponent, FormPanelService, FormPropsBaseComponent, FormService, FormToolbarBaseComponent, GaugeControlInfoModel, GeneralControlInfoModel, GetAllColumnsSorted, GetAllHorizontalFromLayout94, GetDefaultMoObjectInfo, GetImgTags, GetVisibleValue, GridSetting, GroupBy, GroupByPipe, GroupByService, HeaderFacetValuePipe, HideAcceptCancelButtonsPipe, HideColumnsInmobilePipe, HistoryControlInfoModel, HorizontalLayoutService, HorizontalResponsiveDirective, IconControlInfoModel, IdbService, ImageLazyDirective, ImageMimeType, ImagetoPrint, InMemoryStorageService, IndexedDbService, InputNumber, IntersectionObserverDirective, IntersectionStatus, IsDarkMode, IsExpandedNodePipe, IsImagePipe, ItemsRendererDirective, LabelStarTrimPipe, LabelmandatoryDirective, LayoutItemBaseComponent, LayoutMainContentService, LayoutPanelBaseComponent, LayoutService, LeafletLongPressDirective, LinearListControlInfoModel, LinearListHelper, ListCountPipe, ListRelationModel, LoadExternalFilesDirective, LocalStorageService, LogService, LoginSettingsResolver, MapToChatMessagePipe, MasterDetailsPageComponent, MeasureFormTitleWidthDirective, MergeFieldsToColumnsPipe, MetaobjectDataModel, MetaobjectRelationModel, MoForReportModel, MoForReportModelBase, MoInfoUlvMoListPipe, MoInfoUlvPagingPipe, MoReportValueConcatPipe, MoReportValuePipe, MoValuePipe, MobileDirective, ModalRootComponent, MultipleGroupByPipe, NOTIFICATAION_POPUP_SERVER, NOTIFICATION_WEBWORKER_FACTORY, NetworkStatusService, NotFoundComponent, NotificationService, NowraptextDirective, NumberBaseComponent, NumberControlInfoModel, NumbersOnlyInputDirective, NumeralPipe, OverflowTextDirective, PageBaseComponent, PageWithFormHandlerBaseComponent, PdfMimeType, PictureFieldSourcePipe, PictureFileControlInfoModel, PlaceHolderDirective, PortalDynamicPageResolver, PortalFormPageResolver, PortalPageComponent, PortalPageResolver, PortalPageSidebarComponent, PortalReportPageResolver, PortalService, PreventDefaulEvent, PreventDefaultDirective, PrintFilesDirective, PrintImage, PromptUpdateService, PushBannerComponent, PushCheckService, PushNotificationService, RabetehAkseTakiListiControlInfoModel, RedirectHomeGuard, RelatedReportControlInfoModel, RelationListControlInfoModel, RemoveDynamicFormStyles, RemoveNewlinePipe, RenderUlvDirective, RenderUlvPaginDirective, RenderUlvViewerDirective, ReplacePipe, ReportBaseComponent, ReportBaseInfo, ReportBreadcrumbResolver, ReportCalendarModel, ReportContainerComponent, ReportEmptyPageComponent, ReportExtraInfo, ReportField, ReportFormModel, ReportItemBaseComponent, ReportListModel, ReportModel, ReportNavigatorComponent, ReportTreeModel, ReportViewBaseComponent, ReportViewColumn, ResizableComponent, ResizableDirective, ResizableModule, ResizeHandlerDirective, ResizeObserverDirective, ReversePipe, RichStringControlInfoModel, RootPageComponent, RootPortalComponent, RotateImage, RouteFormChangeDirective, RoutingService, RowDataOption, RowNumberPipe, SafeBottomDirective, SanitizeTextPipe, SaveImageDirective, SaveImageToFile, SaveScrollPositionService, ScrollPersistDirective, ScrollToSelectedDirective, SelectionMode, SeperatorFixPipe, ServiceWorkerCommuncationService, ServiceWorkerNotificationService, ShellbarHeightService, ShortcutHandlerDirective, ShortcutRegisterDirective, SimplebarDirective, SingleRelationControlInfoModel, SortDirection, SortPipe, SortSetting, SplideSliderDirective, SplitPipe, StopPropagationDirective, StringControlInfoModel, StringToNumberPipe, SubformControlInfoModel, SystemBaseComponent, TOAST_SERVICE, TableHeaderWidthMode, TableResizerDirective, TabpageService, ThImageOrIconePipe, TileGroupBreadcrumResolver, TilePropsComponent, TlbButtonsPipe, ToolbarSettingsPipe, TooltipDirective, TotalSummaryPipe, UiService, UlvCommandDirective, UlvMainService, UnlimitSessionComponent, UntilInViewDirective, UploadService, VideoMimeType, VideoRecordingService, ViewBase, VisibleValuePipe, WebOtpDirective, WordMimeType, WorfkflowwChoiceCommandDirective, addCssVariableToRoot, availablePrefixes, calcContextMenuWidth, calculateColumnContent, calculateColumnWidth, calculateColumnWidthFitToContainer, calculateFreeColumnSize, calculateMoDataListContentWidthByColumnName, cancelRequestAnimationFrame, checkPermission, compareVersions, createFormPanelMetaConditions, createGridEditorFormPanel, easeInOutCubic, elementInViewport2, enumValueToStringSize, executeUlvCommandHandler, fixUnclosedParentheses, flattenTree, forbiddenValidator, formRoutes, formatBytes, fromEntries, fromIntersectionObserver, genrateInlineMoId, getAllItemsPerChildren, getColumnValueOfMoDataList, getComponentDefined, getControlList, getControlSizeMode, getDateService, getDeviceIsDesktop, getDeviceIsMobile, getDeviceIsPhone, getDeviceIsTablet, getFieldValue, getFocusableTagNames, getFormSettings, getGridSettings, getHeaderValue, getIcon, getImagePath, getLabelWidth, getLayout94ObjectInfo, getLayoutControl, getNewMoGridEditor, getParentHeight, getRequestAnimationFrame, getResetGridSettings, getTargetRect, getUniqueId, getValidExtension, isFF, isFirefox, isFunction, isImage, isInLocalMode, isSafari, isTargetWindow, isVersionBiggerThan, measureText, measureText2, measureTextBy, mobile_regex, nullOrUndefinedString, number_only, requestAnimationFramePolyfill, scrollToElement, setColumnWidthByMaxMoContentWidth, setOneDepthLevel, setTableThWidth, shallowEqual, stopPropagation, throwIfAlreadyLoaded, toNumber, validateAllFormFields };
|
|
18516
|
+
export { APP_VERSION, AbsoluteDivBodyDirective, AddDynamicFormStyles, AffixRespondEvents, AllFilesMimeType, AnchorScrollDirective, ApiService, ApplicationBaseComponent, ApplicationCtrlrService, AttrRtlDirective, AudioMimeType, AudioRecordingService, AuthGuard, BarsaApi, BarsaDialogService, BarsaIconDictPipe, BarsaNovinRayCoreModule, BarsaReadonlyDirective, BarsaSapUiFormPageModule, BarsaStorageService, BaseColumnPropsComponent, BaseComponent, BaseController, BaseDirective, BaseDynamicComponent, BaseFormToolbaritemPropsComponent, BaseItemContentPropsComponent, BaseModule, BaseReportModel, BaseUlvSettingComponent, BaseViewContentPropsComponent, BaseViewItemPropsComponent, BaseViewPropsComponent, BbbTranslatePipe, BodyClickDirective, BoolControlInfoModel, BreadcrumbService, ButtonLoadingComponent, CalculateControlInfoModel, CanUploadFilePipe, CardBaseItemContentPropsComponent, CardDynamicItemComponent, CardMediaSizePipe, CardViewService, ChangeLayoutInfoCustomUi, ChunkArrayPipe, CodeEditorControlInfoModel, ColSetting, ColumnCustomComponentPipe, ColumnCustomUiPipe, ColumnIconPipe, ColumnResizerDirective, ColumnService, ColumnValueDirective, ColumnValueOfParametersPipe, ColumnValuePipe, ComboRowImagePipe, CommandControlInfoModel, ContainerComponent, ContainerService, ContextMenuPipe, ControlUiPipe, ConvertToStylePipe, CopyDirective, CountDownDirective, CustomCommand, CustomInjector, CustomRouteReuseStrategy, DIALOG_SERVICE, DateHijriService, DateMiladiService, DateRanges, DateService, DateShamsiService, DateTimeControlInfoModel, DefaultCommandsAccessValue, DefaultGridSetting, DeviceWidth, DialogParams, DynamicCommandDirective, DynamicComponentService, DynamicDarkColorPipe, DynamicFormComponent, DynamicFormToolbaritemComponent, DynamicItemComponent, DynamicLayoutComponent, DynamicRootVariableDirective, DynamicStyleDirective, DynamicTileGroupComponent, DynamicUlvToolbarComponent, EllapsisTextDirective, EllipsifyDirective, EmptyPageComponent, EmptyPageWithRouterAndRouterOutletComponent, EnumControlInfoModel, ExecuteDynamicCommand, ExecuteWorkflowChoiceDef, FORM_DIALOG_COMPONENT, FieldBaseComponent, FieldDirective, FieldInfoTypeEnum, FieldUiComponent, FileControlInfoModel, FileInfoCountPipe, FilePictureInfoModel, FilesValidationHelper, FillAllLayoutControls, FillEmptySpaceDirective, FilterColumnsByDetailsPipe, FilterInlineActionListPipe, FilterPipe, FilterStringPipe, FilterTabPipe, FilterToolbarControlPipe, FilterWorkflowInMobilePipe, FindColumnByDbNamePipe, FindGroup, FindLayoutSettingFromLayout94, FindPreviewColumnPipe, FindToolbarItem, FioriIconPipe, FormBaseComponent, FormCloseDirective, FormComponent, FormFieldReportPageComponent, FormNewComponent, FormPageBaseComponent, FormPageComponent, FormPanelService, FormPropsBaseComponent, FormService, FormToolbarBaseComponent, GaugeControlInfoModel, GeneralControlInfoModel, GetAllColumnsSorted, GetAllHorizontalFromLayout94, GetDefaultMoObjectInfo, GetImgTags, GetVisibleValue, GridSetting, GroupBy, GroupByPipe, GroupByService, HeaderFacetValuePipe, HideAcceptCancelButtonsPipe, HideColumnsInmobilePipe, HistoryControlInfoModel, HorizontalLayoutService, HorizontalResponsiveDirective, IconControlInfoModel, IdbService, ImageLazyDirective, ImageMimeType, ImagetoPrint, InMemoryStorageService, IndexedDbService, InputNumber, IntersectionObserverDirective, IntersectionStatus, IsDarkMode, IsExpandedNodePipe, IsImagePipe, ItemsRendererDirective, LabelStarTrimPipe, LabelmandatoryDirective, LayoutItemBaseComponent, LayoutMainContentService, LayoutPanelBaseComponent, LayoutService, LeafletLongPressDirective, LinearListControlInfoModel, LinearListHelper, ListCountPipe, ListRelationModel, LoadExternalFilesDirective, LocalStorageService, LogService, LoginSettingsResolver, MapToChatMessagePipe, MasterDetailsPageComponent, MeasureFormTitleWidthDirective, MergeFieldsToColumnsPipe, MetaobjectDataModel, MetaobjectRelationModel, MoForReportModel, MoForReportModelBase, MoInfoUlvMoListPipe, MoInfoUlvPagingPipe, MoReportValueConcatPipe, MoReportValuePipe, MoValuePipe, MobileDirective, ModalRootComponent, MultipleGroupByPipe, NOTIFICATAION_POPUP_SERVER, NOTIFICATION_WEBWORKER_FACTORY, NetworkStatusService, NotFoundComponent, NotificationService, NowraptextDirective, NumberBaseComponent, NumberControlInfoModel, NumbersOnlyInputDirective, NumeralPipe, OverflowTextDirective, PageBaseComponent, PageWithFormHandlerBaseComponent, PdfMimeType, PictureFieldSourcePipe, PictureFileControlInfoModel, PlaceHolderDirective, PortalDynamicPageResolver, PortalFormPageResolver, PortalPageComponent, PortalPageResolver, PortalPageSidebarComponent, PortalReportPageResolver, PortalService, PreventDefaulEvent, PreventDefaultDirective, PrintFilesDirective, PrintImage, PromptUpdateService, PushBannerComponent, PushCheckService, PushNotificationService, RabetehAkseTakiListiControlInfoModel, RedirectHomeGuard, RelatedReportControlInfoModel, RelationListControlInfoModel, RemoveDynamicFormStyles, RemoveNewlinePipe, RenderUlvDirective, RenderUlvPaginDirective, RenderUlvViewerDirective, ReplacePipe, ReportBaseComponent, ReportBaseInfo, ReportBreadcrumbResolver, ReportCalendarModel, ReportContainerComponent, ReportEmptyPageComponent, ReportExtraInfo, ReportField, ReportFormModel, ReportItemBaseComponent, ReportListModel, ReportModel, ReportNavigatorComponent, ReportTreeModel, ReportViewBaseComponent, ReportViewColumn, ResizableComponent, ResizableDirective, ResizableModule, ResizeHandlerDirective, ResizeObserverDirective, ReversePipe, RichStringControlInfoModel, RootPageComponent, RootPortalComponent, RotateImage, RouteFormChangeDirective, RoutingService, RowDataOption, RowNumberPipe, SafeBottomDirective, SanitizeTextPipe, SaveImageDirective, SaveImageToFile, SaveScrollPositionService, ScrollPersistDirective, ScrollToSelectedDirective, SelectionMode, SeperatorFixPipe, ServiceWorkerCommuncationService, ServiceWorkerNotificationService, ShellbarHeightService, ShortcutHandlerDirective, ShortcutRegisterDirective, SimplebarDirective, SingleRelationControlInfoModel, SortDirection, SortPipe, SortSetting, SplideSliderDirective, SplitPipe, SplitterComponent, StopPropagationDirective, StringControlInfoModel, StringToNumberPipe, SubformControlInfoModel, SystemBaseComponent, TOAST_SERVICE, TableHeaderWidthMode, TableResizerDirective, TabpageService, ThImageOrIconePipe, TileGroupBreadcrumResolver, TilePropsComponent, TlbButtonsPipe, ToolbarSettingsPipe, TooltipDirective, TotalSummaryPipe, UiService, UlvCommandDirective, UlvMainService, UnlimitSessionComponent, UntilInViewDirective, UploadService, VideoMimeType, VideoRecordingService, ViewBase, VisibleValuePipe, WebOtpDirective, WordMimeType, WorfkflowwChoiceCommandDirective, addCssVariableToRoot, availablePrefixes, calcContextMenuWidth, calculateColumnContent, calculateColumnWidth, calculateColumnWidthFitToContainer, calculateFreeColumnSize, calculateMoDataListContentWidthByColumnName, cancelRequestAnimationFrame, checkPermission, compareVersions, createFormPanelMetaConditions, createGridEditorFormPanel, easeInOutCubic, elementInViewport2, enumValueToStringSize, executeUlvCommandHandler, fixUnclosedParentheses, flattenTree, forbiddenValidator, formRoutes, formatBytes, fromEntries, fromIntersectionObserver, genrateInlineMoId, getAllItemsPerChildren, getColumnValueOfMoDataList, getComponentDefined, getControlList, getControlSizeMode, getDateService, getDeviceIsDesktop, getDeviceIsMobile, getDeviceIsPhone, getDeviceIsTablet, getFieldValue, getFocusableTagNames, getFormSettings, getGridSettings, getHeaderValue, getIcon, getImagePath, getLabelWidth, getLayout94ObjectInfo, getLayoutControl, getNewMoGridEditor, getParentHeight, getRequestAnimationFrame, getResetGridSettings, getTargetRect, getUniqueId, getValidExtension, isFF, isFirefox, isFunction, isImage, isInLocalMode, isSafari, isTargetWindow, isVersionBiggerThan, measureText, measureText2, measureTextBy, mobile_regex, nullOrUndefinedString, number_only, requestAnimationFramePolyfill, scrollToElement, setColumnWidthByMaxMoContentWidth, setOneDepthLevel, setTableThWidth, shallowEqual, stopPropagation, throwIfAlreadyLoaded, toNumber, validateAllFormFields };
|
|
18372
18517
|
//# sourceMappingURL=barsa-novin-ray-core.mjs.map
|