@colijnit/corecomponents_v12 257.1.25 → 257.1.26

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.
@@ -10090,13 +10090,147 @@
10090
10090
  handleMouseUp: [{ type: i0.HostListener, args: ['document:mouseup', ['$event'],] }]
10091
10091
  };
10092
10092
 
10093
+ var ExcelExportService = /** @class */ (function () {
10094
+ function ExcelExportService() {
10095
+ }
10096
+ /**
10097
+ * Export data to Excel file
10098
+ * @param data - Array of objects to export
10099
+ * @param columns - Column configuration (optional)
10100
+ * @param fileName - Name of the exported file
10101
+ * @param sheetName - Name of the Excel sheet
10102
+ */
10103
+ ExcelExportService.prototype.exportToExcel = function (data, columns, fileName, sheetName) {
10104
+ var _this = this;
10105
+ if (fileName === void 0) { fileName = 'export'; }
10106
+ if (sheetName === void 0) { sheetName = 'Sheet1'; }
10107
+ // If columns are specified, transform data to match column structure
10108
+ var exportData = data;
10109
+ if (columns && columns.length > 0) {
10110
+ exportData = data.map(function (item) {
10111
+ var newItem = {};
10112
+ columns.forEach(function (col) {
10113
+ newItem[col.header] = _this.getNestedValue(item, col.key);
10114
+ });
10115
+ return newItem;
10116
+ });
10117
+ }
10118
+ // Create workbook and worksheet
10119
+ var wb = XLSX__namespace.utils.book_new();
10120
+ var ws = XLSX__namespace.utils.json_to_sheet(exportData);
10121
+ // Set column widths if specified
10122
+ if (columns && columns.some(function (col) { return col.width; })) {
10123
+ var colWidths = columns.map(function (col) { return ({ wch: col.width || 20 }); });
10124
+ ws['!cols'] = colWidths;
10125
+ }
10126
+ // Add worksheet to workbook
10127
+ XLSX__namespace.utils.book_append_sheet(wb, ws, sheetName);
10128
+ // Save file
10129
+ XLSX__namespace.writeFile(wb, fileName + ".xlsx");
10130
+ };
10131
+ /**
10132
+ * Export multiple sheets to one Excel file
10133
+ * @param sheets - Array of sheet data
10134
+ * @param fileName - Name of the exported file
10135
+ */
10136
+ ExcelExportService.prototype.exportMultipleSheets = function (sheets, fileName) {
10137
+ var _this = this;
10138
+ if (fileName === void 0) { fileName = 'multi-sheet-export'; }
10139
+ var wb = XLSX__namespace.utils.book_new();
10140
+ sheets.forEach(function (sheet) {
10141
+ var exportData = sheet.data;
10142
+ if (sheet.columns && sheet.columns.length > 0) {
10143
+ exportData = sheet.data.map(function (item) {
10144
+ var newItem = {};
10145
+ sheet.columns.forEach(function (col) {
10146
+ newItem[col.header] = _this.getNestedValue(item, col.key);
10147
+ });
10148
+ return newItem;
10149
+ });
10150
+ }
10151
+ var ws = XLSX__namespace.utils.json_to_sheet(exportData);
10152
+ if (sheet.columns && sheet.columns.some(function (col) { return col.width; })) {
10153
+ var colWidths = sheet.columns.map(function (col) { return ({ wch: col.width || 20 }); });
10154
+ ws['!cols'] = colWidths;
10155
+ }
10156
+ XLSX__namespace.utils.book_append_sheet(wb, ws, sheet.sheetName);
10157
+ });
10158
+ XLSX__namespace.writeFile(wb, fileName + ".xlsx");
10159
+ };
10160
+ /**
10161
+ * Export HTML table to Excel
10162
+ * @param tableId - ID of the HTML table element
10163
+ * @param fileName - Name of the exported file
10164
+ * @param sheetName - Name of the Excel sheet
10165
+ */
10166
+ ExcelExportService.prototype.exportTableToExcel = function (tableId, fileName, sheetName) {
10167
+ if (fileName === void 0) { fileName = 'table-export'; }
10168
+ if (sheetName === void 0) { sheetName = 'Sheet1'; }
10169
+ var table = document.getElementById(tableId);
10170
+ if (!table) {
10171
+ console.error("Table with ID '" + tableId + "' not found");
10172
+ return;
10173
+ }
10174
+ var wb = XLSX__namespace.utils.book_new();
10175
+ var ws = XLSX__namespace.utils.table_to_sheet(table);
10176
+ XLSX__namespace.utils.book_append_sheet(wb, ws, sheetName);
10177
+ XLSX__namespace.writeFile(wb, fileName + ".xlsx");
10178
+ };
10179
+ /**
10180
+ * Get nested object value using dot notation
10181
+ * @param obj - Object to search in
10182
+ * @param path - Dot notation path (e.g., 'user.address.city')
10183
+ */
10184
+ ExcelExportService.prototype.getNestedValue = function (obj, path) {
10185
+ return path.split('.').reduce(function (current, key) {
10186
+ return current && current[key] !== undefined ? current[key] : '';
10187
+ }, obj);
10188
+ };
10189
+ /**
10190
+ * Format date for Excel export
10191
+ * @param date - Date to format
10192
+ * @param format - Format string (default: 'MM/DD/YYYY')
10193
+ */
10194
+ ExcelExportService.prototype.formatDateForExport = function (date, format) {
10195
+ if (format === void 0) { format = 'MM/DD/YYYY'; }
10196
+ if (!date) {
10197
+ return '';
10198
+ }
10199
+ var d = new Date(date);
10200
+ if (isNaN(d.getTime())) {
10201
+ return '';
10202
+ }
10203
+ var month = (d.getMonth() + 1).toString().padStart(2, '0');
10204
+ var day = d.getDate().toString().padStart(2, '0');
10205
+ var year = d.getFullYear();
10206
+ switch (format) {
10207
+ case 'MM/DD/YYYY':
10208
+ return month + "/" + day + "/" + year;
10209
+ case 'DD/MM/YYYY':
10210
+ return day + "/" + month + "/" + year;
10211
+ case 'YYYY-MM-DD':
10212
+ return year + "-" + month + "-" + day;
10213
+ default:
10214
+ return d.toLocaleDateString();
10215
+ }
10216
+ };
10217
+ return ExcelExportService;
10218
+ }());
10219
+ ExcelExportService.ɵprov = i0__namespace.ɵɵdefineInjectable({ factory: function ExcelExportService_Factory() { return new ExcelExportService(); }, token: ExcelExportService, providedIn: "root" });
10220
+ ExcelExportService.decorators = [
10221
+ { type: i0.Injectable, args: [{
10222
+ providedIn: 'root'
10223
+ },] }
10224
+ ];
10225
+
10093
10226
  var SimpleGridComponent = /** @class */ (function (_super) {
10094
10227
  __extends(SimpleGridComponent, _super);
10095
- function SimpleGridComponent(icons, _changeDetection, _formMaster) {
10228
+ function SimpleGridComponent(icons, _changeDetection, _formMaster, excelExportService) {
10096
10229
  var _this = _super.call(this) || this;
10097
10230
  _this.icons = icons;
10098
10231
  _this._changeDetection = _changeDetection;
10099
10232
  _this._formMaster = _formMaster;
10233
+ _this.excelExportService = excelExportService;
10100
10234
  _this.defaultTextAlign = exports.ColumnAlign.Left;
10101
10235
  _this.showAdd = false;
10102
10236
  _this.showDelete = false;
@@ -10187,14 +10321,6 @@
10187
10321
  });
10188
10322
  });
10189
10323
  };
10190
- SimpleGridComponent.prototype.isSingleColumn = function (column) {
10191
- return column.singleColumn;
10192
- };
10193
- SimpleGridComponent.prototype.rowContainsSingleColumn = function (row, columns) {
10194
- var _this = this;
10195
- var singleColumn = columns.find(function (column) { return _this.isSingleColumn(column) && !!row[column.field]; });
10196
- return !!singleColumn;
10197
- };
10198
10324
  SimpleGridComponent.prototype.addNewRow = function () {
10199
10325
  return __awaiter(this, void 0, void 0, function () {
10200
10326
  var valid, _a;
@@ -10384,12 +10510,15 @@
10384
10510
  var sorted = __spreadArray([], __read(this.data)).sort(function (a, b) {
10385
10511
  var valA = a[columnValue];
10386
10512
  var valB = b[columnValue];
10387
- if (valA == null && valB == null)
10513
+ if (valA == null && valB == null) {
10388
10514
  return 0;
10389
- if (valA == null)
10515
+ }
10516
+ if (valA == null) {
10390
10517
  return -1 * direction;
10391
- if (valB == null)
10518
+ }
10519
+ if (valB == null) {
10392
10520
  return 1 * direction;
10521
+ }
10393
10522
  // Handle ISO date string
10394
10523
  var isDateA = typeof valA === 'string' && /^\d{4}-\d{2}-\d{2}T/.test(valA);
10395
10524
  var isDateB = typeof valB === 'string' && /^\d{4}-\d{2}-\d{2}T/.test(valB);
@@ -10407,35 +10536,12 @@
10407
10536
  this.data = sorted;
10408
10537
  this._detectChanges();
10409
10538
  };
10410
- SimpleGridComponent.prototype._sortData = function (tableData) {
10411
- var _this = this;
10412
- return tableData.sort(function (a, b) {
10413
- var sign = _this.sortDirection === 'asc' ? 1 : -1;
10414
- console.log("a " + a);
10415
- console.log("b " + b);
10416
- console.log(a[_this.sortColumnValue]);
10417
- console.log(b[_this.sortColumnValue]);
10418
- console.log("sign " + sign);
10419
- if (a[_this.sortColumnValue] < b[_this.sortColumnValue]) {
10420
- return -1 * sign;
10421
- }
10422
- else if (a[_this.sortColumnValue] > b[_this.sortColumnValue]) {
10423
- return 1 * sign;
10424
- }
10425
- return 0;
10426
- });
10427
- };
10428
10539
  SimpleGridComponent.prototype.showAllColumns = function () {
10429
10540
  this.isSettingsMenuOpen = false;
10430
10541
  this.headerColumnsCopy = this.headerColumns;
10431
10542
  };
10432
10543
  SimpleGridComponent.prototype.exportToExcel = function () {
10433
- this.isSettingsMenuOpen = false;
10434
- var element = document.getElementById('simple-grid-table');
10435
- var ws = XLSX__namespace.utils.table_to_sheet(element);
10436
- var wb = XLSX__namespace.utils.book_new();
10437
- XLSX__namespace.utils.book_append_sheet(wb, ws, 'Sheet1');
10438
- XLSX__namespace.writeFile(wb, 'ExcelSheet.xlsx');
10544
+ this.excelExportService.exportTableToExcel('simple-grid-table', 'ExcelSheet', 'Sheet1');
10439
10545
  };
10440
10546
  SimpleGridComponent.prototype.prepareDataRow = function (row, index) {
10441
10547
  this.isRowDisabled(row, index);
@@ -10588,10 +10694,8 @@
10588
10694
  SimpleGridComponent.decorators = [
10589
10695
  { type: i0.Component, args: [{
10590
10696
  selector: 'co-simple-grid',
10591
- template: "\n <co-grid-toolbar *ngIf=\"showToolbar\" [class.right]=\"rightToolbar\"\n [showEdit]=\"showEdit\"\n [showAdd]=\"showAdd\"\n [showDelete]=\"showDelete\"\n [deleteEnabled]=\"selectedRowIndex > -1\"\n (addClick)=\"addNewRow()\"\n (editClick)=\"editRow($event)\"\n (saveClick)=\"validateAndSave()\"\n (cancelClick)=\"cancelEditRow()\"\n (deleteClick)=\"removeRow()\"\n ></co-grid-toolbar>\n <table\n id=\"simple-grid-table\"\n class=\"simple-grid-table\"\n [clickOutside]=\"editing\"\n (clickOutside)=\"handleClickOutsideRow()\">\n <colgroup>\n <col *ngFor=\"let column of headerColumnsCopy; let index = index\"\n [class.simple-grid-column-auto-fit]=\"column.autoFit\"\n [style.width.px]=\"column.width\"\n [style.min-width.px]=\"MIN_COLUMN_WIDTH\">\n </colgroup>\n <thead>\n <tr>\n <th\n scope=\"col\"\n #headerCell\n class=\"simple-grid-column-header\"\n *ngFor=\"let column of headerColumnsCopy; let index = index\">\n <div\n class=\"simple-grid-column-header-wrapper\"\n [class.resizable]=\"resizable\"\n [class.selected]=\"column.isSelected\"\n [ngClass]=\"column.textAlign ? column.textAlign : defaultTextAlign\">\n <ng-container *ngIf=\"column.headerTemplate; else noHeaderTemplate\">\n <ng-container [ngTemplateOutlet]=\"column.headerTemplate\"></ng-container>\n </ng-container>\n <ng-template #noHeaderTemplate>\n <div class=\"simple-grid-column-header-label\"\n [ngClass]=\"column.textAlign ? column.textAlign : defaultTextAlign\"\n [class.with-menu]=\"showGridSettings\"\n [class.with-sort]=\"showColumnSort\"\n [textContent]=\"column.headerText || '&nbsp;'\"\n (click)=\"showColumnSort ? sortColumn(column, column.field) : toggleColumnMenu(column)\">\n </div>\n\n <div class=\"sort-column\" *ngIf=\"showColumnSort\">\n <co-button (click)=\"sortColumn(column, column?.field)\"\n [iconData]=\"icons.getIcon(Icons.ArrowUpArrowDown)\">\n </co-button>\n </div>\n\n <div class=\"column-menu\" *ngIf=\"column.isSelected\">\n <h3 [textContent]=\"'COLUMN_OPTIONS' | coreLocalize\"></h3>\n <ul>\n <li (click)=\"hideColumn(column)\">Hide Column</li>\n <li (click)=\"sortColumn(column, column.field)\">Sort Column</li>\n </ul>\n </div>\n </ng-template>\n <div *ngIf=\"resizable && column.resizable\" class=\"simple-grid-column-sizer\"\n (mousedown)=\"handleSizerMouseDown($event, column)\"\n ></div>\n </div>\n </th>\n <th *ngIf=\"showGridSettings\" class=\"simple-grid-column-header grid-settings\">\n <co-button\n [class.selected]=\"isSettingsMenuOpen\"\n [iconData]=\"icons.getIcon(Icons.CogWheels)\"\n (click)=\"toggleSettingsMenu()\">\n </co-button>\n\n <div class=\"settings-menu\" *ngIf=\"isSettingsMenuOpen\">\n <h3 [textContent]=\"'GRID_OPTIONS' | coreLocalize\"></h3>\n <ul>\n <li (click)=\"exportToExcel()\">Export to Excel</li>\n <li *ngIf=\"headerColumnsCopy.length !== headerColumns.length\" (click)=\"showAllColumns()\">Show All\n Columns\n </li>\n </ul>\n </div>\n </th>\n </tr>\n </thead>\n <tbody #dropList cdkDropList cdkDropListOrientation=\"vertical\"\n class=\"simple-grid-drag-drop-list\"\n [cdkDropListDisabled]=\"!dragDropEnabled || editing\"\n [cdkDropListData]=\"data\"\n [cdkDropListEnterPredicate]=\"handleCanDragDrop\"\n (cdkDropListDropped)=\"handleDrop($event)\">\n <tr\n class=\"simple-grid-row\"\n [class.selected]=\"rowIndex === selectedRowIndex && !editing\" observeVisibility\n [class.disabled]=\"getIsRowDisabled(rowIndex)\"\n [class.editing]=\"rowIndex === editRowIndex\"\n *ngFor=\"let row of (!!rowsPerPage ? (data | paginate: {itemsPerPage: rowsPerPage, currentPage: currentPage}) : data); last as last; let rowIndex = index\"\n cdkDrag\n (click)=\"handleClickRow($event, rowIndex, row)\" (dblclick)=\"handleDblClickRow($event, rowIndex, row)\"\n (visibilityChange)=\"rowVisible.next(row)\">\n <co-form class=\"simple-grid-row-form\">\n <ng-container *ngIf=\"isSingleColumnRow(row)\">\n <td class=\"simple-grid-single-column-cell\" [attr.colspan]=\"headerColumnsCopy.length\">\n <co-simple-grid-cell\n [column]=\"columns[singleColumnIndex(row)]\"\n [row]=\"row\"\n [editMode]=\"false\"\n ></co-simple-grid-cell>\n </td>\n </ng-container>\n <ng-container *ngIf=\"!isSingleColumnRow(row)\">\n <ng-container *ngFor=\"let column of headerColumnsCopy; let columnIndex = index\">\n <td class=\"simple-grid-column-cell\" *ngIf=\"columnIndex !== singleColumnIndex(row)\">\n <co-simple-grid-cell\n [column]=\"column\"\n [row]=\"row\"\n [editMode]=\"inlineEdit && editing && rowIndex === editRowIndex\"\n [fieldEditMode]=\"editCellIndex === columnIndex && rowIndex === editRowIndex\"\n (cellClick)=\"handleCellClick($event, row, rowIndex, columnIndex)\"\n ></co-simple-grid-cell>\n <div *ngIf=\"column.resizable\" class=\"simple-grid-column-sizer-placeholder\"></div>\n </td>\n </ng-container>\n </ng-container>\n <td *ngIf=\"showGridSettings\"></td>\n </co-form>\n </tr>\n </tbody>\n </table>\n <co-pagination-bar *ngIf=\"data?.length > rowsPerPage\" class=\"pagination-bar\"\n [itemsPerPage]=\"rowsPerPage\"\n [currentPage]=\"currentPage\"\n [totalItems]=\"data.length\"\n [autoHide]=\"true\"\n (previousClick)=\"goToPreviousPage()\"\n (nextClick)=\"goToNextPage()\"\n (pageClick)=\"setCurrentPage($event)\"\n ></co-pagination-bar>\n ",
10592
- providers: [
10593
- FormMasterService
10594
- ],
10697
+ template: "\n <co-grid-toolbar\n *ngIf=\"showToolbar\" [class.right]=\"rightToolbar\"\n [showEdit]=\"showEdit\"\n [showAdd]=\"showAdd\"\n [showDelete]=\"showDelete\"\n [deleteEnabled]=\"selectedRowIndex > -1\"\n (addClick)=\"addNewRow()\"\n (editClick)=\"editRow($event)\"\n (saveClick)=\"validateAndSave()\"\n (cancelClick)=\"cancelEditRow()\"\n (deleteClick)=\"removeRow()\">\n </co-grid-toolbar>\n\n <table\n id=\"simple-grid-table\"\n class=\"simple-grid-table\"\n [clickOutside]=\"editing\"\n (clickOutside)=\"handleClickOutsideRow()\">\n <colgroup>\n <col\n *ngFor=\"let column of headerColumnsCopy; let index = index\"\n [class.simple-grid-column-auto-fit]=\"column.autoFit\"\n [style.width.px]=\"column.width\"\n [style.min-width.px]=\"MIN_COLUMN_WIDTH\">\n </colgroup>\n <thead>\n <tr>\n <th\n scope=\"col\"\n #headerCell\n class=\"simple-grid-column-header\"\n *ngFor=\"let column of headerColumnsCopy; let index = index\">\n <div\n class=\"simple-grid-column-header-wrapper\"\n [class.resizable]=\"resizable\"\n [class.selected]=\"column.isSelected\"\n [ngClass]=\"column.textAlign ? column.textAlign : defaultTextAlign\">\n <ng-container *ngIf=\"column.headerTemplate; else noHeaderTemplate\">\n <ng-container [ngTemplateOutlet]=\"column.headerTemplate\"></ng-container>\n </ng-container>\n <ng-template #noHeaderTemplate>\n <div\n class=\"simple-grid-column-header-label\"\n [ngClass]=\"column.textAlign ? column.textAlign : defaultTextAlign\"\n [class.with-menu]=\"showGridSettings\"\n [class.with-sort]=\"showColumnSort\"\n [textContent]=\"column.headerText || '&nbsp;'\"\n (click)=\"showColumnSort ? sortColumn(column, column.field) : toggleColumnMenu(column)\">\n </div>\n\n <div class=\"sort-column\" *ngIf=\"showColumnSort\">\n <co-button\n (click)=\"sortColumn(column, column?.field)\"\n [iconData]=\"icons.getIcon(Icons.ArrowUpArrowDown)\">\n </co-button>\n </div>\n\n <div class=\"column-menu\" *ngIf=\"column.isSelected\">\n <h3 [textContent]=\"'COLUMN_OPTIONS' | coreLocalize\"></h3>\n <ul>\n <li (click)=\"hideColumn(column)\">Hide Column</li>\n <li (click)=\"sortColumn(column, column.field)\">Sort Column</li>\n </ul>\n </div>\n </ng-template>\n <div\n *ngIf=\"resizable && column.resizable\"\n class=\"simple-grid-column-sizer\"\n (mousedown)=\"handleSizerMouseDown($event, column)\">\n </div>\n </div>\n </th>\n </tr>\n\n <div *ngIf=\"showGridSettings\" class=\"grid-settings\">\n <co-button\n [class.selected]=\"isSettingsMenuOpen\"\n [iconData]=\"icons.getIcon(Icons.CogWheels)\"\n (click)=\"toggleSettingsMenu()\">\n </co-button>\n\n <div class=\"settings-menu\" *ngIf=\"isSettingsMenuOpen\">\n <h3 [textContent]=\"'GRID_OPTIONS' | coreLocalize\"></h3>\n <ul>\n <li (click)=\"exportToExcel()\">Export to Excel</li>\n <li *ngIf=\"headerColumnsCopy.length !== headerColumns.length\" (click)=\"showAllColumns()\">\n Show All Columns\n </li>\n </ul>\n </div>\n </div>\n </thead>\n\n <tbody\n #dropList cdkDropList cdkDropListOrientation=\"vertical\"\n class=\"simple-grid-drag-drop-list\"\n [cdkDropListDisabled]=\"!dragDropEnabled || editing\"\n [cdkDropListData]=\"data\"\n [cdkDropListEnterPredicate]=\"handleCanDragDrop\"\n (cdkDropListDropped)=\"handleDrop($event)\">\n <co-form class=\"simple-grid-row-form\">\n <tr\n class=\"simple-grid-row\"\n [class.selected]=\"rowIndex === selectedRowIndex && !editing\" observeVisibility\n [class.disabled]=\"getIsRowDisabled(rowIndex)\"\n [class.editing]=\"rowIndex === editRowIndex\"\n *ngFor=\"let row of (!!rowsPerPage ? (data | paginate: {itemsPerPage: rowsPerPage, currentPage: currentPage}) : data); last as last; let rowIndex = index\"\n cdkDrag\n (click)=\"handleClickRow($event, rowIndex, row)\" (dblclick)=\"handleDblClickRow($event, rowIndex, row)\"\n (visibilityChange)=\"rowVisible.next(row)\">\n <ng-container *ngIf=\"isSingleColumnRow(row)\">\n <td class=\"simple-grid-single-column-cell\" [attr.colspan]=\"headerColumnsCopy.length\">\n <co-simple-grid-cell\n [column]=\"columns[singleColumnIndex(row)]\"\n [row]=\"row\"\n [editMode]=\"false\">\n </co-simple-grid-cell>\n </td>\n </ng-container>\n <ng-container *ngIf=\"!isSingleColumnRow(row)\">\n <ng-container *ngFor=\"let column of headerColumnsCopy; let columnIndex = index\">\n <td class=\"simple-grid-column-cell\" *ngIf=\"columnIndex !== singleColumnIndex(row)\">\n <co-simple-grid-cell\n [column]=\"column\"\n [row]=\"row\"\n [editMode]=\"inlineEdit && editing && rowIndex === editRowIndex\"\n [fieldEditMode]=\"editCellIndex === columnIndex && rowIndex === editRowIndex\"\n (cellClick)=\"handleCellClick($event, row, rowIndex, columnIndex)\">\n </co-simple-grid-cell>\n <div *ngIf=\"column.resizable\" class=\"simple-grid-column-sizer-placeholder\"></div>\n </td>\n </ng-container>\n </ng-container>\n </tr>\n </co-form>\n </tbody>\n </table>\n\n <co-pagination-bar\n *ngIf=\"data?.length > rowsPerPage\" class=\"pagination-bar\"\n [itemsPerPage]=\"rowsPerPage\"\n [currentPage]=\"currentPage\"\n [totalItems]=\"data.length\"\n [autoHide]=\"true\"\n (previousClick)=\"goToPreviousPage()\"\n (nextClick)=\"goToNextPage()\"\n (pageClick)=\"setCurrentPage($event)\">\n </co-pagination-bar>\n ",
10698
+ providers: [FormMasterService],
10595
10699
  changeDetection: i0.ChangeDetectionStrategy.OnPush,
10596
10700
  encapsulation: i0.ViewEncapsulation.None
10597
10701
  },] }
@@ -10599,7 +10703,8 @@
10599
10703
  SimpleGridComponent.ctorParameters = function () { return [
10600
10704
  { type: IconCacheService },
10601
10705
  { type: i0.ChangeDetectorRef },
10602
- { type: FormMasterService }
10706
+ { type: FormMasterService },
10707
+ { type: ExcelExportService }
10603
10708
  ]; };
10604
10709
  SimpleGridComponent.propDecorators = {
10605
10710
  headerCells: [{ type: i0.ViewChildren, args: ['headerCell',] }],
@@ -15216,21 +15321,22 @@
15216
15321
  exports.showHideDialog = showHideDialog;
15217
15322
  exports["ɵa"] = InputBoolean;
15218
15323
  exports["ɵb"] = RippleModule;
15219
- exports["ɵba"] = PaginationService;
15220
- exports["ɵbb"] = PaginatePipe;
15221
- exports["ɵbc"] = SimpleGridCellComponent;
15222
- exports["ɵbd"] = ListOfValuesMultiselectPopupComponent;
15223
- exports["ɵbe"] = ConfirmationDialogComponent;
15224
- exports["ɵbf"] = DialogBaseComponent;
15225
- exports["ɵbg"] = CoreDynamicComponentService;
15226
- exports["ɵbh"] = PrependPipeModule;
15227
- exports["ɵbi"] = PrependPipe;
15228
- exports["ɵbj"] = CheckmarkOverlayComponent;
15229
- exports["ɵbk"] = ScannerService;
15230
- exports["ɵbl"] = TooltipModule;
15231
- exports["ɵbm"] = TooltipComponent;
15232
- exports["ɵbn"] = TooltipDirective;
15233
- exports["ɵbo"] = HourSchedulingTestObjectComponent;
15324
+ exports["ɵba"] = ObserveVisibilityDirective;
15325
+ exports["ɵbb"] = PaginationService;
15326
+ exports["ɵbc"] = PaginatePipe;
15327
+ exports["ɵbd"] = SimpleGridCellComponent;
15328
+ exports["ɵbe"] = ListOfValuesMultiselectPopupComponent;
15329
+ exports["ɵbf"] = ConfirmationDialogComponent;
15330
+ exports["ɵbg"] = DialogBaseComponent;
15331
+ exports["ɵbh"] = CoreDynamicComponentService;
15332
+ exports["ɵbi"] = PrependPipeModule;
15333
+ exports["ɵbj"] = PrependPipe;
15334
+ exports["ɵbk"] = CheckmarkOverlayComponent;
15335
+ exports["ɵbl"] = ScannerService;
15336
+ exports["ɵbm"] = TooltipModule;
15337
+ exports["ɵbn"] = TooltipComponent;
15338
+ exports["ɵbo"] = TooltipDirective;
15339
+ exports["ɵbp"] = HourSchedulingTestObjectComponent;
15234
15340
  exports["ɵc"] = MD_RIPPLE_GLOBAL_OPTIONS;
15235
15341
  exports["ɵd"] = CoRippleDirective;
15236
15342
  exports["ɵe"] = CoViewportRulerService;
@@ -15254,7 +15360,7 @@
15254
15360
  exports["ɵw"] = CalendarTemplateComponent;
15255
15361
  exports["ɵx"] = PopupShowerService;
15256
15362
  exports["ɵy"] = BaseSimpleGridComponent;
15257
- exports["ɵz"] = ObserveVisibilityDirective;
15363
+ exports["ɵz"] = ExcelExportService;
15258
15364
 
15259
15365
  Object.defineProperty(exports, '__esModule', { value: true });
15260
15366